- 
          
- 
                Notifications
    You must be signed in to change notification settings 
- Fork 4.2k
Next Generation Bevy Scenes #20158
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
base: release-0.17.2
Are you sure you want to change the base?
Next Generation Bevy Scenes #20158
Conversation
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Some initial discussions / FAQs
| #[reflect(Component, Default, Clone, PartialEq)] | ||
| pub struct Mesh2dWireframe(pub Handle<Wireframe2dMaterial>); | ||
|  | ||
| impl Default for Mesh2dWireframe { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Whats the deal with all of these manual Default impls?
Handle no longer implements default. This is because it now implements GetTemplate. Implementing Default would make it match the blanket impl of GetTemplate for T: Default + Clone, resulting in conflicting GetTemplate impls. This is in line with our goal of making Handle "always strong" (ex: removing the Handle::Uuid variant). That means that anything using Handle will need to derive GetTemplate instead of Default.
Rather than port everything over now, I've added a Handle::default() method, and anything currently relying on default handles now has a manual Default impl that calls Handle::default() instead of Default::default().
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I presume that Handle::default will be fully removed once the porting is complete? The diff may be easier to read and grep for it we call it something else: either Handle::null or Handle::temporary_default would work well.
|  | ||
| fn button(label: &'static str) -> impl Scene { | ||
| bsn! { | ||
| Button | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Why does bsn! not separate Scene patch entries with commas? That doesn't feel very Rust-ey
- Flat entities (no wrapper tuple) are allowed. In Rust, x, y, zis not a valid expression
- Unlike previous proposals, relationships are now expressed as peers of the components (old proposal: (COMPONENTS) [CHILDREN], new proposal(COMPONENTS [CHILDREN])). I think in all cases, they are more legible without commas, especially in the very simple / very common case ofSomeComponent [ CHILDREN ]. The comma version of this looks weird, especially without the tuple wrapper:SomeComponent, [].
- Removing the commas helps visually group entities when they would otherwise be lost in a sea of punctuation. I think that in practice this is extremely noticeable (try adding the commas to the various bsn!examples and establish your own opinions).
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
- Removing the commas helps visually group entities when they would otherwise be lost in a sea of punctuation.
I'm not convinced its more readable - I prefer trailing commas, e.g.
BorderColor::from(Color::BLACK),
BorderRadius::MAX,
BackgroundColor(Color::srgb(0.15, 0.15, 0.15)),As a bonus, it pairs better with the straight rust code - this makes it easier to interchange between the two.
There's another example in examples/ui/feathers.rs in fn demo_root in the first button.  Below is with the comma's, which I think is easier to read tbh
                    (
                        :button(ButtonProps {
                            on_click: callback(|_: In<Activate>| {
                                info!("Normal button clicked!");
                            }),
                            ..default()
                        }),
                        [(Text::new("Normal"), ThemedText)],
                    ),There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think for children we should be more explicit than just [ ] , I think @[ ] could be good (would pair nicely with ${ } for expressions as mentioned in a different thread).  For a beginner, it's easier to search Bevy docs for @[ than it would be for [ .  It also means we could use similar syntax in the future for other relationships / features.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Not trying to argue for commas (though I kinda like them), but a simple mitigation for 1 is to simply use parentheses for the macro: bsn!(A, B, C) and it looks like a valid tuple again.
As far as 2 (probably more controversial), I probably won't use the children shorthand. I like that Children isn't special-cased in the ECS, it's "just another component", and the shorthand syntax kinda obfuscates that. I'd be much more likely to use Children [ ... ] for consistency in my own scenes.
I think 3 is a lot more opinion-based, though, and I don't have anything to add.
I realize commas aren't the most important detail and I'm not trying to waste time with a big argument. Just my two cents.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I don't like the choice to not have commas between components - I would prefer a more rusty syntax with commas delimiting all components. I would also prefer the distinction between what is a component and what is an entity to be more explicit - I think it would be nice if all entities can be marked with # - I think it would make it easy to see what is an entity and what is a component at a glance. This would make #{name}(...) required for each entity. It has the added advantage of allowing users to build a correct mental model about what relationships look like (a collection of entities).
edit: not sure if intentional but the # prefix == entity association is also a nice reminder that an entity is just an 8 byte number - whereas a component can be something larger.
    bsn! {
        #Root(
            Player,
            Sprite { image: "player.png" },
            Health(10),
            Transform {
                translation: Vec3 { y: 4.0 }
            },
            on(|jump: On<Jump>| {
                info!("player jumped!");
            }),
            [
                #NamedEntity(
                    Hat,
                    Sprite { image: "cute_hat.png" },
                    Transform { translation: Vec3 { y: 3.0 } } ),
                ),
                // still an entity - but without a name
                #(:sword, Transform { translation: Vec3 { x: 10. } } ),
            ]
        )
    }There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
bsn! #Root{
I believe this wouldn't work because of mandatory delimiters around function-like proc macro invocation.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
You are right... got trolled by an LLM, mb.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I don't like the choice to not have commas between components - I would prefer a more rusty syntax with commas delimiting all components. I would also prefer the distinction between what is a component and what is an entity to be more explicit - I think it would be nice if all entities can be marked with
#- I think it would make it easy to see what is an entity and what is a component at a glance. This would make#{name}(...)required for each entity. It has the added advantage of allowing users to build a correct mental model about what relationships look like (a collection of entities).
Maybe I am just not familiar enough with Scenes, but after going through the proposal and feeling like I understood everything I was quite confused what we are actually describing with the macro. An entity? A Scene? (I get that a Scene is also just an entity at the end of the day).
I like your idea to differentiating more clearly between component and entity and merging it with Name.
Not trying to argue for commas (though I kinda like them), but a simple mitigation for 1 is to simply use parentheses for the macro:
bsn!(A, B, C)and it looks like a valid tuple again.As far as 2 (probably more controversial), I probably won't use the children shorthand. I like that
Childrenisn't special-cased in the ECS, it's "just another component", and the shorthand syntax kinda obfuscates that. I'd be much more likely to useChildren [ ... ]for consistency in my own scenes.
Google tells me with curly braces  the macro can be used as a statement, but I this does not seem to make a difference in the examples posted yet.
Agreed on the Children. I don't think it should be special cased, especially without commas I think X [] is very confusing unless I already know that X is actually a Component and not a Relationship (how am I supposed to know?). If anything they should be even more obvious besides Relationship [].
Whether making commas mandatory is a good or the best solution for any of the issues is another question, but to me it seems like the obvious thing to reach for.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I wanted to add that using #Name(X, Y, X,) for entities and @Relationship [A, B, C,] would also make the entire thing greppable and easier to navigate, especially for larger scenes!
# for entities, @ for relationships, , for component separations
(Allowing autoformatting out of the box might also be great when using bsn!() instead of bsn! {}.)
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
after going through the proposal and feeling like I understood everything I was quite confused what we are actually describing with the macro.
We're describing a template. That template can be instantiated to real entities as many times as needed. That's my understanding anyway.
| use variadics_please::all_tuples; | ||
|  | ||
| /// A [`Template`] is something that, given a spawn context (target [`Entity`], [`World`](crate::world::World), etc), can produce a [`Template::Output`]. | ||
| pub trait Template { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
What happened to Construct?
Template fills a similar role to my previously proposed Construct trait. The core difference is that Construct was implemented for the output type rather than the input type. The Construct approach was good because it allowed us to correlate from the desired type (ex: a Sprite component) to the "props" type (ex: SpriteProps). Note that "props" was the term I used for the "template" concept in my previous proposals. However the Construct approach was overly limiting: there were a number of desirable use cases where it resulted in the dreaded "conflicting implementations" error. Template lets us have our cake and eat it too. Multiple Templates can produce the same output type. The GetTemplate trait can be implemented for types that have a "canonical" Template, but we can always use raw templates directly in cases where a type cannot have a canonical template, shouldn't have one, or we want to override the canonical template.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Very happy with this evolution! Template tackles a lot of the concerns I had about Construct. Flipping it around this way makes much more sense 👍
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Agreed, I expressed this in the discord but this does seem like the best iteration. All the nice bits of both "directions".
        
          
                crates/bevy_scene2/src/spawn.rs
              
                Outdated
          
        
      | } | ||
|  | ||
| impl SpawnScene for World { | ||
| fn spawn_scene<S: Scene>(&mut self, scene: S) -> EntityWorldMut { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
What happened to efficiently spawning scenes "directly" without resolving to the dynamic format?
For awhile I supported this by unifying Scene and Template: Scene was implemented for any T: Template<Output: Bundle>. I then implemented Template for TemplatePatch and the SceneList impls, meaning that Scene was just a specialization of Template, and whether bsn! was a Template or a Scene was a matter of what trait you decided to return. Scene could then expose a spawn function.
I opted for a hard split between the traits (and the types) for the following reasons:
- This conflation resulted in a number of confusing / inconsistent behaviors:
- When spawned as a template, patches would step on each other if they were defined twice. Ex: Player { x: 10. } Player { y: 10.}would behave as expected when spawned as a Scene, but they would step on each other when spawned as a Template (for performance reasons, patches returned a Bundle with the full patch type, preventing unnecessary archetype moves).
- Attempting to spawn a bsn!that uses asset inheritance, directly as a template, would fail at runtime.
- The more interestng "stateful" behaviors, such as patching inherited children, would also fail at runtime.
 
- When spawned as a template, patches would step on each other if they were defined twice. Ex: 
- It complicated the conceptual model. Users had to know "am I using the subset of bsn!that can be spawned directly"
- Templates that didn't return a Bundle needed specialized Scene impls to be used in that context.
I'm open to reconsidering this if we can address those concerns, or if we can't make the dynamic form suitably performant. Being able to directly / cheaply spawn a bsn! subset certainly has an appeal.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Thanks for highlighting this and the reasoning here! This is helpful.
I really think we should reconsider using the dynamic format though. Deferring scene spawning is worrying as pretty much every other function on World is instant. spawn, insert, insert_resource, ... all instantly apply their affects. Especially something named spawn_scene I would be (am?) very surprised if it didn't actually spawn a scene but just spawned a thing that will eventually spawn a scene. We already sorta have this problem with SceneRoot, and it's not something I would like us to carry over for the general case. At least SceneRoot has the benefit that it just looks like a component spawn, which is exactly what it is - this maps well to the mental model.
Your concerns about stuff failing at runtime is understandable, but I'd rather have that than users "coping" with the fact that spawning isn't really spawning - that's basically why spawning scenes requires using SceneInstanceReady. Another way to cope with this is using the SceneSpawner API directly, though it's much more cumbersome. BSN has a chance to change that though!
Maybe this is an unpopular opinion, but I'm ok with panics as long as they are load and unavoidable - in this case, if you use an "invalid" BSN feature for this sync case, that panicking is almost certain to be hit every time. It's annoying, but it's also easy for users to see and fix.
Edit: I realized after the fact that we can just make it not panic, and just return a result now that we have fallible stuff! At least we'll get error messages about it.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I really think we should reconsider using the dynamic format though. Deferring scene spawning is worrying as pretty much every other function on World is instant.
spawn,insert,insert_resource...
I do agree that we should reconsider having the static resolution if possible/more performant . The way we could statically produce the whole bundle in the old proposal with EntityPatch was really elegant!
However, I don't think its needed to solve the deferred/async scene spawn problem. If we were to have APIs for sync spawning (returning Result, with error for unresolved stuff or similar), those APIs could still use the dynamic version.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'm currently interested in exploring a "static / immediately spawnable" BSN subset, with a different trait, that is still compatible with the dynamic representation. In addition to making things faster / more immediate, it would also open the doors to closing the gap between required components and bsn. require(my_scene) performing just as well as / behaving like / being compatible with required components would be pretty sick!
|  | ||
| #[derive(Component, Debug, GetTemplate)] | ||
| struct Sprite { | ||
| handle: Handle<Image>, | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
What happened to "Template/Prop field syntax"?
This PR actually implements it! That being said, I am proposing we cut it, as it complicates the mental model, in practice it doesn't seem to be needed often, and in cases where it is, that functionality can be added manually to templates that need it. I really don't like that it forces manual user opt-in for each template to anticipate that actual value passthrough will be needed. If we decide inline handles should be supported in templates, we can add a HandleTemplate::Value(Handle<T>), and it will magically be supported everywhere without special bsn! syntax or manual opt-in.
This is what it looks like in the current system:
#[derive(GetTemplate)]
struct Player {
    #[template]
    image: Handle<Image>,
}
bsn! {
    Player {
        image: @"player.png"
    }
}
let handle = assets.load("player.png");
bsn! {
    Player {
        image: TemplateField::Value(handle),
    }
}| Sprite { | ||
| handle: "asset://branding/bevy_bird_dark.png", | ||
| size: 1, | ||
| nested: Nested { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Optional nested struct names?
In theory, we could omit nested struct type names:
// Type name specified
bsn! { Transform { translation: Vec3 { x: 1. } } }
// Type name omitted
bsn! { Transform { translation: { x: 1. } } }However there are some issues:
- 
Unnamed field structs are ambiguous with tuple values foo: Foo(1, 2) foo: (1, 2) This is potentially resolvable by treating tuple values as patches too, as the field vs tuple accessors will be the same. 
- 
Named field structs without fields specified are ambiguous with expression blocks foo: Foo {} foo: {} We could resolve this by just picking a winner (ex: empty expression blocks are actually empty struct patches, or vice versa). However that will make error cases (which will happen) potentially confusing for developers. 
- 
Named field structs with fields require reaching further into the struct to disambiguate between expressions and struct patches. // V V at both of the points marked with 'V' we don't know if this is an expr or a struct patch foo: { x: 1 } This is only a minor complexity issue from a parsing perspective as we can obviously look forward. However it has implications for autocomplete because when typing xwe're still in a quantum superposition of "expression" or "field patch". We need to pick a winner, but a percentage of the time we will be wrong. In those cases, autocomplete will yield the wrong results, which will be painful and confusing for people.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think we should use a more explicit syntax {{ }} or ${ } for expression blocks.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
IMO the explicit variant does communicate the intent better. While {{ }} is faster to type, ${ } is easier to distinguish and so easier to read (for the human reader) As sourcecode is much more often read then written, I would prefer ${ } style.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I agree that we should consider using a more explicit/less ambigous expression syntax. Being able to omit struct names is very appealing. It would make the DX/discoverability so much nicer, especially whensince we have nice autocomplete support for members.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Another benefit to the longer syntax is that it will be familiar to people used to other tools, making it easier to distinguish and pick up on.
${ } for expressions, though also often for string interpolation, is used by: Shells (bash etc), JS/TS, Groovy, Perl. This is the syntax I personally prefer.
{{ }} on the other hand is used by templating languages like Jinja, Nunjucks, Vue, Angular, Django - but also mostly for string interpolation. The common format for "logic" is {% %} but that's entirely un-Rusty.
Either of these are far nicer options than single { }, not only due to familiarity, but easier grep-ability as well.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
At least in bash ${foo}  is the same as $foo, it's long-form syntax for variable access, with some possible extra options (e.g. echo "${PATH:10:14}" will give you the 10th to 14th character in $PATH), $(foo) is used for subshells.
But Rust isn't bash so it's not necessarily a good idea to get inspiration from there. The meaning of any already-existing Rust syntax involving {} shouldn't change so Foo {} is a struct and {} , without any leading something, is a block, how about :{} or ?{} or #{} for "I don't want to write this identifier, infer it for me", and leave block syntax alone.
All in all though I don't think it hurts to be a bit unwieldy and verbose when it helps clarity. Scene data is, in the end, data, if you want anything complex you're probably going to generate it in one way or the other, and if you don't the verbosity doesn't hurt because you're not writing much of it.
So, instead of worrying about  bsn! { Transform { translation: Vec3 { x: 1. } } } being awkward the question should be "how hard will it be for people to implement a macro so they can write translate!(1*up+2*down)".
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
At least in bash ${foo} is the same as $foo, it's long-form syntax for variable access,
You're right, i was actually thinking of $() for subshells but that's obviously not the same.
The meaning of any already-existing Rust syntax involving {} shouldn't change so Foo {} is a struct and {} , without any leading something, is a block
While yes, that is the case, its disambiguated far more clearly by surrounding syntax in Rust. Syntax which bsn won't have, which makes it not just more difficult on a technical level, but far more importantly for me on a visual level.
Scene data is, in the end, data, if you want anything complex you're probably going to generate it in one way or the other, and if you don't the verbosity doesn't hurt because you're not writing much of it.
I disagree with this sentiment. If this was the case, there wouldn't be any need to even create a custom format, and especially not as a macro. You may want to work this way, but bevy has always promised that even with an editor it will stay a code-first engine - and that should include being able to write more complex structures easily and efficiently. If you're automatically generating things you'll either generate asset files (which this isn't about) or you'll generate the underlying Rust code. But you won't generate bsn! macro calls.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
bsn is very much also supposed to be an asset format, and a lot of it will probably be editor generated -- e.g. from blender (replacing the semi-hackish "components in .gltf" approach), or bevy's own editor, say gui layouts. Levels, unit stats, lots of things done by people who couldn't :q their way out of a wet vi.
For that type of use you want a plain data format, something that's easy to parse and generate and efficient to process at load time (because asset modding, I guess). Usability as a text format is a nice-to-have at that stage, but ultimately can be tacked on as an additional compilation step. Something along the lines of nickel: The ergonomic (and programmable!) part is a seamless extension of the plain data format.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I like the explicit types. It makes it clear and easier to parse and I imagine in the future you won't be writing too much bsn macro anyway, so it feels like the most natural option.
| > RegisterSystem<In> for IntoWrapper<I, In, Marker> | ||
| { | ||
| fn register_system(&mut self, world: &mut World) -> SystemId<In> { | ||
| world.register_system(self.into_system.take().unwrap()) | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Does this leak? We need a way to unregister the callback when the owner is despawned.
This is why I had proposed using cached one-shots for inline callbacks, but we have to solve the type-erasure problem.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This does leak in its current form. This style of "shared resource" cleanup feels like it should be using RAII, as we discussed previously.
I'm not sure how the a cached one-shot would solve this problem, as it would still leak in that context as it doesn't use RAII?
From my perspective the only difference between this approach and register_system_cached is where the cache lives (inside the template, which is shared across instances, or inside world).
world.register_system_cached can be directly swapped in here for world.register_system if you think it would be better.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Because cached one-shots eventually get removed automatically, the Callback instance can be safely dropped without needing a destructor.
For the SystemId variant, we will need destruction, which I was attempting to solve with an ownership relation.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Oh, I understand the disconnect. We wouldn't use register_system_cached, that just returns an id. We'd use run_system_cached. That means that Callback retains ownership of the closure and is responsible for dropping it.
| }, | ||
| ..Default::default() | ||
| position_type: PositionType::Absolute, | ||
| left: Val::Px(4.0), | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'd really like to be able to say 4.0px here, or even 4px.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'd like to include use Val::{Px, Percent} in the bevy_ui prelude, which would allow the still rust-ey but much shorter: left: Px(4.0) syntax.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
There was also a proposal for an extension trait that would allow 4.0.px(), but tbh I prefer the Px(4.0) syntax.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I particularly like that
- The "enum variant export" solution requires no special casing in the macro, meaning anyone (3rd party crates, app devs, etc) can utilize the pattern for their own units. This means everything will look / feel consistent.
- It works with RA go-to definition, autocomplete, doc hover, etc.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
could .into() help turn Px(4.0) into Px(4) ?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
to clarify, can we have bsn convert Px(4) to Px(4.into()) or Px(f32::from(4))
| label: C, | ||
| ) -> impl Bundle { | ||
| ( | ||
| pub fn checkbox(props: CheckboxProps) -> impl Scene { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
What happened to the label?
Both checkboxes and radios contain a mix of iconic built-in children (the actual "box") and a parametric child (the label). This allows toggling by clicking on the label text, because otherwise checkboxes are an annoying small hit target.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
The label is supplied by checkbox inheritors, if they so choose. Clicking still works as expected here, to my knowledge. I'm not getting annoyingly small hit targets in the feathers.rs example.
| fn ui() -> impl Scene { | ||
| bsn! { | ||
| Node { | ||
| width: Val::Percent(100.0), | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
It would be nice to write 100pct or even 100%.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
hmm. 100.0 seems standard IMO.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Maybe alias Percent as Pct , along with removing Val::  , then you'd have Pct(100.0)
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Nah, Pct is too ambiguous. Not sure the bsn parsing implications, but should be pretty straightforward to parse Val from "100%" or "10px".
Otherwise I think just bringing Val variants in the prelude would be enough.
        
          
                examples/ui/feathers.rs
              
                Outdated
          
        
      | ), | ||
| button( | ||
| ButtonProps { | ||
| on_click: Callback::System(commands.register_system( | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Note that commands.register_system() is leaky too - I was working on a solution for this.
        
          
                examples/ui/feathers.rs
              
                Outdated
          
        
      | ), | ||
| } | ||
| [ | ||
| :radio Checked::default() [(Text::new("One") ThemedText)], | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'm not understanding something here about the way the children lists are merged. Or at least, what's happening here doesn't match my naive intuition, I would have thought that [ ... ] would replace, rather than appending, children. This needs to be made clear in the docs.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I made the "append" behavior clear in the Inheritance section of the description. I agree that when the actual docs are written, this should be called out explicitly.
        
          
                examples/ui/feathers.rs
              
                Outdated
          
        
      | ), | ||
| } | ||
| [ | ||
| :radio Checked::default() [(Text::new("One") ThemedText)], | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Is this Checked::default() instead of Checked in order to disambiguate it from relationship syntax? In the examples from the PR description, there are a few uses of e.g. Node [ ... ] that surprised me as well because it looks like it should be parsed as relationship syntax and thus fail because Node isn't a RelationshipTarget.
I think an explicit marker is needed to distinguish relationship syntax from patch + children shorthand, something like Children: [ ... ]?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yup resolving this is at the top of my todo list. We discussed this in the working group Discord a few days ago.
| {children} | ||
| ] | ||
| } | ||
| } | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
(posted here for threading, line of code irrelevant) In the PR description you write
It is generally considered best practice to wrap related entities with more than one entry in () to improve legibility. One notable exception is when you have one Template patch and then children:
bsn! {
    Node { width: Px(10.) }  [
        Node { width: Px(4.0) } [
            // this wraps with `()` because there are too many entries
            (
                Node { width: Px(4.0) }
                BackgroundColor(RED)
                [ Node ]
            )
        ]
    ]
}
What does this mean? I can't make heads or tails of this, this is an exception to wrapping for children because too many entries but then we wrap anyways? why is it too many entries? how many is too many? is this an optional "best practice" or is the exception that its mandatory?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This is an optional best practice. Not mandatory. To help illustrate:
bsn! {
  Node { width: Px(10.) } [
    // This has one "entry", so no need to wrap with ()
    Node { width: Px(4.) },
    // This has two "entries", so we wrap with ()
    (Node { width: Px(4.) } BackgroundColor(RED)),
    // This has two "entries", but one is Node and the other is [], so we opt to not wrap it in ()
    Node { width: Px(4.) } [
        Node
    ],
    // We _could_ wrap it in () if we wanted, but I'm arguing that this does not improve
    // legibility, so we shouldn't include it in this case
    (Node { width: Px(4.) } [
        Node
    ])   
  ]
}There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ohhh it's because () is used to group all components for a specific entity, while , is used to separate entities. It's because this:
bsn! {
    Human [
        // First child entity
        (
            Arm
            Health(100)
            Length(2)
        ),
        // Second child entity
        (
            Leg
            Health(75)
            Length(3)
        )
    ]
}Is easier to read than this:
bsn! {
    Human [
        // First child entity
        Arm
        Health(100)
        Length(2),
        // Second child entity
        Leg
        Health(75)
        Length(3)
    ]
}There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
bsn! {
    Human [
        Arm
        Health(100)
        Length(2),
        Leg
        Health(75)
        Length(3)
    ]
}Is a little spooky syntax to me. Since a single comma (that's easy to miss!) somewhere can completely change the meaning.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
bsn! {
    Human [
        Arm Health(100) Length(2),
        Leg Health(75) Length(3)
    ]
}I hope we don't mega-bikeshed this one syntactic feature. There's ways to make it work either way.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think this issue is particularly important as the entities get bigger - for smaller (dare I say toy) enties with simple components, you can segregate the entities by line, but as each child entitiy gets more complex, the risk increases.
Maybe we need a complex example to ruminate on?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
With proper tooling, I don't think this would be a problem in practice. A formatter could use some heuristic to determine how many components is too many, and then place them in parentheses.
| hash: u64, // Won't be serialized | ||
| name: Cow<'static, str>, | ||
| } | ||
| pub struct Name(pub HashedStr); | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Some of these changes feel very uncontroversial and isolated/easy to land without even needing the greater bsn as justification like this one imo. Thoughts on landing bits like these early?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yeah I think changes like this could land early.
| "bevy_picking", | ||
| "bevy_render", | ||
| "bevy_scene", | ||
| "bevy_scene2", | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
@ValorZard I'm converting your top-level comment into a thread (please see the PR description):
(Not related to this comment at alll)
so this is probably out of scope from this PR, but how exactly will .bsn as a file format will work?
My original perception was that .bsn was basically JSX from React fused with the way Godot does scenes, and that seems to mostly be the case.
However, in the example you posted of the bsn! Macro having an observer callback, that’s just a regular rust function.
bsn! { Player on(|jump: On| { info!("Player jumped"); }) }
Will a .bsn file just have arbitrary rust code that runs during the game?
The idea is that .bsn will be the subset of bsn! that can be represented in a static file. In the immediate short term, that will not include things like the on function, as we cannot include arbitrary Rust code in asset files.
The primary goal of .bsn will be to represent static component values editable in the visual Bevy Editor. In the future we might be able to support more dynamic / script-like scenarios. But that is unlikely to happen in the short term.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Drat. I thought I did the comment thing correctly.
but otherwise that makes sense. So .bsn and bsn! Aren’t fully equivalent. Interesting.
I guess Bevy could support something like Godot’s callables in the future maybe, and have some sort of id sorted in the .bsn file that could be converted to a function? Idk
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yeah, function reflection + a registry should make stringly-typed callbacks defined in assets very feasible.
| Team::Green(10) | ||
| {transform_1337()} | ||
| Children [ | ||
| Sprite { size: {4 + a}} | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'm wondering why the expression syntax { } is required.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I originally thought it was because there aren't any commas to separate field assignments, but that actually isn't the case here since its a struct constructor.
| use std::{any::TypeId, marker::PhantomData}; | ||
| use variadics_please::all_tuples; | ||
|  | ||
| pub trait Scene: Send + Sync + 'static { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Why are Template and Scene separate types?
Could Template not just be expressed as patching an empty scene?
E.g. Godot has a single scene type.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
There isn't really a Scene type in Godot's type system. Template is largely filling the role of a "property" in Godot. "Scene" is filling the role of a scene file if it could be abstracted over in code (in godot "in code" Scenes aren't really thing ... you define Nodes and then you "pack" them into a PackedScene). DynamicScene is filling a similar role to PackedScene.
| handle: Handle<Image>, | ||
| } | ||
|  | ||
| #[derive(Component, Clone, Debug, GetTemplate)] | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Why does GetTemplate need to be manually derived?
The GetTemplate traits feels... weird to me. Creating a template from a type seems like an internal detail to me. As a bevy user, I just want to think in terms of entities, assets, components, and helper functions that return impl Scene. Ideally I just derive component on my type and can automatically use it in scenes/templates.
Can we not just blanket derive GetTemplate, and hide it as an internal detail?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I agree, GetTemplate here is more manual than I want it to be. Could we do something like:
impl<T: Template> GetTemplate for T::Output {
    type Template = T;
}There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
That sadly goes directly against the point of GetTemplate.
The idea as I understand it, is that a Template is like a factory. And you can have several factories producing the same type of thing. So there's not a one-to-one correspondence between outputs and template types.
GetTemplate is there to express that sometimes there should be an obvious template for a type.
But I'm 99% sure this impl block is not valid, because it can and will create conflicting impls. (Even if it didn't create conflicting impls, rustc cannot prove it.)
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
We could make a ComponentTemplate<T: Component>(T) type that implements GetTemplate, and then in the bsn! macro, it could automatically wrap components in ComponentTemplate.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
How would it know what Template logic to use for T: Component?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Also if you would like to try your hand at any reframings, you are welcome to! The best way to convince me there is a better approach is to make it happen. To keep the scope down / make experimentation easier just skip porting bsn! and compose scenes directly in Rust.
| } | ||
| } | ||
|  | ||
| fn widget(children: impl SceneList) -> impl Scene { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
impl Scene, or T: Scene works well for functions that return new scenes.
What are the options for storing a type erased scene/template(?) as a value?
E.g. I could see a use case where a plugin asks the user to provide something like a ResourceThing(Box<dyn Scene>), and then the plugin can use it to spawn scenes when needed.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Scene is object safe, so you can just box it directly. We could consider implementing Scene for Box<dyn Scene> if we decide that is necessary. In userspace, you can also already build a impl Scene for BoxedScene wrapper.
Templates are not object safe. There is an ErasedTemplate type used by ResolvedScene, but it is not usable as a Template directly. In theory it could be framed as a Template<Output = ()> though, if we decide that would be useful.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This is a long standing request of mine, see #3227. I would be extremely happy with a resolution in some form here.
| #[derive(Default)] | ||
| struct Bonus { | ||
| entity: Option<Entity>, | ||
| i: usize, | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
(Code span unrelated.)
Linting BSN
I work on bevy_lint, and can write lints that help users migrate / enforce good practices with BSN. Do you have any ideas for lints that could help here?
The linter is able see basically anything the Rust compiler can, especially:
- Syntax (before and after macro expansion)
- Type and trait information
The linter works exactly the same as Clippy, so you can use that for further reference on our capabilities.
The linter doesn't work as well with formatting, however, so using it to auto-format bsn! invocations is mostly off the table.
cc @DaAlbrecht, who also works on the linter :)
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Hmm while we're still evolving syntax and apis I won't have any suggestions here. I think once we land something on main we should identify common patterns / gotchas.  I love that this stuff is on the table :)
| You added a new example but didn't add metadata for it. Please update the root Cargo.toml file. | 
* Restore the panes in the feathers example * Migrate tool_button to use EntityCursor * Remove unused imports * Fix AlphaPattern with bsn! and simplify handle initialization
| Sprite { size: b } | ||
| Team::Green(10) | ||
| {transform_1337()} | ||
| Children [ | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I want to talk about the Marker [ ... ] vs. Relation [...] ambiguity.
The first solution that comes to mind is to add a delimiter character:
Relation: [
    ...
]So grammatically, the sequence "identifier colon left-bracket" means that the list of items is an argument to the identifier, not a standalone item.
However, there's another idea that looks even more visually distinctive, which is to place the name of the relation inside the brackets:
[Observers: foo, bar]
[Effects: this, that]
[child1, child2]In this variation, the sequence "left-bracket identifier colon" means a list of items that are related via the given relation.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
A related issue is whether relations should replace or append. I think most of the time append is the right choice:
[Observers: o1, o2]
[Observers: o3, o4]...would produce an entity with 4 observers.
The reason I think append should be the default is because of the patching nature of templates: often times a scene will be a composition of multiple templates, and we want to encourage compositional thinking where possible.
In cases where we want to do a replacement, a method that triggers a specific bundle effect can be used:
[Observers: o1, o2]
Observers::clear()
[Observers: o3, o4]There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Agreed: #19715
This has caused quite a few headaches when children! surprisingly yeets your preexisting hierarchy
| Can bsn's relationship work with  | 
| Just merged changes from cart#43. Thanks @tim-blackbird! | 
| ) -> impl Bundle { | ||
| ( | ||
| pub fn button(props: ButtonProps) -> impl Scene { | ||
| bsn! { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
There are a few points discussing different options around how best to implement inheritance, including:
Explore struct-style inheritance (ex: :Button { label: "hello" })
Investigate supporting inherited scenes "intercepting" children from the inheritor. This may also tie into "inline scene inputs".
I'd like to suggest a different paradigm that I think would be ideal for this format: Merging, ala Nickel or Cue.
Both of these use the "merge operator" to combine two containers. Merging is commutative, which means the order doesn't matter, this enables understanding and debugging the end result much easier, and makes it possible to need workarounds for the directed nature of inheritance.
I will let these projects explain why their approach is a good idea:
Cue: relation to inheritance
Nickel: overriding
Both languages philosophy are applicable here, but possibly Nickels approach might match your current thoughts better.
There will be things to solve in this usecase though, as both Cue and Nickel assume a dictionary style layout. One path forward would be to merge based on the components an entity already has, this would likely use Name a lot.
Here is a small example.
Given the following two bsn! declarations:
let button = bsn! {
        Button [
            Text(text)
        ]
    }
let button2 = bsn! {
        :button
        BackgroundColor(RED)
    }This works as you would currently expect. The difference would be if you then tried to merge the same component but with a different value:
let fail = bsn! {
        :button
        BackgroundColor(Green)
    }This system couldn't know which is preferable, as order cannot matter. A motivating case where this helps catch things is if you had two scenes containing a Name("player1") entity that gets merged with conflicting items. Instead of being confused why the Outfit isn't what you expect, you can see why this was chosen. If we use Nickels data model, we would then resolve this with merge priorities, or more likely, realise that our reusable scenes aren't defined well.
This goes the other way quite easily: a scene that is meant to be the prototype can have its own requirements that it can enforce, no intercepting of inheritors necessary.
Please read the docs I linked, they make the case so much better than I could, but I do think this style of composition has a lot of merit for something like bsn!
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'm open to considering this, but it is worth calling out that this sort of "conflict detection behavior" would incur significant runtime overhead, as it would involve storing fields dynamically and applying the relevant merge on top. Viable for a "compiler" that has full type system knowledge at compile time + can do the expensive work ahead of time. But given that this is executing at runtime (the bsn! macro doesn't have enough type information to resolve this kind of thing), this would be an order of magnitude slower to evaluate.
| TokenStream::from(scene.to_tokens(&bevy_scene, &bevy_ecs, &bevy_asset)) | ||
| } | ||
|  | ||
| pub fn bsn_list(input: TokenStream) -> TokenStream { | 
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I've been continuing to mess around with the BSN branch, however the biggest blocker for me is that I can't do very much with SceneList at the moment. Currently about all you can do is use it in a children [] block.
I have a substantial number of use cases which require spawning a SceneList as children of a pre-existing entity. We've discussed this a while back: something like spawn_scene_list_related::<Children>(parent, scene_list) would work.
I did spend some time looking into how this might be done, but I didn't get very far.
| I've updated this branch (including feathers) to Bevy 0.17.2 (and changed the base branch of this PR to keep the diff sane). | 
| Note that I trimmed out the "newer" feathers widgets in the interest of keeping the complexity of the port down. We can re-add the new stuff. | 
| You added a new example but didn't add metadata for it. Please update the root Cargo.toml file. | 
| I just pushed "entity name references as values". So this is now possible: fn root() -> impl Scene {
    bsn! {
        :base
        #Root
        SomeEntity(#Child)
        [
            (
                #Child
                SomeEntity(#Root)
            )
        ]
    }
}
fn base() -> impl Scene {
    bsn! {
        #Base
        OtherEntity(#Child)
        [
            (
                #Child
                SomeEntity(#Base)
            )
        ]
    }
}Which produces:  | 
* Porting feathers menu to latest bsn branch. * Remove unnecessary template_value --------- Co-authored-by: Carter Anderson <[email protected]>
Welcome to the draft PR for BSN (pronounced "B-Scene", short for Bevy SceNe), my proposal for Bevy's next generation Scene / UI system. This an evolution of my first and second written proposals. Much has changed since then, but much is also the same. I'm excited to see what everyone thinks!
First some expectation setting: this is not yet a shippable product. It is not time to start porting your games to it. This is unlikely to land in the upcoming Bevy 0.17, but very likely to land in some form in Bevy 0.18. It is starting to become usable (for example I have ported the work-in-progress Bevy Feathers widgets to it), but there are still gaps left to fill and likely many rounds of feedback and tweaking as others form opinions on what works and what doesn't.
What should the "review approach" be?
This PR is not intended to be merged in its current form. Now is not the time to polish things like docs / tests / etc ... save those comments for the next phase. This is a "public experimentation phase" where we can collectively evaluate my proposed approach and flexibly pivot / iterate / tweak as necessary.
If functionality is missing, it is worth discussing whether or not to implement it at this stage, as the goal is to reach an agreed-upon MVP state as soon as possible. Likewise for bugs: if something critical is broken that should be called out and fixed.
Please use threaded discussions by leaving comments on locations in code (even if you aren't talking about that line of code). I'm going to aggressively clean up top level discussions to avoid burying things ... you have been warned.
If you would like to propose changes or add features yourself, feel free to create a PR to this branch in my repo and we can conduct a discussion and review there. This will be a long-living branch that I regularly sync with main.
When we're ready to start polishing and merging into main, I'll create new PRs (with smaller scopes) so we can iteratively review / polish / merge in smaller chunks.
Note that next week I'll be on vacation. Feel free to continue discussing here while I'm gone and I'll respond when I get back.
What is currently included?
From a high level, this draft PR includes Templates, core Scene traits and types, scene inheritance, and the
bsn!macro. This is enough to define scenes in code, and also provides the framework for scene formats to "slot in". This also includes a port of the Bevy Feathers widget framework tobsn!, so look there for "real world" usage examples.What is not currently included?
This does not include the
BSNasset format / loader (ex:asset_server.load("level.bsn")). I've implemented this in my previous experiments, but it hasn't yet been updated the latest approach. This will be done in a followup: not including it allows us to focus on the other bits first and perhaps get a usable subset of non-asset functionality merged first.This also does not include any form of "reactivity". The plan here is to allow for an experimentation phase that tries various approaches on top of this core framework. If the framework cannot accommodate a given approach in its current form (ex: coarse diffing), we can discuss adding or changing features to accommodate those experiments.
See the MVP Stretch Goals / Next Steps section for a more complete list.
Overview
This is a reasonably comprehensive conceptual overview / feature list.
Templates
Templateis a simple trait implemented for "template types", which when passed an entity/world context, can produce an output type such as aComponentorBundle:Template is the cornerstone of the new scene system. It allows us to define types (and hierarchies) that require no
Worldcontext to define, but can use theWorldto produce the final runtime state. Templates are notably:The poster-child for templates is the asset
Handle<T>. We now have aHandleTemplate<T>, which wraps anAssetPath. This can be used to load the requested asset and produce a strongHandlefor it.Types that have a "canonical"
Templatecan implement theGetTemplatetrait, allowing us to correlate to something'sTemplatein the type system.This is where things start to get interesting.
GetTemplatecan be derived for types whose fields also implementGetTemplate:Internally this produces the following:
Another common use case for templates is
Entity. With templates we can resolve anEntityPathto theEntityit points to (this has been shimmed in, but I haven't yet built actual EntityPath resolution).Both
TemplateandGetTemplateare blanket-implemented for any type that implements both Clone and Default. This means that most types are automatically usable as templates. Neat!It is best to think of
GetTemplateas an alternative toDefaultfor types that require world/spawn context to instantiate. Note that because of the blanket impl, you cannot implementGetTemplate,Default, andClonetogether on the same type, as it would result in two conflicting GetTemplate impls.Scenes
Templates on their own already check many of the boxes we need for a scene system, but they aren't enough on their own. We want to define scenes as patches of Templates. This allows scenes to inherit from / write on top of other scenes without overwriting fields set in the inherited scene. We want to be able to "resolve" scenes to a final group of templates.
This is where the
Scenetrait comes in:The
ResolvedSceneis a collection of "final"Templateinstances which can be applied to an entity.Scene::patchapplies the current scene as a "patch" on top of the finalResolvedScene. It stores a flat list of templates to be applied to the top-level entity and typed lists of related entities (ex: Children, Observers, etc), which each have their own ResolvedScene.Scenepatches are free to modify these lists, but in most cases they should probably just be pushing to the back of them.ResolvedScenecan handle both repeated and unique instances of a template of a given type, depending on the context.Scene::register_dependenciesallows the Scene to register whatever asset dependencies it needs to performScene::patch. The scene system will ensureScene::patchis not called until all of the dependencies have loaded.Sceneis always one top level / root entity. For "lists of scenes" (such as a list of related entities), we have theSceneListtrait, which can be used in any place where zero to many scenes are expected. These are separate traits for logical reasons: world.spawn() is a "single entity" action, scene inheritance only makes sense when both scenes are single roots, etc.SceneListis implemented for tuples ofSceneList, and theEntityScene<S: Scene>(S)wrapper type. This wrapper type is necessary for the same reasons theSpawn<B: Bundle>(B)wrapper is necessary when using thechildren![]macro in Bundles: not using the wrapper would cause conflicting impls.Template Patches
The
TemplatePatchtype implementsScene, and stores a function that mutates a template. Functionally, aTemplatePatchscene will initialize aDefaultvalue of the patchedTemplateif it does not already exist in theResolvedScene, then apply the patch on top of the current Template in theResolvedScene. Types that implementTemplatecan generate aTemplatePatchlike this:Likewise, types that implement
GetTemplatecan generate a patch for their template type like this:We can now start composing scenes by writing functions that return
impl Scene!The
on()Observer / event handler Sceneonis a function that returns a scene that creates an Observer template:onis built in such a way that when we add support for adding additional observer target entities at runtime, a single observer can be shared across all instances of the scene.ondoes not "patch" existing templates of the same type, meaning multiple observers of the same event are possible.bsn!Macrobsn!is an optional ergonomic syntax for definingSceneexpressions. It is built to be as Rust-ey as possible, while also eliminating unnecessary syntax and context. The goal is to make defining arbitrary scenes and UIs as easy, delightful, and legible as possible. It was built in such a way that Rust Analyzer autocomplete, go-to definition, and doc hover works as expected pretty much everywhere.It looks like this:
I'll do a brief overview of each implemented
bsn!feature now.bsn!: Patch SyntaxWhen you see a normal "type expression", that resolves to a
TemplatePatchas defined above.This resolve to the following:
This means you only need to define the fields you actually want to set!
Notice the implicit
.into(). Wherever possible,bsn!provides implicitinto()behavior, which allows developers to skip defining wrapper types, such as theHandleTemplate<Image>expected in the example above.This also works for nested struct-style types:
Note that you can just define the type name if you don't care about setting specific field values:
To add multiple patches to the entity, just separate them with spaces or newlines:
Enum patching is also supported:
Notably, when you derive GetTemplate for an enum, you get default template values for every variant:
This means that unlike the
Defaulttrait, enums that deriveGetTemplateare "fully patchable". If a patched variant matches the current template variant, it will just write fields on top. If it corresponds to a different variant, it initializes that variant with default values and applies the patch on top.For practical reasons, enums only use this "fully patchable" approach when in "top-level scene entry patch position". Nested enums (aka fields on patches) require specifying every value. This is because the majority of types in the Rust and Bevy ecosystem will not derive
GetTemplateand therefore will break if we try to create default variants values for them. I think this is the right constraint solve in terms of default behaviors, but we can discuss how to support both nested scenarios effectively.Constructors also work (note that constructor args are not patched. you must specify every argument). A constructor patch will fully overwrite the current value of the Template.
You can also use type-associated constants, which will also overwrite the current value of the template:
bsn!Template patch syntaxTypes that are expressed using the syntax we learned above are expected to implement
GetTemplate. If you want to patch aTemplatedirectly by type name (ex: your Template is not paired with a GetTemplate type), you can do so using@syntax:bsn!: Inline function syntaxYou can call functions that return
Sceneimpls inline. Theon()function that adds an Observer (described above) is a particularly common use casebsn!: Relationship Syntaxbsn!provides native support for spawning related entities, in the formatRelationshipTarget [ SCENE_0, ..., SCENE_X ]:Note that related entity scenes are comma separated. Currently they can either be flat or use
()to group them:bsn!also supports[]shorthand for children relationships:It is generally considered best practice to wrap related entities with more than one entry in
()to improve legibility. One notable exception is when you have one Template patch and then children:Ultimately we should build auto-format tooling to enforce such conventions.
bsn!: Expression Syntaxbsn!supports expressions in a number of locations using{}:Expressions in field position have implicit
into().Expressions are also supported in "scene entry" position, enabling nesting
bsn!insidebsn!:bsn!: Inline variablesYou can specify variables inline:
This also works in "scene entry" position:
Inheritance
bsn!uses:to designate "inheritance".You can inherit from other functions that return a
Scene:You can pass arguments to inherited functions:
You can inherit from scene assets:
Note that while there is currently no implemented
.bsnasset format, you can still test this by registering in-memory assets. See thebsn.rsexample.Related entities can also inherit:
Multiple inheritance is also supported (and applied in the order it is defined):
Inheritance concatenates related entities:
As a matter of convention, inheritance should be specified first. An
impl Sceneis resolved in order (including inheritance), so placing them at the top ensures that they behave like a "base class". Putting inheritance at the top is also common practice in language design, as it is high priority information. We should consider enforcing this explicitly (error out) or implicitly (always push inheritance to the top internally).bsn_list!/ SceneListRelationship expression syntax
{}expects a SceneList. Many things, such asVec<S: Scene>implementSceneListallowing for some cool patterns:The
bsn_list!macro allows defining a list of BSN entries (using the same syntax as relationships). This returns a type that implementsSceneList, making it useable in relationship expressions!This, when combined with inheritance, means you can build abstractions like this:
bsn!: Name shorthand syntaxYou can quickly define Name components using
#Nameshorthand. This might be extended to be usable in EntityTemplate position, allowing cheap shared entity references throughout the scene.Name Restructure
The core name component has also been restructured to play nicer with
bsn!. The impl onmainrequiresName::new("MyName"). By making the name string field public and internalizing the prehash logic on that field, and utilizing implicit.into(), we can now define names like this:BSN Spawning
You can spawn scenes using
World::spawn_sceneandCommands::spawn_scene:For scene assets, you can also add the
ScenePatchInstance(handle)component, just like the old Bevy scene system.templateScene functionIf you would like to define custom ad-hoc non-patched Template logic without defining a new type, you can use the
template()function, which will return aScenethat registers your function as aTemplate. This is especially useful for types that require context to initialize, but do not yet use GetTemplate / Template:template_valueScene functionTo pass in a Template value directly, you can use
template_value:There is a good chance this will get its own syntax, as it is used commonly (see the
bevy_featherswidgets).VariantDefaults derive
GetTemplateautomatically generates default values for enum Template variants. But for types that don't useGetTemplate, I've also implemented aVariantDefaultsderive that also generates these methods.Bevy Feathers Port
This was pretty straightforward. All widget functions now use
bsn!and returnimpl Sceneinstead of returningimpl Bundle.Callbacknow implementsGetTemplate<Template = CallbackTemplate>. I've added acallbackfunction that returns a CallbackTemplate for the given system function. I believe this wrapper function is necessary due to how IntoSystem works.I highly recommend checking out the widget implementations in
bevy_feathersand the widget usages in thefeathers.rsexample for "real world"bsn!usage examples.MVP TODO
This is roughly in priority order:
MarkerComponent [CHILDREN]vsObservers [OBSERVERS]ambiguity:Button { label: "hello" })#Namesyntax to be usable in EntityTemplate position for cheap entity references throughout the scene. This will likely involve replacingTemplate::build(entity: EntityWorldMut)with a wrapperTemplateContext, so we can cache these entity references.bsn!can accommodate them.bsn!. This may tie in to reactivityT: GetTemplate<Template: Default + Template<Output = T>>. This is similar to the Reflect problem, but uglier. The derive should be adjusted to remove this requirement.touch_type::<Nested>()approach could be replaced withlet x: &mut Nestedfor actual type safety..Default::default()and the upcoming..)Thing<X> {}in addition toThing::<X> {}. We can defeat the turbofish!codegen.rsfileworld.spawn_template(),entity.insert_template(), etc)bsn.rsexample sometimes hangs (race condition!)MVP Stretch Goals / Next Steps
bsn!hot patching via subsecondOn<SceneReady>, which is fired when an entity's scene templates have been applied and all of its children have firedOn<SceneReady>)<Transform as GetTemplate>::Template::from_transform()Discussion
I've created a number of threads with discussion topics. Respond to those threads and/or create your own. Please do not have top-level unthreaded conversations or comments. Create threads by leaving a review comment somewhere in the code (even if you can't find a good line of code to leave your comment). Before creating a new thread for a topic, check to see if one already exists!