bevy/examples/app/plugin.rs

45 lines
1.4 KiB
Rust
Raw Normal View History

use bevy::{prelude::*, utils::Duration};
2020-05-03 01:30:10 -07:00
2020-07-28 13:43:07 -07:00
/// Plugins are the foundation of Bevy. They are scoped sets of components, resources, and systems
/// that provide a specific piece of functionality (generally the smaller the scope, the better).
/// This example illustrates how to create a simple plugin that prints out a message.
2020-05-03 01:30:10 -07:00
fn main() {
App::new()
.add_plugins(DefaultPlugins)
2020-05-03 01:30:10 -07:00
// plugins are registered as part of the "app building" process
.add_plugin(PrintMessagePlugin {
wait_duration: Duration::from_secs(1),
message: "This is an example plugin".to_string(),
})
.run();
}
2020-05-16 00:27:30 -07:00
// This "print message plugin" prints a `message` every `wait_duration`
2020-05-03 01:30:10 -07:00
pub struct PrintMessagePlugin {
// Put your plugin configuration here
wait_duration: Duration,
message: String,
}
2020-08-07 20:22:17 -07:00
impl Plugin for PrintMessagePlugin {
2020-05-03 01:30:10 -07:00
// this is where we set up our plugin
fn build(&self, app: &mut App) {
2020-05-03 01:30:10 -07:00
let state = PrintMessageState {
message: self.message.clone(),
timer: Timer::new(self.wait_duration, true),
2020-05-03 01:30:10 -07:00
};
app.insert_resource(state).add_system(print_message_system);
2020-05-03 01:30:10 -07:00
}
}
struct PrintMessageState {
message: String,
2020-06-03 19:53:41 -07:00
timer: Timer,
2020-05-03 01:30:10 -07:00
}
2020-06-03 19:53:41 -07:00
fn print_message_system(mut state: ResMut<PrintMessageState>, time: Res<Time>) {
if state.timer.tick(time.delta()).finished() {
info!("{}", state.message);
2020-05-03 01:30:10 -07:00
}
}