This is an old revision of the document!
This is the first dev log
Today I started this log I guess… The plan is two fold. I want to learn the bevy framework and also break down super letter linker to try and make an exact copy of it. I am a lazy piece of shit so lets see how well this goes!! 🤞🤞🤞
Bevy is a strange engine to me. I do not have any experience with entity component systems but this seems like a cool paradigm. But I am mostly using it to use rust to compile down to web assembly. 1)
Everything I learn is basically a brain copy pasta of what is on this site, so your better of reading that but if you so inclined for some god for-saken reason then yea keep reading….. bro. 2) 3)
Component : Blocks of data that make sense. eg in bevy:
#[derive(Component)] struct Person;
Entity : the objects them selves. They are made up of components. eg in bevy:
commands.spawn().insert(Person).insert(Name("Elaina Protractor".to_string()));
The above code basically spawns an entity with a person and name component.
the name component takes a string as a parameter
Systems: Systems transform the data in components.
fn greet_people(query: Query<&Name, With<Person>>){ for name in query.iter() { println!("hello {}!", name.0); } }
The above code is a system that loops through any entity with the components Name and Person and prints “Hello name”
Plugins are the life of bevy. Everything is a plugin the renderers, UI ect… We can add “DefaultPlugins” to include the basic shtuff and it will also make a window and make the game loop I think…
To make our own plugin
pub struct HelloPlugin; impl Plugin for HelloPlugin { fn build(&self, app: &mut App) { app.add_startup_system(add_people) .add_system(hello_world) .add_system(greet_people); } }
Resources are globally unique data of some kind.
taken directly from book
Here are some examples of data that could be encoded as Resources:
This example takes the above greet_people function and makes it repeat every 2 seconds by using the timer resource that the DefaultPlugins provide
fn greet_people( time: Res<Time>, mut timer: ResMut<GreetTimer>, query: Query<&Name, With<Person>>) { // update our timer with the time elapsed since the last update // if that caused the timer to finish, we say hello to everyone if timer.0.tick(time.delta()).just_finished() { for name in query.iter() { println!("hello {}!", name.0); } } }
wagsonwasoff