 b6a647cc01
			
		
	
	
		b6a647cc01
		
	
	
	
	
		
			
			Adds a `default()` shorthand for `Default::default()` ... because life is too short to constantly type `Default::default()`.
```rust
use bevy::prelude::*;
#[derive(Default)]
struct Foo {
  bar: usize,
  baz: usize,
}
// Normally you would do this:
let foo = Foo {
  bar: 10,
  ..Default::default()
};
// But now you can do this:
let foo = Foo {
  bar: 10,
  ..default()
};
```
The examples have been adapted to use `..default()`. I've left internal crates as-is for now because they don't pull in the bevy prelude, and the ergonomics of each case should be considered individually.
		
	
			
		
			
				
	
	
		
			42 lines
		
	
	
		
			1.1 KiB
		
	
	
	
		
			Rust
		
	
	
	
	
	
			
		
		
	
	
			42 lines
		
	
	
		
			1.1 KiB
		
	
	
	
		
			Rust
		
	
	
	
	
	
| use bevy::prelude::*;
 | |
| 
 | |
| fn main() {
 | |
|     App::new()
 | |
|         .add_plugins(DefaultPlugins)
 | |
|         .add_startup_system(setup)
 | |
|         .add_system(sprite_movement)
 | |
|         .run();
 | |
| }
 | |
| 
 | |
| #[derive(Component)]
 | |
| enum Direction {
 | |
|     Up,
 | |
|     Down,
 | |
| }
 | |
| 
 | |
| fn setup(mut commands: Commands, asset_server: Res<AssetServer>) {
 | |
|     commands.spawn_bundle(OrthographicCameraBundle::new_2d());
 | |
|     commands
 | |
|         .spawn_bundle(SpriteBundle {
 | |
|             texture: asset_server.load("branding/icon.png"),
 | |
|             transform: Transform::from_xyz(100., 0., 0.),
 | |
|             ..default()
 | |
|         })
 | |
|         .insert(Direction::Up);
 | |
| }
 | |
| 
 | |
| fn sprite_movement(time: Res<Time>, mut sprite_position: Query<(&mut Direction, &mut Transform)>) {
 | |
|     for (mut logo, mut transform) in sprite_position.iter_mut() {
 | |
|         match *logo {
 | |
|             Direction::Up => transform.translation.y += 150. * time.delta_seconds(),
 | |
|             Direction::Down => transform.translation.y -= 150. * time.delta_seconds(),
 | |
|         }
 | |
| 
 | |
|         if transform.translation.y > 200. {
 | |
|             *logo = Direction::Down;
 | |
|         } else if transform.translation.y < -200. {
 | |
|             *logo = Direction::Up;
 | |
|         }
 | |
|     }
 | |
| }
 |