This commit is contained in:
gyoder 2025-12-04 10:05:48 -05:00
commit 5f503efa4d
78 changed files with 5694 additions and 0 deletions

109
src/main.rs Normal file
View file

@ -0,0 +1,109 @@
use bevy::{post_process::bloom::Bloom, prelude::*, sprite::Anchor};
use rand::Rng;
#[derive(Component)]
pub struct PlayerVWBus;
const PLAYER_SPEED: f32 = 100.;
fn main() {
println!("Hello, world!");
App::new()
.add_plugins(DefaultPlugins)
.add_systems(Startup, (setup_scene, spawn_bus, spawn_enemy))
.add_systems(Update, (move_player, follow_player))
.run();
}
fn setup_scene(
mut commands: Commands,
mut meshes: ResMut<Assets<Mesh>>,
mut materials: ResMut<Assets<ColorMaterial>>,
) {
commands.spawn((
Mesh2d(meshes.add(Rectangle::new(1000., 70.))),
MeshMaterial2d(materials.add(Color::srgb(0.2, 0.2, 0.3))),
));
commands.spawn((Camera2d, Bloom::NATURAL));
}
fn spawn_bus(mut commands: Commands, asset_server: Res<AssetServer>) {
let texture = asset_server.load("bus/basicbus.png");
commands.spawn((
PlayerVWBus,
Sprite {
image: texture,
custom_size: Some(Vec2::new(192., 133.)),
..default()
},
Transform::from_xyz(2., 0., 3.),
Anchor::CENTER,
));
}
fn spawn_enemy(
mut commands: Commands,
mut meshes: ResMut<Assets<Mesh>>,
mut materials: ResMut<Assets<ColorMaterial>>,
) {
let mut rng = rand::rng();
for _ in 0..10 {
commands.spawn((
Mesh2d(meshes.add(Circle::new(10.))),
MeshMaterial2d(materials.add(Color::srgb(1.1, 0.2, 0.3))),
Transform::from_xyz(
rng.random_range(-600..600) as f32,
rng.random_range(-600..600) as f32,
1.,
),
));
}
}
fn move_player(
mut player: Single<&mut Transform, With<PlayerVWBus>>,
mut player_sprite: Single<&mut Sprite, With<PlayerVWBus>>,
time: Res<Time>,
kb_input: Res<ButtonInput<KeyCode>>,
) {
let mut direction = Vec2::ZERO;
if kb_input.pressed(KeyCode::KeyW) {
direction.y += 1.;
}
if kb_input.pressed(KeyCode::KeyS) {
direction.y -= 1.;
}
if kb_input.pressed(KeyCode::KeyA) {
direction.x -= 1.;
}
if kb_input.pressed(KeyCode::KeyD) {
direction.x += 1.;
}
let move_delta = direction.normalize_or_zero() * PLAYER_SPEED * time.delta_secs();
player.translation += move_delta.extend(0.);
if direction.x > 0. {
player_sprite.flip_x = true;
} else if direction.x < 0. {
player_sprite.flip_x = false;
}
}
fn follow_player(
mut camera: Single<&mut Transform, (With<Camera2d>, Without<PlayerVWBus>)>,
player: Single<&Transform, (With<PlayerVWBus>, Without<Camera2d>)>,
time: Res<Time>,
) {
let Vec3 { x, y, .. } = player.translation;
let direction = Vec3::new(x, y, camera.translation.z);
camera
.translation
.smooth_nudge(&direction, 10., time.delta_secs());
}