pixels/examples/invaders/main.rs

97 lines
3.5 KiB
Rust
Raw Normal View History

use std::time::Instant;
use pixels::{Error, Pixels, SurfaceTexture};
use simple_invaders::{Controls, Direction, World, SCREEN_HEIGHT, SCREEN_WIDTH};
use winit::event;
use winit::event_loop::{ControlFlow, EventLoop};
fn main() -> Result<(), Error> {
env_logger::init();
let event_loop = EventLoop::new();
let (window, surface, width, height) = {
let scale = 3.0;
let width = SCREEN_WIDTH as f64 * scale;
let height = SCREEN_HEIGHT as f64 * scale;
let window = winit::window::WindowBuilder::new()
.with_inner_size(winit::dpi::LogicalSize::new(width, height))
2019-10-07 07:53:08 +11:00
.with_title("pixel invaders")
.build(&event_loop)
.unwrap();
let surface = wgpu::Surface::create(&window);
let size = window.inner_size().to_physical(window.hidpi_factor());
2019-09-26 16:11:36 +10:00
(window, surface, size.width as u32, size.height as u32)
};
let surface_texture = SurfaceTexture::new(width, height, &surface);
let mut fb = Pixels::new(224, 256, surface_texture)?;
let mut invaders = World::new();
let mut last = Instant::now();
2019-10-08 18:35:53 +11:00
let mut controls = Controls::default();
event_loop.run(move |event, _, control_flow| match event {
event::Event::WindowEvent { event, .. } => match event {
2019-10-08 18:35:53 +11:00
// Close events
event::WindowEvent::KeyboardInput {
input:
event::KeyboardInput {
virtual_keycode: Some(event::VirtualKeyCode::Escape),
state: event::ElementState::Pressed,
..
},
..
}
| event::WindowEvent::CloseRequested => *control_flow = ControlFlow::Exit,
2019-10-08 18:35:53 +11:00
// Keyboard controls
event::WindowEvent::KeyboardInput {
input:
event::KeyboardInput {
virtual_keycode: Some(virtual_code),
state: event::ElementState::Pressed,
..
},
..
} => match virtual_code {
event::VirtualKeyCode::Left => controls.direction = Direction::Left,
event::VirtualKeyCode::Right => controls.direction = Direction::Right,
event::VirtualKeyCode::Space => controls.fire = true,
_ => (),
},
event::WindowEvent::KeyboardInput {
input:
event::KeyboardInput {
virtual_keycode: Some(virtual_code),
state: event::ElementState::Released,
..
},
..
} => match virtual_code {
event::VirtualKeyCode::Left => controls.direction = Direction::Still,
event::VirtualKeyCode::Right => controls.direction = Direction::Still,
event::VirtualKeyCode::Space => controls.fire = false,
_ => (),
},
// Redraw the screen
event::WindowEvent::RedrawRequested => fb.render(invaders.draw()),
2019-10-08 18:35:53 +11:00
_ => (),
},
event::Event::EventsCleared => {
// Get a new delta time.
let now = Instant::now();
let dt = now.duration_since(last);
last = now;
2019-10-08 18:35:53 +11:00
// Update the game logic and request redraw
invaders.update(&dt, &controls);
window.request_redraw();
}
_ => (),
});
}