From 43a73e525789679b0b0824329288fe4226a135e2 Mon Sep 17 00:00:00 2001 From: Imbris Date: Tue, 14 May 2019 02:43:07 -0400 Subject: [PATCH 01/13] ingame_ui Former-commit-id: 5e836043d58f9217d711462d9f700e3eb096a076 --- voxygen/shaders/ui.frag | 7 ++ voxygen/shaders/ui.vert | 18 ++- voxygen/src/hud/mod.rs | 52 +++++++-- voxygen/src/menu/char_selection/mod.rs | 2 +- voxygen/src/menu/char_selection/scene.rs | 4 + voxygen/src/menu/char_selection/ui.rs | 6 +- voxygen/src/menu/main/ui.rs | 2 +- voxygen/src/render/mod.rs | 3 +- voxygen/src/render/pipelines/ui.rs | 25 +++- voxygen/src/render/renderer.rs | 4 + voxygen/src/scene/mod.rs | 5 + voxygen/src/session.rs | 3 +- voxygen/src/ui/mod.rs | 139 ++++++++++++++++------- voxygen/src/ui/scale.rs | 4 + voxygen/src/ui/widgets/ingame.rs | 98 ++++++++++++++++ voxygen/src/ui/widgets/mod.rs | 1 + 16 files changed, 312 insertions(+), 61 deletions(-) create mode 100644 voxygen/src/ui/widgets/ingame.rs diff --git a/voxygen/shaders/ui.frag b/voxygen/shaders/ui.frag index 7ef02c68b5..2d77dd3ef7 100644 --- a/voxygen/shaders/ui.frag +++ b/voxygen/shaders/ui.frag @@ -1,9 +1,16 @@ #version 330 core +#include + in vec2 f_uv; in vec4 f_color; flat in uint f_mode; +layout (std140) +uniform u_locals { + vec4 w_pos; +}; + uniform sampler2D u_tex; out vec4 tgt_color; diff --git a/voxygen/shaders/ui.vert b/voxygen/shaders/ui.vert index ab90588fc3..54ab3c7a1e 100644 --- a/voxygen/shaders/ui.vert +++ b/voxygen/shaders/ui.vert @@ -1,10 +1,17 @@ #version 330 core +#include + in vec2 v_pos; in vec2 v_uv; in vec4 v_color; in uint v_mode; +layout (std140) +uniform u_locals { + vec4 w_pos; +}; + uniform sampler2D u_tex; out vec2 f_uv; @@ -14,6 +21,15 @@ out vec4 f_color; void main() { f_uv = v_uv; f_color = v_color; - gl_Position = vec4(v_pos, 0.0, 1.0); + + if (w_pos.w == 1.0) { + // In-game element + gl_Position = + proj_mat * + (view_mat * w_pos + vec4(v_pos, 0.0, 0.0)); + } else { + // Interface element + gl_Position = vec4(v_pos, 0.0, 1.0); + } f_mode = v_mode; } diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 9949bae1ae..4f06bb4673 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -23,17 +23,20 @@ use skillbar::Skillbar; use small_window::{SmallWindow, SmallWindowType}; use crate::{ - render::Renderer, + render::{Consts, Globals, Renderer}, settings::{ControlSettings, Settings}, - ui::{ScaleMode, Ui}, + ui::{Ingame, ScaleMode, Ui}, window::{Event as WinEvent, Key, Window}, GlobalState, }; +use client::Client; +use common::comp; use conrod_core::{ color, graph, widget::{self, Button, Image, Rectangle, Text}, widget_ids, Color, Colorable, Labelable, Positionable, Sizeable, Widget, }; +use specs::Join; use std::collections::VecDeque; const XP_COLOR: Color = Color::Rgba(0.59, 0.41, 0.67, 1.0); @@ -43,7 +46,11 @@ const MANA_COLOR: Color = Color::Rgba(0.42, 0.41, 0.66, 1.0); widget_ids! { struct Ids { + // Character Names + name_tags[], + // Test + temp, bag_space_add, // Debug debug_bg, @@ -253,7 +260,7 @@ impl Hud { } } - fn update_layout(&mut self, global_state: &GlobalState, debug_info: DebugInfo) -> Vec { + fn update_layout(&mut self, client: &Client, global_state: &GlobalState, debug_info: DebugInfo) -> Vec { let mut events = Vec::new(); let ref mut ui_widgets = self.ui.set_widgets(); let version = env!("CARGO_PKG_VERSION"); @@ -263,6 +270,34 @@ impl Hud { return events; } + // Nametags + let ecs = client.state().ecs(); + /* { + let actor_read_storage = ecs.read_storage::(); + let pos_read_storage = ecs.read_storage::(); + let num = (&actor_read_storage, &pos_read_storage).join().count(); + self.ids + .name_tags + .resize(num, &mut ui_widgets.widget_id_generator()); + for (i, (name, pos)) in (&actor_read_storage, &pos_read_storage) + .join() + .map(|(actor, pos)| match actor { + comp::Actor::Character { name, .. } => (name, pos.0), + }) + .enumerate() + { + Ingame::from_primitive(pos, Text::new(&name)) + .set(self.ids.name_tags[i], ui_widgets); + } + }*/ + // test + Ingame::from_primitive( + [0.0, 25.0, 25.0].into(), + Rectangle::fill_with([1.0, 1.0], Color::Rgba(0.2, 0.0, 0.4, 1.0)), + ) + .x_y(0.0, 0.0) + .set(self.ids.temp, ui_widgets); + // Display debug window. if self.show.debug { // Alpha Version @@ -474,7 +509,9 @@ impl Hud { self.ui .widget_graph() .widget(id) - .and_then(graph::Container::unique_widget_state::) + .filter(|c| { + c.type_id == std::any::TypeId::of::<::State>() + }) .is_some() } else { false @@ -580,19 +617,20 @@ impl Hud { pub fn maintain( &mut self, + client: &Client, global_state: &mut GlobalState, debug_info: DebugInfo, ) -> Vec { if let Some(maybe_id) = self.to_focus.take() { self.ui.focus_widget(maybe_id); } - let events = self.update_layout(&global_state, debug_info); + let events = self.update_layout(client, global_state, debug_info); self.ui.maintain(&mut global_state.window.renderer_mut()); events } - pub fn render(&self, renderer: &mut Renderer) { - self.ui.render(renderer); + pub fn render(&self, renderer: &mut Renderer, globals: &Consts) { + self.ui.render(renderer, Some(globals)); } } diff --git a/voxygen/src/menu/char_selection/mod.rs b/voxygen/src/menu/char_selection/mod.rs index 85c93fce63..4a75a4b3ba 100644 --- a/voxygen/src/menu/char_selection/mod.rs +++ b/voxygen/src/menu/char_selection/mod.rs @@ -106,7 +106,7 @@ impl PlayState for CharSelectionState { // Draw the UI to the screen. self.char_selection_ui - .render(global_state.window.renderer_mut()); + .render(global_state.window.renderer_mut(), self.scene.globals()); // Tick the client (currently only to keep the connection alive). self.client diff --git a/voxygen/src/menu/char_selection/scene.rs b/voxygen/src/menu/char_selection/scene.rs index 7c9af72ac6..66e0d1ba1c 100644 --- a/voxygen/src/menu/char_selection/scene.rs +++ b/voxygen/src/menu/char_selection/scene.rs @@ -72,6 +72,10 @@ impl Scene { } } + pub fn globals(&self) -> &Consts { + &self.globals + } + pub fn maintain(&mut self, renderer: &mut Renderer, client: &Client) { self.camera.set_focus_pos(Vec3::unit_z() * 2.0); self.camera.update(client.state().get_time()); diff --git a/voxygen/src/menu/char_selection/ui.rs b/voxygen/src/menu/char_selection/ui.rs index 0dc08a092e..2246f01159 100644 --- a/voxygen/src/menu/char_selection/ui.rs +++ b/voxygen/src/menu/char_selection/ui.rs @@ -1,5 +1,5 @@ use crate::{ - render::Renderer, + render::{Consts, Globals, Renderer}, ui::{ self, img_ids::{ImageGraphic, VoxelGraphic}, @@ -1085,7 +1085,7 @@ impl CharSelectionUi { events } - pub fn render(&self, renderer: &mut Renderer) { - self.ui.render(renderer); + pub fn render(&self, renderer: &mut Renderer, globals: &Consts) { + self.ui.render(renderer, Some(globals)); } } diff --git a/voxygen/src/menu/main/ui.rs b/voxygen/src/menu/main/ui.rs index 6f59a54c8d..9b62246b8b 100644 --- a/voxygen/src/menu/main/ui.rs +++ b/voxygen/src/menu/main/ui.rs @@ -513,6 +513,6 @@ impl MainMenuUi { } pub fn render(&self, renderer: &mut Renderer) { - self.ui.render(renderer); + self.ui.render(renderer, None); } } diff --git a/voxygen/src/render/mod.rs b/voxygen/src/render/mod.rs index 9159b8d0aa..84379ac1c3 100644 --- a/voxygen/src/render/mod.rs +++ b/voxygen/src/render/mod.rs @@ -19,7 +19,8 @@ pub use self::{ skybox::{create_mesh as create_skybox_mesh, Locals as SkyboxLocals, SkyboxPipeline}, terrain::{Locals as TerrainLocals, TerrainPipeline}, ui::{ - create_quad as create_ui_quad, create_tri as create_ui_tri, Mode as UiMode, UiPipeline, + create_quad as create_ui_quad, create_tri as create_ui_tri, Locals as UiLocals, + Mode as UiMode, UiPipeline, }, Globals, }, diff --git a/voxygen/src/render/pipelines/ui.rs b/voxygen/src/render/pipelines/ui.rs index 2ebbcc3bcf..ac2433ffa1 100644 --- a/voxygen/src/render/pipelines/ui.rs +++ b/voxygen/src/render/pipelines/ui.rs @@ -1,6 +1,7 @@ -use super::super::{Pipeline, Quad, Tri, WinColorFmt, WinDepthFmt}; +use super::super::{Globals, Pipeline, Quad, Tri, WinColorFmt, WinDepthFmt}; use gfx::{ self, + gfx_constant_struct_meta, // Macros gfx_defines, gfx_impl_struct_meta, @@ -18,15 +19,21 @@ gfx_defines! { mode: u32 = "v_mode", } + constant Locals { + pos: [f32; 4] = "w_pos", + } + pipeline pipe { vbuf: gfx::VertexBuffer = (), + locals: gfx::ConstantBuffer = "u_locals", + globals: gfx::ConstantBuffer = "u_globals", tex: gfx::TextureSampler<[f32; 4]> = "u_tex", scissor: gfx::Scissor = (), tgt_color: gfx::BlendTarget = ("tgt_color", gfx::state::ColorMask::all(), gfx::preset::blend::ALPHA), - tgt_depth: gfx::DepthTarget = gfx::preset::depth::PASS_TEST, + tgt_depth: gfx::DepthTarget = gfx::preset::depth::LESS_EQUAL_WRITE, } } @@ -36,6 +43,20 @@ impl Pipeline for UiPipeline { type Vertex = Vertex; } +impl From> for Locals { + fn from(pos: Vec3) -> Self { + Self { + pos: [pos[0], pos[1], pos[2], 1.0], + } + } +} + +impl Default for Locals { + fn default() -> Self { + Self { pos: [0.0; 4] } + } +} + /// Draw text from the text cache texture `tex` in the fragment shader. pub const MODE_TEXT: u32 = 0; /// Draw an image from the texture at `tex` in the fragment shader. diff --git a/voxygen/src/render/renderer.rs b/voxygen/src/render/renderer.rs index fbd0397968..3c8c38d56b 100644 --- a/voxygen/src/render/renderer.rs +++ b/voxygen/src/render/renderer.rs @@ -423,6 +423,8 @@ impl Renderer { model: &Model, tex: &Texture, scissor: Aabr, + globals: &Consts, + locals: &Consts, ) { let Aabr { min, max } = scissor; self.encoder.draw( @@ -437,6 +439,8 @@ impl Renderer { h: max.y - min.y, }, tex: (tex.srv.clone(), tex.sampler.clone()), + locals: locals.buf.clone(), + globals: globals.buf.clone(), tgt_color: self.win_color_view.clone(), tgt_depth: self.win_depth_view.clone(), }, diff --git a/voxygen/src/scene/mod.rs b/voxygen/src/scene/mod.rs index dad88a7c03..8fcb143ada 100644 --- a/voxygen/src/scene/mod.rs +++ b/voxygen/src/scene/mod.rs @@ -68,6 +68,11 @@ impl Scene { } } + /// Get a reference to the scene's globals + pub fn globals(&self) -> &Consts { + &self.globals + } + /// Get a reference to the scene's camera. pub fn camera(&self) -> &Camera { &self.camera diff --git a/voxygen/src/session.rs b/voxygen/src/session.rs index 7457f84448..3e6eeae16d 100644 --- a/voxygen/src/session.rs +++ b/voxygen/src/session.rs @@ -100,7 +100,7 @@ impl SessionState { // Render the screen using the global renderer self.scene.render(renderer, &mut self.client.borrow_mut()); // Draw the UI to the screen - self.hud.render(renderer); + self.hud.render(renderer, self.scene.globals()); // Finish the frame renderer.flush(); @@ -178,6 +178,7 @@ impl PlayState for SessionState { // extract HUD events ensuring the client borrow gets dropped let hud_events = self.hud.maintain( + &self.client.borrow(), global_state, DebugInfo { tps: clock.get_tps(), diff --git a/voxygen/src/ui/mod.rs b/voxygen/src/ui/mod.rs index 0ad8129663..889eae471f 100644 --- a/voxygen/src/ui/mod.rs +++ b/voxygen/src/ui/mod.rs @@ -12,12 +12,12 @@ mod font_ids; pub use event::Event; pub use graphic::Graphic; pub use scale::ScaleMode; -pub use widgets::{image_slider::ImageSlider, toggle_button::ToggleButton}; +pub use widgets::{image_slider::ImageSlider, ingame::Ingame, toggle_button::ToggleButton}; use crate::{ render::{ - create_ui_quad, create_ui_tri, DynamicModel, Mesh, RenderError, Renderer, UiMode, - UiPipeline, + create_ui_quad, create_ui_tri, Consts, DynamicModel, Globals, Mesh, RenderError, Renderer, + UiLocals, UiMode, UiPipeline, }, window::Window, Error, @@ -27,11 +27,11 @@ use common::assets; use conrod_core::{ event::Input, graph::Graph, - image::{Id as ImgId, Map}, + image::{self, Map}, input::{touch::Touch, Motion, Widget}, - render::Primitive, + render::{Primitive, PrimitiveKind}, text::{self, font}, - widget::{id::Generator, Id as WidgId}, + widget::{self, id::Generator}, Ui as CrUi, UiBuilder, UiCell, }; use graphic::Id as GraphicId; @@ -55,6 +55,7 @@ enum DrawKind { enum DrawCommand { Draw { kind: DrawKind, verts: Range }, Scissor(Aabr), + WorldPos(Option>), } impl DrawCommand { fn image(verts: Range) -> DrawCommand { @@ -88,6 +89,9 @@ pub struct Ui { draw_commands: Vec, // Model for drawing the ui model: DynamicModel, + // Consts for default ui drawing position (ie the interface) + interface_locals: Consts, + default_globals: Consts, // Window size for updating scaling window_resized: Option>, // Scaling of the ui @@ -99,12 +103,16 @@ impl Ui { let scale = Scale::new(window, ScaleMode::Absolute(1.0)); let win_dims = scale.scaled_window_size().into_array(); + let mut renderer = window.renderer_mut(); + Ok(Self { ui: UiBuilder::new(win_dims).build(), image_map: Map::new(), - cache: Cache::new(window.renderer_mut())?, + cache: Cache::new(renderer)?, draw_commands: vec![], - model: window.renderer_mut().create_dynamic_model(100)?, + model: renderer.create_dynamic_model(100)?, + interface_locals: renderer.create_consts(&[UiLocals::default()])?, + default_globals: renderer.create_consts(&[Globals::default()])?, window_resized: None, scale, }) @@ -118,7 +126,7 @@ impl Ui { self.ui.handle_event(Input::Resize(w, h)); } - pub fn add_graphic(&mut self, graphic: Graphic) -> ImgId { + pub fn add_graphic(&mut self, graphic: Graphic) -> image::Id { self.image_map.insert(self.cache.add_graphic(graphic)) } @@ -135,7 +143,7 @@ impl Ui { } // Accepts Option so widget can be unfocused. - pub fn focus_widget(&mut self, id: Option) { + pub fn focus_widget(&mut self, id: Option) { self.ui.keyboard_capture(match id { Some(id) => id, None => self.ui.window, @@ -143,7 +151,7 @@ impl Ui { } // Get id of current widget capturing keyboard. - pub fn widget_capturing_keyboard(&self) -> Option { + pub fn widget_capturing_keyboard(&self) -> Option { self.ui.global_input().current.widget_capturing_keyboard } @@ -189,7 +197,7 @@ impl Ui { } } - pub fn widget_input(&self, id: WidgId) -> Widget { + pub fn widget_input(&self, id: widget::Id) -> Widget { self.ui.widget_input(id) } @@ -216,6 +224,9 @@ impl Ui { let window_scissor = default_scissor(renderer); let mut current_scissor = window_scissor; + let mut in_world = None; + let mut p_scale_factor = self.scale.scale_factor_physical(); + // Switches to the `Plain` state and completes the previous `Command` if not already in the // `Plain` state. macro_rules! switch_to_plain_state { @@ -223,14 +234,12 @@ impl Ui { if let State::Image = current_state { self.draw_commands .push(DrawCommand::image(start..mesh.vertices().len())); - current_state = State::Plain; start = mesh.vertices().len(); + current_state = State::Plain; } }; } - let p_scale_factor = self.scale.scale_factor_physical(); - while let Some(prim) = primitives.next() { let Primitive { kind, @@ -272,9 +281,29 @@ impl Ui { self.draw_commands.push(DrawCommand::Scissor(new_scissor)); } + match in_world { + Some(0) => { + in_world = None; + p_scale_factor = self.scale.scale_factor_physical(); + // Finish current state + self.draw_commands.push(match current_state { + State::Plain => DrawCommand::plain(start..mesh.vertices().len()), + State::Image => DrawCommand::image(start..mesh.vertices().len()), + }); + start = mesh.vertices().len(); + // Push new position command + self.draw_commands.push(DrawCommand::WorldPos(None)); + } + Some(n) => in_world = Some(n - 1), + None => (), + } + // Functions for converting for conrod scalar coords to GL vertex coords (-1.0 to 1.0). - let ui_win_w = self.ui.win_w; - let ui_win_h = self.ui.win_h; + let (ui_win_w, ui_win_h) = if in_world.is_some() { + (2.0, 2.0) + } else { + (self.ui.win_w, self.ui.win_h) + }; let vx = |x: f64| (x / ui_win_w * 2.0) as f32; let vy = |y: f64| (y / ui_win_h * 2.0) as f32; let gl_aabr = |rect: conrod_core::Rect| { @@ -285,7 +314,6 @@ impl Ui { } }; - use conrod_core::render::PrimitiveKind; match kind { PrimitiveKind::Image { image_id, @@ -321,16 +349,17 @@ impl Ui { // Transform the source rectangle into uv coordinate. // TODO: Make sure this is right. let source_aabr = { - let (uv_l, uv_r, uv_b, uv_t) = (0.0, 1.0, 0.0, 1.0); /*match source_rect { - Some(src_rect) => { - let (l, r, b, t) = src_rect.l_r_b_t(); - ((l / image_w) as f32, - (r / image_w) as f32, - (b / image_h) as f32, - (t / image_h) as f32) - } - None => (0.0, 1.0, 0.0, 1.0), - };*/ + let (uv_l, uv_r, uv_b, uv_t) = (0.0, 1.0, 0.0, 1.0); + /*match source_rect { + Some(src_rect) => { + let (l, r, b, t) = src_rect.l_r_b_t(); + ((l / image_w) as f32, + (r / image_w) as f32, + (b / image_h) as f32, + (t / image_h) as f32) + } + None => (0.0, 1.0, 0.0, 1.0), + };*/ Aabr { min: Vec2::new(uv_l, uv_b), max: Vec2::new(uv_r, uv_t), @@ -371,13 +400,8 @@ impl Ui { font_id, } => { switch_to_plain_state!(); - // Get screen width and height. - let (screen_w, screen_h) = - renderer.get_resolution().map(|e| e as f32).into_tuple(); - // Calculate dpi factor. - let dpi_factor = screen_w / ui_win_w as f32; - let positioned_glyphs = text.positioned_glyphs(dpi_factor); + let positioned_glyphs = text.positioned_glyphs(p_scale_factor as f32); let (glyph_cache, cache_tex) = self.cache.glyph_cache_mut_and_tex(); // Queue the glyphs to be cached. for glyph in positioned_glyphs { @@ -410,12 +434,12 @@ impl Ui { }; let rect = Aabr { min: Vec2::new( - (screen_rect.min.x as f32 / screen_w - 0.5) * 2.0, - (screen_rect.max.y as f32 / screen_h - 0.5) * -2.0, + vx(screen_rect.min.x as f64 / p_scale_factor) - 1.0, + 1.0 - vy(screen_rect.max.y as f64 / p_scale_factor), ), max: Vec2::new( - (screen_rect.max.x as f32 / screen_w - 0.5) * 2.0, - (screen_rect.min.y as f32 / screen_h - 0.5) * -2.0, + vx(screen_rect.max.x as f64 / p_scale_factor) - 1.0, + 1.0 - vy(screen_rect.min.y as f64 / p_scale_factor), ), }; mesh.push_quad(create_ui_quad(rect, uv, color, UiMode::Text)); @@ -469,10 +493,32 @@ impl Ui { )); } } + PrimitiveKind::Other(container) => { + if container.type_id == std::any::TypeId::of::() { + // Retrieve world position + let pos = container + .state_and_style::() + .unwrap() + .state + .pos; + // Finish current state + self.draw_commands.push(match current_state { + State::Plain => DrawCommand::plain(start..mesh.vertices().len()), + State::Image => DrawCommand::image(start..mesh.vertices().len()), + }); + start = mesh.vertices().len(); + // Push new position command + self.draw_commands.push(DrawCommand::WorldPos(Some( + renderer.create_consts(&[pos.into()]).unwrap(), + ))); + + in_world = Some(1); + p_scale_factor = self.scale.dpi_factor(); + } + } _ => {} // TODO: Add this. //PrimitiveKind::TrianglesMultiColor {..} => {println!("primitive kind multicolor with id {:?}", id);} // Other unneeded for now. - //PrimitiveKind::Other {..} => {println!("primitive kind other with id {:?}", id);} } } // Enter the final command. @@ -506,12 +552,17 @@ impl Ui { } } - pub fn render(&self, renderer: &mut Renderer) { - let mut scissor_to_render = default_scissor(renderer); + pub fn render(&self, renderer: &mut Renderer, maybe_globals: Option<&Consts>) { + let mut scissor = default_scissor(renderer); + let globals = maybe_globals.unwrap_or(&self.default_globals); + let mut locals = &self.interface_locals; for draw_command in self.draw_commands.iter() { match draw_command { - DrawCommand::Scissor(scissor) => { - scissor_to_render = *scissor; + DrawCommand::Scissor(new_scissor) => { + scissor = *new_scissor; + } + DrawCommand::WorldPos(ref pos) => { + locals = pos.as_ref().unwrap_or(&self.interface_locals); } DrawCommand::Draw { kind, verts } => { let tex = match kind { @@ -519,7 +570,7 @@ impl Ui { DrawKind::Plain => self.cache.glyph_cache_tex(), }; let model = self.model.submodel(verts.clone()); - renderer.render_ui_element(&model, &tex, scissor_to_render); + renderer.render_ui_element(&model, &tex, scissor, globals, locals); } } } diff --git a/voxygen/src/ui/scale.rs b/voxygen/src/ui/scale.rs index 46c945fb52..9c096cf366 100644 --- a/voxygen/src/ui/scale.rs +++ b/voxygen/src/ui/scale.rs @@ -48,6 +48,10 @@ impl Scale { pub fn scale_factor_physical(&self) -> f64 { self.scale_factor_logical() * self.dpi_factor } + // Get the dpi factor (ratio between physical and logical coordinates) + pub fn dpi_factor(&self) -> f64 { + self.dpi_factor + } // Updates internal window size (and/or dpi_factor). pub fn window_resized(&mut self, new_dims: Vec2, renderer: &Renderer) { self.dpi_factor = renderer.get_resolution().x as f64 / new_dims.x; diff --git a/voxygen/src/ui/widgets/ingame.rs b/voxygen/src/ui/widgets/ingame.rs new file mode 100644 index 0000000000..0bdba32f06 --- /dev/null +++ b/voxygen/src/ui/widgets/ingame.rs @@ -0,0 +1,98 @@ +use conrod_core::{ + image, + position::Dimension, + widget::{self, button}, + widget_ids, Color, Position, Positionable, Rect, Sizeable, Ui, Widget, WidgetCommon, +}; +use vek::*; + +#[derive(Clone, WidgetCommon)] +pub struct Ingame +where + W: Widget, +{ + #[conrod(common_builder)] + common: widget::CommonBuilder, + widget: W, + pos: Vec3, +} + +// TODO: add convenience function to this trait +pub trait Primitive {} +impl Primitive for widget::Line {} +impl Primitive for widget::Image {} +impl Primitive for widget::PointPath {} +impl Primitive for widget::Circle {} +impl Primitive for widget::Oval {} +impl Primitive for widget::Polygon {} +impl Primitive for widget::Rectangle {} +impl Primitive for widget::Triangles {} +impl<'a> Primitive for widget::Text<'a> {} + +widget_ids! { + struct Ids { + prim, + } +} + +pub struct State { + ids: Ids, + pub pos: Vec3, +} + +pub type Style = (); + +impl Ingame { + pub fn from_primitive(pos: Vec3, widget: W) -> Self { + Self { + common: widget::CommonBuilder::default(), + pos, + widget, + } + } +} + +impl Widget for Ingame { + type State = State; + type Style = Style; + type Event = (); + + fn init_state(&self, id_gen: widget::id::Generator) -> Self::State { + State { + ids: Ids::new(id_gen), + pos: Vec3::default(), + } + } + + fn style(&self) -> Self::Style { + () + } + + fn update(self, args: widget::UpdateArgs) -> Self::Event { + let widget::UpdateArgs { id, state, ui, .. } = args; + let Ingame { widget, pos, .. } = self; + + // Update pos if it has changed + if state.pos != pos { + state.update(|s| s.pos = pos); + } + + widget + .graphics_for(ui.window) + .parent(id) // is this needed + .set(state.ids.prim, ui); + } + + fn default_x_position(&self, ui: &Ui) -> Position { + Position::Absolute(0.0) + } + fn default_y_position(&self, ui: &Ui) -> Position { + Position::Absolute(0.0) + } + fn default_x_dimension(&self, ui: &Ui) -> Dimension { + Dimension::Absolute(1.0) + } + fn default_y_dimension(&self, ui: &Ui) -> Dimension { + Dimension::Absolute(1.0) + } +} diff --git a/voxygen/src/ui/widgets/mod.rs b/voxygen/src/ui/widgets/mod.rs index 21f1c2656d..26420fc870 100644 --- a/voxygen/src/ui/widgets/mod.rs +++ b/voxygen/src/ui/widgets/mod.rs @@ -1,2 +1,3 @@ pub mod image_slider; +pub mod ingame; pub mod toggle_button; From ad23ec1c5dd58a16f1b7b96a8940179724d23838 Mon Sep 17 00:00:00 2001 From: Joshua Barretto Date: Tue, 14 May 2019 08:16:04 +0100 Subject: [PATCH 02/13] Fixed UI shader Former-commit-id: 12851d800a5435d25573e1deadb10b8103d40ac7 --- voxygen/shaders/ui.vert | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/voxygen/shaders/ui.vert b/voxygen/shaders/ui.vert index 54ab3c7a1e..6ca9a231da 100644 --- a/voxygen/shaders/ui.vert +++ b/voxygen/shaders/ui.vert @@ -26,7 +26,8 @@ void main() { // In-game element gl_Position = proj_mat * - (view_mat * w_pos + vec4(v_pos, 0.0, 0.0)); + view_mat * + (w_pos + vec4(v_pos, 40.0, 1.0)); } else { // Interface element gl_Position = vec4(v_pos, 0.0, 1.0); From 32a4697d2906e3a82064c9022ece60c054686290 Mon Sep 17 00:00:00 2001 From: Imbris Date: Tue, 14 May 2019 20:04:58 -0400 Subject: [PATCH 03/13] Make name labels work Former-commit-id: 633905535d2842b320d347e368a28ac967a8469a --- voxygen/shaders/ui.vert | 3 +-- voxygen/src/hud/mod.rs | 23 ++++++++++++++------ voxygen/src/render/pipelines/ui.rs | 2 +- voxygen/src/ui/mod.rs | 34 +++++++++++++++++------------- voxygen/src/ui/widgets/ingame.rs | 32 +++++++++++++++++++++++----- 5 files changed, 65 insertions(+), 29 deletions(-) diff --git a/voxygen/shaders/ui.vert b/voxygen/shaders/ui.vert index 6ca9a231da..72593c8e8f 100644 --- a/voxygen/shaders/ui.vert +++ b/voxygen/shaders/ui.vert @@ -26,8 +26,7 @@ void main() { // In-game element gl_Position = proj_mat * - view_mat * - (w_pos + vec4(v_pos, 40.0, 1.0)); + (view_mat * w_pos + vec4(v_pos, 0.0, 0.0)); } else { // Interface element gl_Position = vec4(v_pos, 0.0, 1.0); diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 4f06bb4673..a211ad2484 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -38,6 +38,7 @@ use conrod_core::{ }; use specs::Join; use std::collections::VecDeque; +use vek::*; const XP_COLOR: Color = Color::Rgba(0.59, 0.41, 0.67, 1.0); const TEXT_COLOR: Color = Color::Rgba(1.0, 1.0, 1.0, 1.0); @@ -272,7 +273,7 @@ impl Hud { // Nametags let ecs = client.state().ecs(); - /* { + { let actor_read_storage = ecs.read_storage::(); let pos_read_storage = ecs.read_storage::(); let num = (&actor_read_storage, &pos_read_storage).join().count(); @@ -286,16 +287,26 @@ impl Hud { }) .enumerate() { - Ingame::from_primitive(pos, Text::new(&name)) - .set(self.ids.name_tags[i], ui_widgets); + Ingame::from_primitive( + pos + Vec3::new(0.0, 0.0, 3.0), + Text::new(&name) + .font_size(15) + .color(Color::Rgba(1.0, 1.0, 1.0, 1.0)), + ) + .resolution(50.0) + .set(self.ids.name_tags[i], ui_widgets); } - }*/ + } // test Ingame::from_primitive( [0.0, 25.0, 25.0].into(), - Rectangle::fill_with([1.0, 1.0], Color::Rgba(0.2, 0.0, 0.4, 1.0)), + //Rectangle::fill_with([1.0, 1.0], Color::Rgba(0.2, 0.0, 0.4, 1.0)), + Text::new("Squarefection") + .font_size(20) + .color(TEXT_COLOR) + .font_id(self.fonts.opensans), ) - .x_y(0.0, 0.0) + .resolution(40.0) .set(self.ids.temp, ui_widgets); // Display debug window. diff --git a/voxygen/src/render/pipelines/ui.rs b/voxygen/src/render/pipelines/ui.rs index ac2433ffa1..4e781c88dd 100644 --- a/voxygen/src/render/pipelines/ui.rs +++ b/voxygen/src/render/pipelines/ui.rs @@ -33,7 +33,7 @@ gfx_defines! { scissor: gfx::Scissor = (), tgt_color: gfx::BlendTarget = ("tgt_color", gfx::state::ColorMask::all(), gfx::preset::blend::ALPHA), - tgt_depth: gfx::DepthTarget = gfx::preset::depth::LESS_EQUAL_WRITE, + tgt_depth: gfx::DepthTarget = gfx::preset::depth::LESS_EQUAL_TEST, } } diff --git a/voxygen/src/ui/mod.rs b/voxygen/src/ui/mod.rs index 889eae471f..2237ce32c1 100644 --- a/voxygen/src/ui/mod.rs +++ b/voxygen/src/ui/mod.rs @@ -32,7 +32,7 @@ use conrod_core::{ render::{Primitive, PrimitiveKind}, text::{self, font}, widget::{self, id::Generator}, - Ui as CrUi, UiBuilder, UiCell, + Rect, UiBuilder, UiCell, }; use graphic::Id as GraphicId; use scale::Scale; @@ -82,7 +82,7 @@ impl assets::Asset for Font { } pub struct Ui { - ui: CrUi, + ui: conrod_core::Ui, image_map: Map, cache: Cache, // Draw commands for the next render @@ -282,7 +282,7 @@ impl Ui { } match in_world { - Some(0) => { + Some((0, _)) => { in_world = None; p_scale_factor = self.scale.scale_factor_physical(); // Finish current state @@ -294,19 +294,19 @@ impl Ui { // Push new position command self.draw_commands.push(DrawCommand::WorldPos(None)); } - Some(n) => in_world = Some(n - 1), + Some((n, res)) => in_world = Some((n - 1, res)), None => (), } // Functions for converting for conrod scalar coords to GL vertex coords (-1.0 to 1.0). - let (ui_win_w, ui_win_h) = if in_world.is_some() { - (2.0, 2.0) + let (ui_win_w, ui_win_h) = if let Some((_, res)) = in_world { + (res as f64, res as f64) } else { (self.ui.win_w, self.ui.win_h) }; let vx = |x: f64| (x / ui_win_w * 2.0) as f32; let vy = |y: f64| (y / ui_win_h * 2.0) as f32; - let gl_aabr = |rect: conrod_core::Rect| { + let gl_aabr = |rect: Rect| { let (l, r, b, t) = rect.l_r_b_t(); Aabr { min: Vec2::new(vx(l), vy(b)), @@ -434,12 +434,16 @@ impl Ui { }; let rect = Aabr { min: Vec2::new( - vx(screen_rect.min.x as f64 / p_scale_factor) - 1.0, - 1.0 - vy(screen_rect.max.y as f64 / p_scale_factor), + vx(screen_rect.min.x as f64 / p_scale_factor + - self.ui.win_w / 2.0), + vy(self.ui.win_h / 2.0 + - screen_rect.max.y as f64 / p_scale_factor), ), max: Vec2::new( - vx(screen_rect.max.x as f64 / p_scale_factor) - 1.0, - 1.0 - vy(screen_rect.min.y as f64 / p_scale_factor), + vx(screen_rect.max.x as f64 / p_scale_factor + - self.ui.win_w / 2.0), + vy(self.ui.win_h / 2.0 + - screen_rect.min.y as f64 / p_scale_factor), ), }; mesh.push_quad(create_ui_quad(rect, uv, color, UiMode::Text)); @@ -496,11 +500,11 @@ impl Ui { PrimitiveKind::Other(container) => { if container.type_id == std::any::TypeId::of::() { // Retrieve world position - let pos = container + let (pos, res) = container .state_and_style::() .unwrap() .state - .pos; + .pos_res(); // Finish current state self.draw_commands.push(match current_state { State::Plain => DrawCommand::plain(start..mesh.vertices().len()), @@ -512,8 +516,8 @@ impl Ui { renderer.create_consts(&[pos.into()]).unwrap(), ))); - in_world = Some(1); - p_scale_factor = self.scale.dpi_factor(); + in_world = Some((1, res)); + p_scale_factor = 1.0; } } _ => {} // TODO: Add this. diff --git a/voxygen/src/ui/widgets/ingame.rs b/voxygen/src/ui/widgets/ingame.rs index 0bdba32f06..6b295d4a40 100644 --- a/voxygen/src/ui/widgets/ingame.rs +++ b/voxygen/src/ui/widgets/ingame.rs @@ -1,5 +1,5 @@ use conrod_core::{ - image, + builder_methods, image, position::Dimension, widget::{self, button}, widget_ids, Color, Position, Positionable, Rect, Sizeable, Ui, Widget, WidgetCommon, @@ -15,6 +15,10 @@ where common: widget::CommonBuilder, widget: W, pos: Vec3, + // Number of pixels per 1 unit in world coordinates (ie a voxel) + // Used for widgets that are rasterized before being sent to the gpu (text & images) + // Potentially make this autmatic based on distance to camera? + res: f32, } // TODO: add convenience function to this trait @@ -37,7 +41,14 @@ widget_ids! { pub struct State { ids: Ids, - pub pos: Vec3, + pos: Vec3, + res: f32, +} +impl State { + // retrieve the postion and resolution as a tuple + pub fn pos_res(&self) -> (Vec3, f32) { + (self.pos, self.res) + } } pub type Style = (); @@ -48,8 +59,12 @@ impl Ingame { common: widget::CommonBuilder::default(), pos, widget, + res: 1.0, } } + builder_methods! { + pub resolution { res = f32 } + } } impl Widget for Ingame { @@ -61,6 +76,7 @@ impl Widget for Ingame { State { ids: Ids::new(id_gen), pos: Vec3::default(), + res: 1.0, } } @@ -70,15 +86,21 @@ impl Widget for Ingame { fn update(self, args: widget::UpdateArgs) -> Self::Event { let widget::UpdateArgs { id, state, ui, .. } = args; - let Ingame { widget, pos, .. } = self; + let Ingame { + widget, pos, res, .. + } = self; // Update pos if it has changed - if state.pos != pos { - state.update(|s| s.pos = pos); + if state.pos != pos || state.res != res { + state.update(|s| { + s.pos = pos; + s.res = res; + }); } widget .graphics_for(ui.window) + .x_y(0.0, 0.0) .parent(id) // is this needed .set(state.ids.prim, ui); } From 1d9c35b91d1025850cded5da338fa7e864af3b29 Mon Sep 17 00:00:00 2001 From: Imbris Date: Sun, 19 May 2019 10:15:50 -0400 Subject: [PATCH 04/13] Add ability to position tuples of widgets ingame Former-commit-id: e2958a37e7062132d6a7b6d5ad61bd4002768532 --- voxygen/src/hud/mod.rs | 35 ++-- voxygen/src/ui/event.rs | 1 - voxygen/src/ui/mod.rs | 22 ++- voxygen/src/ui/widgets/ingame.rs | 317 +++++++++++++++++++++++++------ 4 files changed, 294 insertions(+), 81 deletions(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index a211ad2484..bdd487253a 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -25,7 +25,7 @@ use small_window::{SmallWindow, SmallWindowType}; use crate::{ render::{Consts, Globals, Renderer}, settings::{ControlSettings, Settings}, - ui::{Ingame, ScaleMode, Ui}, + ui::{Ingame, Ingameable, ScaleMode, Ui}, window::{Event as WinEvent, Key, Window}, GlobalState, }; @@ -287,27 +287,24 @@ impl Hud { }) .enumerate() { - Ingame::from_primitive( - pos + Vec3::new(0.0, 0.0, 3.0), - Text::new(&name) - .font_size(15) - .color(Color::Rgba(1.0, 1.0, 1.0, 1.0)), - ) - .resolution(50.0) - .set(self.ids.name_tags[i], ui_widgets); + Text::new(&name) + .font_size(20) + .color(Color::Rgba(1.0, 1.0, 1.0, 1.0)) + .x_y(0.0, 0.0) + .position_ingame(pos + Vec3::new(0.0, 0.0, 3.0)) + .resolution(100.0) + .set(self.ids.name_tags[i], ui_widgets); } } // test - Ingame::from_primitive( - [0.0, 25.0, 25.0].into(), - //Rectangle::fill_with([1.0, 1.0], Color::Rgba(0.2, 0.0, 0.4, 1.0)), - Text::new("Squarefection") - .font_size(20) - .color(TEXT_COLOR) - .font_id(self.fonts.opensans), - ) - .resolution(40.0) - .set(self.ids.temp, ui_widgets); + Text::new("Squarefection") + .font_size(20) + .color(TEXT_COLOR) + .font_id(self.fonts.opensans) + .x_y(0.0, 0.0) + .position_ingame([0.0, 25.0, 25.0].into()) + .resolution(40.0) + .set(self.ids.temp, ui_widgets); // Display debug window. if self.show.debug { diff --git a/voxygen/src/ui/event.rs b/voxygen/src/ui/event.rs index 1a6dd709ae..82203a8807 100644 --- a/voxygen/src/ui/event.rs +++ b/voxygen/src/ui/event.rs @@ -6,7 +6,6 @@ pub struct Event(pub Input); impl Event { pub fn try_from(event: glutin::Event, window: &glutin::GlWindow) -> Option { use conrod_winit::*; - use winit; // A wrapper around the winit window that allows us to implement the trait necessary for // enabling the winit <-> conrod conversion functions. struct WindowRef<'a>(&'a winit::Window); diff --git a/voxygen/src/ui/mod.rs b/voxygen/src/ui/mod.rs index 2237ce32c1..2ec835d68d 100644 --- a/voxygen/src/ui/mod.rs +++ b/voxygen/src/ui/mod.rs @@ -12,7 +12,11 @@ mod font_ids; pub use event::Event; pub use graphic::Graphic; pub use scale::ScaleMode; -pub use widgets::{image_slider::ImageSlider, ingame::Ingame, toggle_button::ToggleButton}; +pub use widgets::{ + image_slider::ImageSlider, + ingame::{Ingame, Ingameable}, + toggle_button::ToggleButton, +}; use crate::{ render::{ @@ -294,8 +298,12 @@ impl Ui { // Push new position command self.draw_commands.push(DrawCommand::WorldPos(None)); } - Some((n, res)) => in_world = Some((n - 1, res)), - None => (), + Some((n, res)) => match kind { + // Other types don't need to be drawn in the game + PrimitiveKind::Other(_) => (), + _ => in_world = Some((n - 1, res)), + }, + None => {} } // Functions for converting for conrod scalar coords to GL vertex coords (-1.0 to 1.0). @@ -500,11 +508,11 @@ impl Ui { PrimitiveKind::Other(container) => { if container.type_id == std::any::TypeId::of::() { // Retrieve world position - let (pos, res) = container + let parameters = container .state_and_style::() .unwrap() .state - .pos_res(); + .parameters; // Finish current state self.draw_commands.push(match current_state { State::Plain => DrawCommand::plain(start..mesh.vertices().len()), @@ -513,10 +521,10 @@ impl Ui { start = mesh.vertices().len(); // Push new position command self.draw_commands.push(DrawCommand::WorldPos(Some( - renderer.create_consts(&[pos.into()]).unwrap(), + renderer.create_consts(&[parameters.pos.into()]).unwrap(), ))); - in_world = Some((1, res)); + in_world = Some((parameters.num, parameters.res)); p_scale_factor = 1.0; } } diff --git a/voxygen/src/ui/widgets/ingame.rs b/voxygen/src/ui/widgets/ingame.rs index 6b295d4a40..ede764a4cc 100644 --- a/voxygen/src/ui/widgets/ingame.rs +++ b/voxygen/src/ui/widgets/ingame.rs @@ -1,82 +1,232 @@ use conrod_core::{ builder_methods, image, position::Dimension, - widget::{self, button}, - widget_ids, Color, Position, Positionable, Rect, Sizeable, Ui, Widget, WidgetCommon, + widget::{self, button, Id}, + widget_ids, Color, Position, Positionable, Rect, Sizeable, Ui, UiCell, Widget, WidgetCommon, }; +use std::slice; use vek::*; #[derive(Clone, WidgetCommon)] -pub struct Ingame -where - W: Widget, -{ +pub struct Ingame { #[conrod(common_builder)] common: widget::CommonBuilder, widget: W, - pos: Vec3, + parameters: IngameParameters, +} + +pub trait Ingameable: Sized { + type Event; + fn prim_count(&self) -> usize; + fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event; + fn init_ids(mut id_gen: widget::id::Generator) -> Ids; + fn position_ingame(self, pos: Vec3) -> Ingame { + Ingame::new(pos, self) + } +} + +// Note this is not responsible for the positioning +// Only call this directly if using IngameAnchor +pub fn set_ingame(widget: W, parent_id: Id, id: Id, ui: &mut UiCell) -> W::Event { + widget + // should pass focus to the window if these are clicked + // (they are not displayed where conrod thinks they are) + .graphics_for(ui.window) + //.parent(id) // is this needed + .set(id, ui) +} + +pub trait PrimitiveMarker {} +impl PrimitiveMarker for widget::Line {} +impl PrimitiveMarker for widget::Image {} +impl PrimitiveMarker for widget::PointPath {} +impl PrimitiveMarker for widget::Circle {} +impl PrimitiveMarker for widget::Oval {} +impl PrimitiveMarker for widget::Polygon {} +impl PrimitiveMarker for widget::Rectangle {} +impl PrimitiveMarker for widget::Triangles {} +impl<'a> PrimitiveMarker for widget::Text<'a> {} + +impl

Ingameable for P +where + P: Widget + PrimitiveMarker, +{ + type Event = P::Event; + fn prim_count(&self) -> usize { + 1 + } + fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { + let id = ids.one().unwrap(); + + set_ingame(self, parent_id, id, ui) + } + fn init_ids(mut id_gen: widget::id::Generator) -> Ids { + Ids::One(id_gen.next()) + } +} + +trait IngameWidget: Ingameable + Widget {} +impl IngameWidget for T where T: Ingameable + Widget {} + +impl Ingameable for (W, E) +where + W: IngameWidget, + E: IngameWidget, +{ + type Event = (::Event, ::Event); + fn prim_count(&self) -> usize { + self.0.prim_count() + self.1.prim_count() + } + fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { + let (w1, w2) = self; + let [id1, id2] = ids.two().unwrap(); + ( + set_ingame(w1, parent_id, id1, ui), + set_ingame(w2, parent_id, id2, ui), + ) + } + fn init_ids(mut id_gen: widget::id::Generator) -> Ids { + Ids::Two([id_gen.next(), id_gen.next()]) + } +} +impl Ingameable for (W, E, R) +where + W: IngameWidget, + E: IngameWidget, + R: IngameWidget, +{ + type Event = ( + ::Event, + ::Event, + ::Event, + ); + fn prim_count(&self) -> usize { + self.0.prim_count() + self.1.prim_count() + self.2.prim_count() + } + fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { + let (w1, w2, w3) = self; + let ids = ids.three().unwrap(); + ( + set_ingame(w1, parent_id, ids[0], ui), + set_ingame(w2, parent_id, ids[1], ui), + set_ingame(w3, parent_id, ids[2], ui), + ) + } + fn init_ids(mut id_gen: widget::id::Generator) -> Ids { + Ids::Three([id_gen.next(), id_gen.next(), id_gen.next()]) + } +} +impl Ingameable for (W, E, R, T) +where + W: IngameWidget, + E: IngameWidget, + R: IngameWidget, + T: IngameWidget, +{ + type Event = ( + ::Event, + ::Event, + ::Event, + ::Event, + ); + fn prim_count(&self) -> usize { + self.0.prim_count() + self.1.prim_count() + self.2.prim_count() + self.3.prim_count() + } + fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { + let (w1, w2, w3, w4) = self; + let ids = ids.four().unwrap(); + ( + set_ingame(w1, parent_id, ids[0], ui), + set_ingame(w2, parent_id, ids[1], ui), + set_ingame(w3, parent_id, ids[2], ui), + set_ingame(w4, parent_id, ids[3], ui), + ) + } + fn init_ids(mut id_gen: widget::id::Generator) -> Ids { + Ids::Four([id_gen.next(), id_gen.next(), id_gen.next(), id_gen.next()]) + } +} + +#[derive(Clone, Copy)] +enum Ids { + None, + One(Id), + Two([Id; 2]), + Three([Id; 3]), + Four([Id; 4]), +} +impl Ids { + fn one(self) -> Option { + match self { + Ids::One(id) => Some(id), + _ => None, + } + } + fn two(self) -> Option<[Id; 2]> { + match self { + Ids::Two(ids) => Some(ids), + _ => None, + } + } + fn three(self) -> Option<[Id; 3]> { + match self { + Ids::Three(ids) => Some(ids), + _ => None, + } + } + fn four(self) -> Option<[Id; 4]> { + match self { + Ids::Four(ids) => Some(ids), + _ => None, + } + } +} + +#[derive(Copy, Clone, PartialEq)] +pub struct IngameParameters { + // Number of primitive widgets to position in the game at the specified position + // Note this could be more than the number of widgets in the widgets field since widgets can contain widgets + pub num: usize, + pub pos: Vec3, // Number of pixels per 1 unit in world coordinates (ie a voxel) // Used for widgets that are rasterized before being sent to the gpu (text & images) // Potentially make this autmatic based on distance to camera? - res: f32, -} - -// TODO: add convenience function to this trait -pub trait Primitive {} -impl Primitive for widget::Line {} -impl Primitive for widget::Image {} -impl Primitive for widget::PointPath {} -impl Primitive for widget::Circle {} -impl Primitive for widget::Oval {} -impl Primitive for widget::Polygon {} -impl Primitive for widget::Rectangle {} -impl Primitive for widget::Triangles {} -impl<'a> Primitive for widget::Text<'a> {} - -widget_ids! { - struct Ids { - prim, - } + pub res: f32, } pub struct State { ids: Ids, - pos: Vec3, - res: f32, -} -impl State { - // retrieve the postion and resolution as a tuple - pub fn pos_res(&self) -> (Vec3, f32) { - (self.pos, self.res) - } + pub parameters: IngameParameters, } pub type Style = (); -impl Ingame { - pub fn from_primitive(pos: Vec3, widget: W) -> Self { +impl Ingame { + pub fn new(pos: Vec3, widget: W) -> Self { Self { common: widget::CommonBuilder::default(), - pos, + parameters: IngameParameters { + num: widget.prim_count(), + pos, + res: 1.0, + }, widget, - res: 1.0, } } builder_methods! { - pub resolution { res = f32 } + pub resolution { parameters.res = f32 } } } -impl Widget for Ingame { +impl Widget for Ingame { type State = State; type Style = Style; - type Event = (); + type Event = W::Event; - fn init_state(&self, id_gen: widget::id::Generator) -> Self::State { + fn init_state(&self, mut id_gen: widget::id::Generator) -> Self::State { State { - ids: Ids::new(id_gen), - pos: Vec3::default(), - res: 1.0, + ids: W::init_ids(id_gen), + parameters: self.parameters, } } @@ -87,22 +237,17 @@ impl Widget for Ingame { fn update(self, args: widget::UpdateArgs) -> Self::Event { let widget::UpdateArgs { id, state, ui, .. } = args; let Ingame { - widget, pos, res, .. + widget, parameters, .. } = self; // Update pos if it has changed - if state.pos != pos || state.res != res { + if state.parameters != parameters { state.update(|s| { - s.pos = pos; - s.res = res; + s.parameters = parameters; }); } - widget - .graphics_for(ui.window) - .x_y(0.0, 0.0) - .parent(id) // is this needed - .set(state.ids.prim, ui); + widget.set_ingame(state.ids, id, ui) } fn default_x_position(&self, ui: &Ui) -> Position { @@ -118,3 +263,67 @@ impl Widget for Ingame { Dimension::Absolute(1.0) } } + +// Use this if you have multiple widgets that you want to place at the same spot in-game +// but don't want to create a new custom widget to contain them both +// Note: widgets must be set immediately after settings this +// Note: remove this if it ends up unused +#[derive(Clone, WidgetCommon)] +pub struct IngameAnchor { + #[conrod(common_builder)] + common: widget::CommonBuilder, + parameters: IngameParameters, +} +impl IngameAnchor { + pub fn new(pos: Vec3) -> Self { + IngameAnchor { + common: widget::CommonBuilder::default(), + parameters: IngameParameters { + num: 0, + pos, + res: 1.0, + }, + } + } + pub fn for_widget(mut self, widget: impl Ingameable) -> Self { + self.parameters.num += widget.prim_count(); + self + } + pub fn for_widgets(mut self, widget: impl Ingameable, n: usize) -> Self { + self.parameters.num += n * widget.prim_count(); + self + } + pub fn for_prims(mut self, num: usize) -> Self { + self.parameters.num += num; + self + } +} + +impl Widget for IngameAnchor { + type State = State; + type Style = Style; + type Event = (); + + fn init_state(&self, _: widget::id::Generator) -> Self::State { + State { + ids: Ids::None, + parameters: self.parameters, + } + } + + fn style(&self) -> Self::Style { + () + } + + fn update(self, args: widget::UpdateArgs) -> Self::Event { + let widget::UpdateArgs { id, state, ui, .. } = args; + let IngameAnchor { parameters, .. } = self; + + // Update pos if it has changed + if state.parameters != parameters { + state.update(|s| { + s.parameters = parameters; + }); + } + } +} From ff03c12eee6b66fb3398ad7f7dd896493c4c085b Mon Sep 17 00:00:00 2001 From: Imbris Date: Sun, 19 May 2019 12:25:02 -0400 Subject: [PATCH 05/13] Add healthbars, rebase fixes, warning fixes Former-commit-id: e293133eb18452a53446d2d765ecbe00e50720ba --- voxygen/src/hud/mod.rs | 41 +++++++++++++++++++++----------- voxygen/src/render/renderer.rs | 2 +- voxygen/src/session.rs | 2 +- voxygen/src/ui/widgets/ingame.rs | 2 +- voxygen/src/window.rs | 2 +- 5 files changed, 31 insertions(+), 18 deletions(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index bdd487253a..dde053f24c 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -48,7 +48,7 @@ const MANA_COLOR: Color = Color::Rgba(0.42, 0.41, 0.66, 1.0); widget_ids! { struct Ids { // Character Names - name_tags[], + ingame_elements[], // Test temp, @@ -271,29 +271,42 @@ impl Hud { return events; } - // Nametags - let ecs = client.state().ecs(); + // Nametags and healthbars { - let actor_read_storage = ecs.read_storage::(); - let pos_read_storage = ecs.read_storage::(); - let num = (&actor_read_storage, &pos_read_storage).join().count(); - self.ids - .name_tags - .resize(num, &mut ui_widgets.widget_id_generator()); - for (i, (name, pos)) in (&actor_read_storage, &pos_read_storage) + let ecs = client.state().ecs(); + let actor = ecs.read_storage::(); + let pos = ecs.read_storage::(); + let stats = ecs.read_storage::(); + let mut id_walker = self.ids.ingame_elements.walk(); + for (pos, name) in (&pos, &actor) .join() - .map(|(actor, pos)| match actor { - comp::Actor::Character { name, .. } => (name, pos.0), + .filter_map(|(pos, actor)| match actor { + comp::Actor::Character { name, .. } => Some((pos.0, name)), + _ => None, }) - .enumerate() { + let id = id_walker.next(&mut self.ids.ingame_elements, &mut ui_widgets.widget_id_generator()); Text::new(&name) .font_size(20) .color(Color::Rgba(1.0, 1.0, 1.0, 1.0)) .x_y(0.0, 0.0) .position_ingame(pos + Vec3::new(0.0, 0.0, 3.0)) .resolution(100.0) - .set(self.ids.name_tags[i], ui_widgets); + .set(id, ui_widgets); + } + for (pos, hp) in (&pos, &stats).join().map(|(pos, stats)| (pos.0, stats.hp)) { + let id = id_walker.next(&mut self.ids.ingame_elements, &mut ui_widgets.widget_id_generator()); + ( + // Healh Bar + Rectangle::fill_with([120.0, 12.0], color::BLACK) + .x_y(0.0, -25.0), + // Filling + Rectangle::fill_with([114.0 * (hp.current as f64 / hp.maximum as f64), 6.0], HP_COLOR) + .x_y(0.0, -25.0), + ) + .position_ingame(pos + Vec3::new(0.0, 0.0, 3.0)) + .resolution(100.0) + .set(id, ui_widgets); } } // test diff --git a/voxygen/src/render/renderer.rs b/voxygen/src/render/renderer.rs index 3c8c38d56b..db4a64d3b0 100644 --- a/voxygen/src/render/renderer.rs +++ b/voxygen/src/render/renderer.rs @@ -314,7 +314,7 @@ impl Renderer { memory::Typed, }; type WinSurfaceData = <::Surface as SurfaceTyped>::DataType; - let mut download = self + let download = self .factory .create_download_buffer::(width as usize * height as usize) .map_err(|err| RenderError::BufferCreationError(err))?; diff --git a/voxygen/src/session.rs b/voxygen/src/session.rs index 3e6eeae16d..d095dfffcc 100644 --- a/voxygen/src/session.rs +++ b/voxygen/src/session.rs @@ -173,7 +173,7 @@ impl PlayState for SessionState { // Maintain the scene. self.scene.maintain( global_state.window.renderer_mut(), - &self.client.borrow_mut(), + &self.client.borrow(), ); // extract HUD events ensuring the client borrow gets dropped diff --git a/voxygen/src/ui/widgets/ingame.rs b/voxygen/src/ui/widgets/ingame.rs index ede764a4cc..4f6cd8eee3 100644 --- a/voxygen/src/ui/widgets/ingame.rs +++ b/voxygen/src/ui/widgets/ingame.rs @@ -223,7 +223,7 @@ impl Widget for Ingame { type Style = Style; type Event = W::Event; - fn init_state(&self, mut id_gen: widget::id::Generator) -> Self::State { + fn init_state(&self, id_gen: widget::id::Generator) -> Self::State { State { ids: W::init_ids(id_gen), parameters: self.parameters, diff --git a/voxygen/src/window.rs b/voxygen/src/window.rs index 90e7d1aeb4..c9f6f9b9b2 100644 --- a/voxygen/src/window.rs +++ b/voxygen/src/window.rs @@ -219,7 +219,7 @@ impl Window { std::thread::spawn(move || { use std::{path::PathBuf, time::SystemTime}; // Check if folder exists and create it if it does not - let mut path = std::path::PathBuf::from("./screenshots"); + let mut path = PathBuf::from("./screenshots"); if !path.exists() { if let Err(err) = std::fs::create_dir(&path) { log::error!("Coudn't create folder for screenshot: {:?}", err); From a3cf60c56e5f67d0fdbdefe4118e3352bf251686 Mon Sep 17 00:00:00 2001 From: Imbris Date: Sun, 19 May 2019 14:07:50 -0400 Subject: [PATCH 06/13] Link player stats, remove self name tag Former-commit-id: bb20c8f1515859ae7720484faa4b718253e0ccb7 --- assets/voxygen/element/skill_bar/xp_bar2.png | Bin 4505 -> 0 bytes assets/voxygen/element/skill_bar/xp_bar_l.png | Bin 2356 -> 0 bytes .../element/skill_bar/xp_bar_l_filled.png | Bin 2049 -> 0 bytes assets/voxygen/element/skill_bar/xp_bar_r.png | Bin 2285 -> 0 bytes voxygen/src/hud/mod.rs | 59 +++++++++++++----- voxygen/src/hud/skillbar.rs | 39 +++++++----- voxygen/src/session.rs | 6 +- voxygen/src/ui/widgets/ingame.rs | 4 +- 8 files changed, 73 insertions(+), 35 deletions(-) delete mode 100644 assets/voxygen/element/skill_bar/xp_bar2.png delete mode 100644 assets/voxygen/element/skill_bar/xp_bar_l.png delete mode 100644 assets/voxygen/element/skill_bar/xp_bar_l_filled.png delete mode 100644 assets/voxygen/element/skill_bar/xp_bar_r.png diff --git a/assets/voxygen/element/skill_bar/xp_bar2.png b/assets/voxygen/element/skill_bar/xp_bar2.png deleted file mode 100644 index 15ddbb5c8a238dfb25b033dbbd97f08ab6dfe7b2..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 4505 zcmds4dsLFy7C$CedicninN&<_d9Bt=R+IS%6L6+1qcVGEC6$$yrWTkA3ZyrinIy|8 zGhfiO(q@&CLuzITw+xy>A#FsHiyDnWm_n$aye>1{fca;FfA6;zeCOAk_*6u(e#!9khTnfxBCG=6az3Pr4aih0swb-<1sb42^R0R8v{^bkL;syP_)4~yO_ zuRG{|O@u4nsNdjHLZ;^jP^OIZ1sDSH2V z7Wt=t^DNXE1?^uCeId2TZ~8Ut=262L%UoRoT{&GNZ=C2KrvMP&G+FfZ-u`(WB#SdU z)1G9<-Fs9Ttg|>!GrXS2RoqPRHc#Du?yI5sp>Rt8*$+J^mPJJQ4vWlV*{y$3ZCIr6 z)>lA{8bkG4hm34JQ?87P3TKh@lVfrr1N-TQalal#)*F7ICH0JV_^X-y1Ely ziXJEmH%p?-i%`WvK6#Xeyp@ zXM7Ep#I+L7V~lc^U&@HKHgwdlq3Bx6IWMv$n!K;-8l3}UKQr6yi@w|ycgoe*EU+W` z2_==iDhR5X-1E7jm&_`yKmOAmt*mnemRzJQua3nUhX}fktv4qf-rAIm4+#^>wWRk& z#_|D4eL8AFB^+6*ZEbvbDC?G17TEemgZov18v%F6C2Baz<}@>~#?HZF*lAK{@J{!V zBcvw?L&W+lN)Ly2qYb=D+xHuHuY_0}Q#= zAt8%MB<`7%R@UDcb@4eYmj)Qp$-q|Hnt&JrPsZ_UUQ(sPd6A>Tv2Dk6IM-n!%kPMtaztIY6SqsgQJdQ#Gb z-CGFbd{JVa$gy3!)+^LeD$+1tdZNpx?6loo@&m)q{qcy&eC(~xZd8YRLc*7OLJd59 z(g<{yN=cO2Ls%GxrksgSg2W^OgkS!{pEdG}l@YW!2_Fx6>xQ-+laR&f(gXzSykWUM zM?)loU4Db#>drMX)|Q592MZYnFlt*-`!hL-R4S^9Ll0cyK!fG(U_o@L%Zfyt2s#nl zG$6rvhuT3`BO)%2kC$H65;`M;sy4(cAOdhl0|6?4g66nm;eg9nT}z^PFBbtTfm>W&tgHqro}**4`qe#p}eDbYI7?b$=s zdG69w)Z847x`TPz#~-PUCoB*|ISMrQN8|ThZywPW2t9}0paJP*jUZ3!hrCx(UCX z7t89DVCLHOkvb`3<61SUAq=}pUAh40B)~%mqi4&SUS_Qt-N1@EOIzY#JG?PDHZf^v zrCP7(@~t}_y3&wTauLI(rH%77U;tT+hm^RYI)bJ4RjAd32)<}Hs;Uh_D5@<#R7_-F zy>gnL9U}7+OZuxYY)jHUos)**CLZyfiOP}79~UkRd7oQB6lW-|!ie`F4{SfeG04?* z*ZIr{I)-uHr{tNqAe^On`~%-0o29Uav;IY{VXB78`+^m%uibxlKld9esyhXtv9F%g zVhp(t zOB)^uhru!{uM5H!(`~Q52Cke2CsrCey%As^F^4xkF_Afz6By=1%pqqPcZ{I~aye~Z z0hut}9)M7}aYC*ZS9PU1@oF5*2gtr1&S*<7nFFj2n@1kKg5G^6#I&iiN7h+RrHcji z?}pzU-lffn%eR_aS$CW`4DiQvE0;~NTydV7zPFg5tGGw)bM`))YPC2sLznpq;3K#3 ztfl*8%J>eRGx|#Nx?Xhz-3$|aFVd(40hF5TlfIkHQVNU1p`CR>Hy~@>t*#xT8r1~{ zsd!A&bgv7R20<89NTv{!mv09_=g$1Jx*I(FWBFz zVYVbQvq>be{-4>s1>%#&3Z#f@xpas&>`^@l<-*Mv`(pntz}-u`>aj~Rd({u4ELQHF zsXu-z1^&1@CF6(r7Qa%rKX!e8&53TR^u^ZV&y|V*L(J9?6*c96^B;Hb4^NrD7>OJL z_||Z*X1)uG8g5QA<@yFHvO`;UhUwZ;G3a3`%m;2pTkPD~G5qFo;;`_GHpH?$K5#cw z=|J|7XD{p3zb#j#;ls!JR;sf%_DgeX)tRpYvIZiqeKZUJ(chD3=x`LYrz{DcLT!Ys zGOO-%z7(Gr>NRvbNTX90lf-z1Yy;h_WyfO1zcao8qql<(D=fFImkPcM8uM_zWRrO$ zCG$8TGR@otHPyJOmfrA_ztH$^67c_{8X%keHyRzm=&_h%Dboo>e}p4)&8F2g-|Wx% EFGsTq)c^nh diff --git a/assets/voxygen/element/skill_bar/xp_bar_l.png b/assets/voxygen/element/skill_bar/xp_bar_l.png deleted file mode 100644 index d2218dd26dfb3d750755d48f237d37499c8ad8aa..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 2356 zcmZ`)dstFu82<)cw_I>Z~=ctHP z4pRtI000i5^q|!MO!l|RoA9>QcUSJCGV5Zun;w%4z$c%=4+fk*>t_A;ZPH~?Hv z0H6Z^7%bMc4}d-20MNe)0Lm!LS?+%Di(!rqzf6Vx{hcrJX z$r5*!yw2{<6}Nn!U%pZn-cRY-7a3@`eUkgGXwlhJJnmL}MLUmwy4dOt0LlG-)KIE+ z!(xaKim~d@wTuQ(L*^2K5G{8QC($lE;02pjM$543Hr1ghSW$R&I|_FWs;D?vJGF-f zQ3kA;0Fe5yDDyDqIhi{N*1S21w(2$j7Xl2I`rwd%A(tA0KMW6I2^3ak24Z=}jfkv@ z%l1Net8V*D#0F|#1R)zGYtx+z2SzC^>yjdAf%wj*E$oT~nI!1Ri`sreWTdNUY;-_Y z!4PGkF=SKMxXovmIsrkxbUY?M z)*`62x-k;A5_%;ZVQ(?oz%uvhz2M`p0Jsw4Y&s&5 zn%_o8lheZwvxD>HcUFng@kf-Z(>+&GfZv#5v?=oa8oa5BXWrC1^-TVCUyz+8_`MYn zn?@umSsN;5j29CspG9d(Bt!il)zpf|zvhmUc#F;U9xGOG8!dxQbX1qV4H(Wq&*BuZ zK0od9E2g`_=+YE{YPqiy!>Q;=Hc#$2DhLzEDuo}nazMs^YGz|uD>4QXU0A#&x+MwB zLAeprhZZ1B)eKG_6Qtcx`T2+GcJj?RVs@fYi-szY{k2vxG>ev;EuGM9gAQ~n=S$Lj zcxwm&riol8gYZ@2_;Mh6*5Q8qy<_;+Z?Yrbj)$j-oYav8tQTVHOM~~ZbEuXY7se!! z46}ZDDh0a+wPZT=v)S|!Q<~4=tw4&}#d~=eGF79ws{<`r=SCDWITXLL3bkNEI$x-jnOPnbFhkI z)J{u%cWAur*64!1UTcYe;L%7c!<5VyF+wwhc7&{OaHW-+(!9D7UGf|?k53AWGa3ud z%lq}H$J26)&4h~Qs5@};bgN%$dqcwNOY-Xe^ZTwK+B)LrubaxiP)!YO&SWArbMx>7 z;kwR{V>#JZXv`u(&M~1TK{MRvIgBj(3zC@QT&eE2SO^X`Q`-Y#GgXo-sK0w&-JRQbRHx)H3 zUAP}1C%+v@wrX;C2r}M<%Uj|nv27;9M%;EQLA?3wdS-*oy*Ic*!~Zz-Ut(GKaT`VI z83&<fw$pW{3!@pKSY>R=p_5Bw={ON83^Tsy&}N5DtF)o{ zx5}GXenJ71)me?q(Xp%k}<_$BzNP*#rQR0Kl{o zoKy5|2@xL#iG5TmU2b!FZC>o%u8mqv z-0*|}%DLB#%iPEp>uFA5bt0-H8q}VWHbocGo|-56t-37#`0;gFYQ_T{m>2-(iV@Rg zsrTF{t{b*s-#go=l$MfLt?MxqK<_sm80Ed_#chw?k^w7uu$?8Q8FMTr4W>14MHn^^ z6u?BRWVjV$_@N_^=vEzLNDBn$hoGN>>HeHh}!v(F!^ogeNxb5yUNIyove?J z`-?YYni~lYloomEID9Su8l9@@_U+=~l^;0u&cYG91P46k)KZ1V#KN8D$iiJ-6&bUt z_B3G;;EA;ERzc5Qfcc2S<(`L_*wceEQE?fo#w4MltNHm92r)<0Gj9Sw@7(;fY|^t? z)O|3}M#-rfnfbJUuyu5{HK{@TPg)r4k!5X{NGVm!`kuivTQ-zgh1UVrk^s~1$lGnJZw129TYtR1Sy&7q1&o=Y>Xy%+s3Hxz*9Oj#j+!tVc>0*1j;s1X;_}T&K@46<*ixD> zV>Yd%R5}UUvD;XaRH%=3k4NZkkrJ#X;96KFIQRZn&|{%)Y)@~;Bpm=$&jop}erh+q zP-}2?F3T+>mPU(*FB7m+qvOJOulA%{SF@+}K8Ntj?4~g)gJ<4yBnM8jD@97spyTMw zx$mg{v!+!C4y$Fx3Jti9F7g&$X1Lu(5_C$d)pSI59`M<`57TBS*FTUERiCPl!l(wM zhw5Quwml(~<>wdo?cqIpAW}{ZH$41l218i;jwg`K&Ax0FII9O&S=VDOpVvLwO3OZX zx44Eb)aA}i@kB|LMIxKOXXDIZ+&4^gj^v@TXL`p;L1o)e^Rjt!D{)DwVx3_YSDb4E zr=iIYw5j(Yw^Kn5(mrzm?(&DPm|jHqpzrR)xcW;a<_d|rlc{f&bfi4@;8Vd94xv(z zRR3}+B4#q`%XWJcMbEXZXt8o`p*63P4C`5(r>Wn_4cY1ZC`6M456<^kdi{8|0qnQ9+CKydYgGG+q^v=l85Zc~YRf;~crj>&+NC;I( zik;LNPC>i-O7pj-SCatCc2S}PDWUTDQ1hFXxE$;Fa-ZNNHg4j1nz%p^Y}uHFW3XX% zsxXuhCFf^tzoG?@@co)Gxb?!TH+TN$@gcSAqUh<%ejP9hA7VewI1O!=;dxYdlA@nHNqPFx)x7lD3_HqOWc z;>VECu(g3Sc4~ke)Ji*yGxU1vWG`YU8Ry~f(y3!NeozJ5?p~pD6RRDPVNE|NNLy`g z_(%_>8r$LorzqTuB>Jj+sZO*x@Mxy~3{zrl2QJ$_xbcs)8Nln_1#rWueA&6->LwrmUy6 zf!a!b*0{Jtg46t2F0m}8zch3uUXXG4L+9Sv`Df0(cuZ=CA==GsHDzR}N>5zp2eLj% oa9wx+9a*~%7dI(%0Z=MQAc@TJ()s$#b*yS92N(OIL%#9<0x`aO`Tzg` diff --git a/assets/voxygen/element/skill_bar/xp_bar_r.png b/assets/voxygen/element/skill_bar/xp_bar_r.png deleted file mode 100644 index 81e3f11b9f86b4b38f21f41b8b9faa63d95632c7..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 2285 zcmZ`)do+}37=K-pjM!3c$K)W@$!=;~1~cP2QtPtP1%*9o69zRAhHoa?lxk*^r5u{+ ziniEFwPUBIJ-M{mgRvAbNHOcSSeF?yW@hIz!;xnG_`dh~e(&=>?{oWp&-tJLUxcoy zE&u@Gx6?Zq04;Z!9HpZzdw1ov-;*sXlXiv@0a&#Le$+rwv9S!?5WO?lAAocl04Ui2 z%t~eJAOOkR02qn_z~w3c>l5=LYw-Z+5dFM8LQ>z4a33ao#2f#}G4b4@cl+DH^wWgk z0dZVmxX`2ZwZR?^S;7cKy7c!tH2{%H!PUzf+%c@pi3qx1i5GAiT zk7o>90URdr zpn0G^7I&B{w-A4`&R$_G{@z_nRB3(~`zu%}%GRexr)pwy1^hvMBiA-BP@DI|d8@`I z7*9Gd+e3yPxM&Whiw_tjVGA+mBG`~vI6eHXGIFUPN)t^=Mu}+NH?)UM$+U+4M?(g8 z9!b+-BfaEO0z2Z$HKJsO`M}s+O$JeNNUb`tKnvc^O|4lJJ4l)i6m=N&8AWHA%60o@ zOg#_`7<4zP!#6)sq|?DXOA`joi@bhtR`V@)4Y9Cg8jnrSKH+lbB@UG({E73 zx(^bID))|Ar$2}8>pIgLEWAIDNfD*wK`DUSY=+4d*HxqBJJX9Ch{<)(6k(Y*HF4wS!hmSp7Z ztmrSqjSA4FECO$6+!11SC{^q z8#tz>TnTx;uBqIW_SI=YOnBF;^wt~p-3b~@M6$A+mMvb3=kmqFqiF>?pEpDS?D zDQ{BYj~_>Xc1)Q`^r-x>!CFP0jwV~h@H3px%+PVdOn1?KvVNr|COI*ndH@;m-*os~ zpRAj{ECrG+N%=j~;!G=M3~NE^CcAl($IYn~DtaaG1vJ>+fy5xulmL4b&C-f=tH(Fn zME_&u{j8Jz7M~A^!xlqbD$o!)jm$qD*9g$HMvSE!i*C|0GEcVg^1hogJe%`1TGLNy z_AYc0hehqY8OKw7EHxDgX0GXpOIzK1PF0m+oRhkDKv>~A!H3EGgDUF1lGBdnALqZv z^cUOKH|6W8@cGwInb_UPto)W55~W&8Ij3D_c6P-%t6@!XdrqimQ`;`rbZo3a zMKN*;^h-X{LW)%dEjf+nQ|TlGgWEZM$BXFlKkWf&yIx4jJ3-*=OrIJa8 zM$93*Q5OpJP(QkVN+_%zGK;80{t`jP(sL!NZ!7(W#4K@Iq-cLeD0&QYu-p&kQLth; zQ7VQ)SxcT5bwEMjLt8QZnN<0-DBI-(DY)8ekVaPwp>0nsaC;QoYh-MOJES&0(%hcM z%%S9r97u>=6yp*W#bbX8j>)O|dSlDP-*UEg`*1c{Sn1PWZ_}ChwH+(r|ff}yj`mS8*M!ji@W$@KvzD6H`|#w k$>-LBf54&_CsUJ3H9)@A$j!)Z=6U#-pHF~yg=bXO|2ndZivR!s diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index dde053f24c..0278649d0e 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -276,16 +276,24 @@ impl Hud { let ecs = client.state().ecs(); let actor = ecs.read_storage::(); let pos = ecs.read_storage::(); - let stats = ecs.read_storage::(); + let stats = ecs.read_storage::(); + let entities = ecs.entities(); + let player = client.entity(); let mut id_walker = self.ids.ingame_elements.walk(); - for (pos, name) in (&pos, &actor) - .join() - .filter_map(|(pos, actor)| match actor { - comp::Actor::Character { name, .. } => Some((pos.0, name)), - _ => None, - }) + for (pos, name) in + (&entities, &pos, &actor) + .join() + .filter_map(|(entity, pos, actor)| match actor { + comp::Actor::Character { name, .. } if entity != player => { + Some((pos.0, name)) + } + _ => None, + }) { - let id = id_walker.next(&mut self.ids.ingame_elements, &mut ui_widgets.widget_id_generator()); + let id = id_walker.next( + &mut self.ids.ingame_elements, + &mut ui_widgets.widget_id_generator(), + ); Text::new(&name) .font_size(20) .color(Color::Rgba(1.0, 1.0, 1.0, 1.0)) @@ -294,15 +302,30 @@ impl Hud { .resolution(100.0) .set(id, ui_widgets); } - for (pos, hp) in (&pos, &stats).join().map(|(pos, stats)| (pos.0, stats.hp)) { - let id = id_walker.next(&mut self.ids.ingame_elements, &mut ui_widgets.widget_id_generator()); + for (pos, hp) in (&entities, &pos, &stats) + .join() + .filter_map(|(entity, pos, stats)| { + if entity != player { + Some((pos.0, stats.hp)) + } else { + None + } + }) + { + let id = id_walker.next( + &mut self.ids.ingame_elements, + &mut ui_widgets.widget_id_generator(), + ); ( // Healh Bar - Rectangle::fill_with([120.0, 12.0], color::BLACK) + Rectangle::fill_with([120.0, 8.0], Color::Rgba(0.3, 0.3, 0.3, 0.5)) .x_y(0.0, -25.0), // Filling - Rectangle::fill_with([114.0 * (hp.current as f64 / hp.maximum as f64), 6.0], HP_COLOR) - .x_y(0.0, -25.0), + Rectangle::fill_with( + [120.0 * (hp.current as f64 / hp.maximum as f64), 8.0], + HP_COLOR, + ) + .x_y(0.0, -25.0), ) .position_ingame(pos + Vec3::new(0.0, 0.0, 3.0)) .resolution(100.0) @@ -418,7 +441,15 @@ impl Hud { } // Skillbar - Skillbar::new(&self.imgs, &self.fonts).set(self.ids.skillbar, ui_widgets); + // Get player stats + let stats = client + .state() + .ecs() + .read_storage::() + .get(client.entity()) + .map(|&s| s) + .unwrap_or_default(); + Skillbar::new(&self.imgs, &self.fonts, stats).set(self.ids.skillbar, ui_widgets); // Chat box match Chat::new(&mut self.new_messages, &self.imgs, &self.fonts) diff --git a/voxygen/src/hud/skillbar.rs b/voxygen/src/hud/skillbar.rs index 2bfc8a307d..7e2fc45207 100644 --- a/voxygen/src/hud/skillbar.rs +++ b/voxygen/src/hud/skillbar.rs @@ -1,4 +1,5 @@ use super::{img_ids::Imgs, Fonts, HP_COLOR, MANA_COLOR, TEXT_COLOR, XP_COLOR}; +use common::comp::Stats; use conrod_core::{ widget::{self, Image, Rectangle, Text}, widget_ids, Colorable, Positionable, Sizeable, Widget, WidgetCommon, @@ -30,15 +31,18 @@ pub struct Skillbar<'a> { imgs: &'a Imgs, fonts: &'a Fonts, + stats: Stats, + #[conrod(common_builder)] common: widget::CommonBuilder, } impl<'a> Skillbar<'a> { - pub fn new(imgs: &'a Imgs, fonts: &'a Fonts) -> Self { + pub fn new(imgs: &'a Imgs, fonts: &'a Fonts, stats: Stats) -> Self { Self { imgs, fonts, + stats, common: widget::CommonBuilder::default(), } } @@ -68,9 +72,13 @@ impl<'a> Widget for Skillbar<'a> { fn update(self, args: widget::UpdateArgs) -> Self::Event { let widget::UpdateArgs { state, ui, .. } = args; - // TODO: Read from parameter/character struct - let xp_percentage = 0.4; - let hp_percentage = 1.0; + // TODO: remove this + let level = (self.stats.xp as f64).log(4.0).trunc() as u32 + 1; + let start_level_xp = ((level - 1) as f64).powi(4); + let next_level_xp = (level as f64).powi(4) - start_level_xp; + // TODO: We need a max xp value + let xp_percentage = (self.stats.xp as f64 - start_level_xp) / next_level_xp; + let hp_percentage = self.stats.hp.current as f64 / self.stats.hp.maximum as f64; let mana_percentage = 1.0; // TODO: Only show while aiming with a bow or when casting a spell. @@ -82,7 +90,7 @@ impl<'a> Widget for Skillbar<'a> { // Experience-Bar Image::new(self.imgs.xp_bar) - .w_h(2688.0 / 6.0, 116.0 / 6.0) + .w_h(672.0 / 1.5, 29.0 / 1.5) .mid_bottom_of(ui.window) .set(state.ids.xp_bar, ui); @@ -92,37 +100,37 @@ impl<'a> Widget for Skillbar<'a> { // Left Grid Image::new(self.imgs.sb_grid) - .w_h(2240.0 / 12.0, 448.0 / 12.0) + .w_h(280.0 / 1.5, 56.0 / 1.5) .up_from(state.ids.xp_bar, 0.0) .align_left_of(state.ids.xp_bar) .set(state.ids.sb_grid_l, ui); Image::new(self.imgs.sb_grid_bg) - .w_h(2240.0 / 12.0, 448.0 / 12.0) + .w_h(280.0 / 1.5, 56.0 / 1.5) .middle_of(state.ids.sb_grid_l) .set(state.ids.sb_grid_bg_l, ui); // Right Grid Image::new(self.imgs.sb_grid) - .w_h(2240.0 / 12.0, 448.0 / 12.0) + .w_h(280.0 / 1.5, 56.0 / 1.5) .up_from(state.ids.xp_bar, 0.0) .align_right_of(state.ids.xp_bar) .set(state.ids.sb_grid_r, ui); Image::new(self.imgs.sb_grid_bg) - .w_h(2240.0 / 12.0, 448.0 / 12.0) + .w_h(280.0 / 1.5, 56.0 / 1.5) .middle_of(state.ids.sb_grid_r) .set(state.ids.sb_grid_bg_r, ui); // Right and Left Click Image::new(self.imgs.l_click) - .w_h(224.0 / 6.0, 320.0 / 6.0) + .w_h(56.0 / 1.5, 80.0 / 1.5) .right_from(state.ids.sb_grid_bg_l, 0.0) .align_bottom_of(state.ids.sb_grid_bg_l) .set(state.ids.l_click, ui); Image::new(self.imgs.r_click) - .w_h(224.0 / 6.0, 320.0 / 6.0) + .w_h(56.0 / 1.5, 80.0 / 1.5) .left_from(state.ids.sb_grid_bg_r, 0.0) .align_bottom_of(state.ids.sb_grid_bg_r) .set(state.ids.r_click, ui); @@ -135,7 +143,7 @@ impl<'a> Widget for Skillbar<'a> { .set(state.ids.health_bar, ui); // Filling - Rectangle::fill_with([182.0 * (hp_percentage), 6.0], HP_COLOR) // "W=182.0 * [Health. %]" + Rectangle::fill_with([182.0 * hp_percentage, 6.0], HP_COLOR) // "W=182.0 * [Health. %]" .top_right_with_margins_on(state.ids.health_bar, 5.0, 0.0) .set(state.ids.health_bar_color, ui); @@ -147,7 +155,7 @@ impl<'a> Widget for Skillbar<'a> { .set(state.ids.mana_bar, ui); // Filling - Rectangle::fill_with([182.0 * (mana_percentage), 6.0], MANA_COLOR) // "W=182.0 * [Mana. %]" + Rectangle::fill_with([182.0 * mana_percentage, 6.0], MANA_COLOR) // "W=182.0 * [Mana. %]" .top_left_with_margins_on(state.ids.mana_bar, 5.0, 0.0) .set(state.ids.mana_bar_color, ui); @@ -159,15 +167,16 @@ impl<'a> Widget for Skillbar<'a> { // Level Display + // TODO: don't construct a new string here // TODO: Insert actual Level here. - Text::new("1") + Text::new(&level.to_string()) .left_from(state.ids.xp_bar, -15.0) .font_size(10) .color(TEXT_COLOR) .set(state.ids.level_text, ui); // TODO: Insert next Level here. - Text::new("2") + Text::new(&(level + 1).to_string()) .right_from(state.ids.xp_bar, -15.0) .font_size(10) .color(TEXT_COLOR) diff --git a/voxygen/src/session.rs b/voxygen/src/session.rs index d095dfffcc..8be80e3703 100644 --- a/voxygen/src/session.rs +++ b/voxygen/src/session.rs @@ -171,10 +171,8 @@ impl PlayState for SessionState { global_state.maintain(); // Maintain the scene. - self.scene.maintain( - global_state.window.renderer_mut(), - &self.client.borrow(), - ); + self.scene + .maintain(global_state.window.renderer_mut(), &self.client.borrow()); // extract HUD events ensuring the client borrow gets dropped let hud_events = self.hud.maintain( diff --git a/voxygen/src/ui/widgets/ingame.rs b/voxygen/src/ui/widgets/ingame.rs index 4f6cd8eee3..c360d73672 100644 --- a/voxygen/src/ui/widgets/ingame.rs +++ b/voxygen/src/ui/widgets/ingame.rs @@ -65,7 +65,7 @@ where } } -trait IngameWidget: Ingameable + Widget {} +pub trait IngameWidget: Ingameable + Widget {} impl IngameWidget for T where T: Ingameable + Widget {} impl Ingameable for (W, E) @@ -148,7 +148,7 @@ where } #[derive(Clone, Copy)] -enum Ids { +pub enum Ids { None, One(Id), Two([Id; 2]), From 3be6ea40b9c3ecd6ce733eb7f9618219ae0c6af5 Mon Sep 17 00:00:00 2001 From: Imbris Date: Mon, 20 May 2019 02:57:44 -0400 Subject: [PATCH 07/13] Simplify ingame.rs, fix adding new entities Former-commit-id: 3e92c4c8c1c580e2b2d95eecd213ac42cf0dd0bc --- voxygen/src/hud/mod.rs | 57 +++++------ voxygen/src/ui/mod.rs | 27 ++++-- voxygen/src/ui/widgets/ingame.rs | 162 +++---------------------------- 3 files changed, 65 insertions(+), 181 deletions(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 0278649d0e..afad6f18a9 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -48,10 +48,12 @@ const MANA_COLOR: Color = Color::Rgba(0.42, 0.41, 0.66, 1.0); widget_ids! { struct Ids { // Character Names - ingame_elements[], + name_tags[], + // Health Bars + health_bars[], + health_bar_backs[], // Test - temp, bag_space_add, // Debug debug_bg, @@ -279,7 +281,9 @@ impl Hud { let stats = ecs.read_storage::(); let entities = ecs.entities(); let player = client.entity(); - let mut id_walker = self.ids.ingame_elements.walk(); + let mut name_id_walker = self.ids.name_tags.walk(); + let mut health_id_walker = self.ids.health_bars.walk(); + let mut health_back_id_walker = self.ids.health_bar_backs.walk(); for (pos, name) in (&entities, &pos, &actor) .join() @@ -290,8 +294,8 @@ impl Hud { _ => None, }) { - let id = id_walker.next( - &mut self.ids.ingame_elements, + let id = name_id_walker.next( + &mut self.ids.name_tags, &mut ui_widgets.widget_id_generator(), ); Text::new(&name) @@ -312,35 +316,32 @@ impl Hud { } }) { - let id = id_walker.next( - &mut self.ids.ingame_elements, + let back_id = health_back_id_walker.next( + &mut self.ids.health_bar_backs, &mut ui_widgets.widget_id_generator(), ); - ( - // Healh Bar - Rectangle::fill_with([120.0, 8.0], Color::Rgba(0.3, 0.3, 0.3, 0.5)) - .x_y(0.0, -25.0), - // Filling - Rectangle::fill_with( - [120.0 * (hp.current as f64 / hp.maximum as f64), 8.0], - HP_COLOR, - ) - .x_y(0.0, -25.0), - ) + let bar_id = health_id_walker.next( + &mut self.ids.health_bars, + &mut ui_widgets.widget_id_generator(), + ); + // Healh Bar + Rectangle::fill_with([120.0, 8.0], Color::Rgba(0.3, 0.3, 0.3, 0.5)) + .x_y(0.0, -25.0) .position_ingame(pos + Vec3::new(0.0, 0.0, 3.0)) .resolution(100.0) - .set(id, ui_widgets); + .set(back_id, ui_widgets); + + // Filling + Rectangle::fill_with( + [120.0 * (hp.current as f64 / hp.maximum as f64), 8.0], + HP_COLOR, + ) + .x_y(0.0, -25.0) + .position_ingame(pos + Vec3::new(0.0, 0.0, 3.0)) + .resolution(100.0) + .set(bar_id, ui_widgets); } } - // test - Text::new("Squarefection") - .font_size(20) - .color(TEXT_COLOR) - .font_id(self.fonts.opensans) - .x_y(0.0, 0.0) - .position_ingame([0.0, 25.0, 25.0].into()) - .resolution(40.0) - .set(self.ids.temp, ui_widgets); // Display debug window. if self.show.debug { diff --git a/voxygen/src/ui/mod.rs b/voxygen/src/ui/mod.rs index 2ec835d68d..c3d6a42f10 100644 --- a/voxygen/src/ui/mod.rs +++ b/voxygen/src/ui/mod.rs @@ -14,7 +14,7 @@ pub use graphic::Graphic; pub use scale::ScaleMode; pub use widgets::{ image_slider::ImageSlider, - ingame::{Ingame, Ingameable}, + ingame::{Ingame, IngameAnchor, Ingameable}, toggle_button::ToggleButton, }; @@ -255,6 +255,7 @@ impl Ui { // Check for a change in the scissor. let new_scissor = { let (l, b, w, h) = scizzor.l_b_w_h(); + let scale_factor = self.scale.scale_factor_physical(); // Calculate minimum x and y coordinates while // flipping y axis (from +up to +down) and // moving origin to top-left corner (from middle). @@ -262,12 +263,12 @@ impl Ui { let min_y = self.ui.win_h / 2.0 - b - h; Aabr { min: Vec2 { - x: (min_x * p_scale_factor) as u16, - y: (min_y * p_scale_factor) as u16, + x: (min_x * scale_factor) as u16, + y: (min_y * scale_factor) as u16, }, max: Vec2 { - x: ((min_x + w) * p_scale_factor) as u16, - y: ((min_y + h) * p_scale_factor) as u16, + x: ((min_x + w) * scale_factor) as u16, + y: ((min_y + h) * scale_factor) as u16, }, } .intersection(window_scissor) @@ -530,7 +531,6 @@ impl Ui { } _ => {} // TODO: Add this. //PrimitiveKind::TrianglesMultiColor {..} => {println!("primitive kind multicolor with id {:?}", id);} - // Other unneeded for now. } } // Enter the final command. @@ -539,6 +539,19 @@ impl Ui { State::Image => DrawCommand::image(start..mesh.vertices().len()), }); + // Draw glyoh cache (use for debugging) + /*self.draw_commands + .push(DrawCommand::Scissor(default_scissor(renderer))); + start = mesh.vertices().len(); + mesh.push_quad(create_ui_quad( + Aabr { min: (-1.0, -1.0).into(), max: (1.0, 1.0).into() }, + Aabr { min: (0.0, 1.0).into(), max: (1.0, 0.0).into() }, + Rgba::new(1.0, 1.0, 1.0, 0.8), + UiMode::Text, + )); + self.draw_commands + .push(DrawCommand::plain(start..mesh.vertices().len()));*/ + // Create a larger dynamic model if the mesh is larger than the current model size. if self.model.vbuf.len() < mesh.vertices().len() { self.model = renderer @@ -589,7 +602,7 @@ impl Ui { } } -fn default_scissor(renderer: &mut Renderer) -> Aabr { +fn default_scissor(renderer: &Renderer) -> Aabr { let (screen_w, screen_h) = renderer.get_resolution().map(|e| e as u16).into_tuple(); Aabr { min: Vec2 { x: 0, y: 0 }, diff --git a/voxygen/src/ui/widgets/ingame.rs b/voxygen/src/ui/widgets/ingame.rs index c360d73672..426912eddc 100644 --- a/voxygen/src/ui/widgets/ingame.rs +++ b/voxygen/src/ui/widgets/ingame.rs @@ -15,27 +15,23 @@ pub struct Ingame { parameters: IngameParameters, } -pub trait Ingameable: Sized { - type Event; +pub trait Ingameable: Widget + Sized { fn prim_count(&self) -> usize; - fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event; - fn init_ids(mut id_gen: widget::id::Generator) -> Ids; + // Note this is not responsible for the 3d positioning + // Only call this directly if using IngameAnchor + fn set_ingame(self, id: widget::Id, parent_id: Id, ui: &mut UiCell) -> Self::Event { + self + // should pass focus to the window if these are clicked + // (they are not displayed where conrod thinks they are) + .graphics_for(ui.window) + //.parent(parent_id) // is this needed + .set(id, ui) + } fn position_ingame(self, pos: Vec3) -> Ingame { Ingame::new(pos, self) } } -// Note this is not responsible for the positioning -// Only call this directly if using IngameAnchor -pub fn set_ingame(widget: W, parent_id: Id, id: Id, ui: &mut UiCell) -> W::Event { - widget - // should pass focus to the window if these are clicked - // (they are not displayed where conrod thinks they are) - .graphics_for(ui.window) - //.parent(id) // is this needed - .set(id, ui) -} - pub trait PrimitiveMarker {} impl PrimitiveMarker for widget::Line {} impl PrimitiveMarker for widget::Image {} @@ -51,135 +47,9 @@ impl

Ingameable for P where P: Widget + PrimitiveMarker, { - type Event = P::Event; fn prim_count(&self) -> usize { 1 } - fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { - let id = ids.one().unwrap(); - - set_ingame(self, parent_id, id, ui) - } - fn init_ids(mut id_gen: widget::id::Generator) -> Ids { - Ids::One(id_gen.next()) - } -} - -pub trait IngameWidget: Ingameable + Widget {} -impl IngameWidget for T where T: Ingameable + Widget {} - -impl Ingameable for (W, E) -where - W: IngameWidget, - E: IngameWidget, -{ - type Event = (::Event, ::Event); - fn prim_count(&self) -> usize { - self.0.prim_count() + self.1.prim_count() - } - fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { - let (w1, w2) = self; - let [id1, id2] = ids.two().unwrap(); - ( - set_ingame(w1, parent_id, id1, ui), - set_ingame(w2, parent_id, id2, ui), - ) - } - fn init_ids(mut id_gen: widget::id::Generator) -> Ids { - Ids::Two([id_gen.next(), id_gen.next()]) - } -} -impl Ingameable for (W, E, R) -where - W: IngameWidget, - E: IngameWidget, - R: IngameWidget, -{ - type Event = ( - ::Event, - ::Event, - ::Event, - ); - fn prim_count(&self) -> usize { - self.0.prim_count() + self.1.prim_count() + self.2.prim_count() - } - fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { - let (w1, w2, w3) = self; - let ids = ids.three().unwrap(); - ( - set_ingame(w1, parent_id, ids[0], ui), - set_ingame(w2, parent_id, ids[1], ui), - set_ingame(w3, parent_id, ids[2], ui), - ) - } - fn init_ids(mut id_gen: widget::id::Generator) -> Ids { - Ids::Three([id_gen.next(), id_gen.next(), id_gen.next()]) - } -} -impl Ingameable for (W, E, R, T) -where - W: IngameWidget, - E: IngameWidget, - R: IngameWidget, - T: IngameWidget, -{ - type Event = ( - ::Event, - ::Event, - ::Event, - ::Event, - ); - fn prim_count(&self) -> usize { - self.0.prim_count() + self.1.prim_count() + self.2.prim_count() + self.3.prim_count() - } - fn set_ingame(self, ids: Ids, parent_id: Id, ui: &mut UiCell) -> Self::Event { - let (w1, w2, w3, w4) = self; - let ids = ids.four().unwrap(); - ( - set_ingame(w1, parent_id, ids[0], ui), - set_ingame(w2, parent_id, ids[1], ui), - set_ingame(w3, parent_id, ids[2], ui), - set_ingame(w4, parent_id, ids[3], ui), - ) - } - fn init_ids(mut id_gen: widget::id::Generator) -> Ids { - Ids::Four([id_gen.next(), id_gen.next(), id_gen.next(), id_gen.next()]) - } -} - -#[derive(Clone, Copy)] -pub enum Ids { - None, - One(Id), - Two([Id; 2]), - Three([Id; 3]), - Four([Id; 4]), -} -impl Ids { - fn one(self) -> Option { - match self { - Ids::One(id) => Some(id), - _ => None, - } - } - fn two(self) -> Option<[Id; 2]> { - match self { - Ids::Two(ids) => Some(ids), - _ => None, - } - } - fn three(self) -> Option<[Id; 3]> { - match self { - Ids::Three(ids) => Some(ids), - _ => None, - } - } - fn four(self) -> Option<[Id; 4]> { - match self { - Ids::Four(ids) => Some(ids), - _ => None, - } - } } #[derive(Copy, Clone, PartialEq)] @@ -195,7 +65,7 @@ pub struct IngameParameters { } pub struct State { - ids: Ids, + id: Option, pub parameters: IngameParameters, } @@ -223,9 +93,9 @@ impl Widget for Ingame { type Style = Style; type Event = W::Event; - fn init_state(&self, id_gen: widget::id::Generator) -> Self::State { + fn init_state(&self, mut id_gen: widget::id::Generator) -> Self::State { State { - ids: W::init_ids(id_gen), + id: Some(id_gen.next()), parameters: self.parameters, } } @@ -247,7 +117,7 @@ impl Widget for Ingame { }); } - widget.set_ingame(state.ids, id, ui) + widget.set_ingame(state.id.unwrap(), id, ui) } fn default_x_position(&self, ui: &Ui) -> Position { @@ -306,7 +176,7 @@ impl Widget for IngameAnchor { fn init_state(&self, _: widget::id::Generator) -> Self::State { State { - ids: Ids::None, + id: None, parameters: self.parameters, } } From 5abf94dfbf9f6ce5024ed018b8bc9c8ba9d306b3 Mon Sep 17 00:00:00 2001 From: Imbris Date: Mon, 20 May 2019 01:53:33 -0400 Subject: [PATCH 08/13] Simplify ingame.rs, fix adding new entities Former-commit-id: b5fbf1a0155e8cb2cb7837004b3c0e43ca2ae92e --- voxygen/src/hud/mod.rs | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index afad6f18a9..704ee508fa 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -342,6 +342,15 @@ impl Hud { .set(bar_id, ui_widgets); } } + // test + Text::new("Squarefection") + .font_size(20) + .color(TEXT_COLOR) + .font_id(self.fonts.opensans) + .x_y(0.0, 0.0) + .position_ingame([0.0, 25.0, 25.0].into()) + .resolution(20.0) + .set(self.ids.temp, ui_widgets); // Display debug window. if self.show.debug { From c42748e4777b4a56fe52587813fbad1fe5732890 Mon Sep 17 00:00:00 2001 From: Imbris Date: Mon, 20 May 2019 02:09:20 -0400 Subject: [PATCH 09/13] Scaling of ingame text rasterization to match final size Former-commit-id: 9f9e900afef2400af35d579e66ba95097e169b87 --- voxygen/src/hud/mod.rs | 15 ++++-------- voxygen/src/menu/char_selection/ui.rs | 2 +- voxygen/src/menu/main/ui.rs | 2 +- voxygen/src/scene/camera.rs | 5 ++++ voxygen/src/session.rs | 2 ++ voxygen/src/ui/cache.rs | 4 ++-- voxygen/src/ui/mod.rs | 34 +++++++++++++++++++++++---- 7 files changed, 46 insertions(+), 18 deletions(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 704ee508fa..fcd05f73aa 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -24,6 +24,7 @@ use small_window::{SmallWindow, SmallWindowType}; use crate::{ render::{Consts, Globals, Renderer}, + scene::camera::Camera, settings::{ControlSettings, Settings}, ui::{Ingame, Ingameable, ScaleMode, Ui}, window::{Event as WinEvent, Key, Window}, @@ -342,15 +343,6 @@ impl Hud { .set(bar_id, ui_widgets); } } - // test - Text::new("Squarefection") - .font_size(20) - .color(TEXT_COLOR) - .font_id(self.fonts.opensans) - .x_y(0.0, 0.0) - .position_ingame([0.0, 25.0, 25.0].into()) - .resolution(20.0) - .set(self.ids.temp, ui_widgets); // Display debug window. if self.show.debug { @@ -682,12 +674,15 @@ impl Hud { client: &Client, global_state: &mut GlobalState, debug_info: DebugInfo, + camera: &Camera, ) -> Vec { if let Some(maybe_id) = self.to_focus.take() { self.ui.focus_widget(maybe_id); } let events = self.update_layout(client, global_state, debug_info); - self.ui.maintain(&mut global_state.window.renderer_mut()); + let (view_mat, _, _) = camera.compute_dependents(client); + let fov = camera.get_fov(); + self.ui.maintain(&mut global_state.window.renderer_mut(), Some((view_mat, fov))); events } diff --git a/voxygen/src/menu/char_selection/ui.rs b/voxygen/src/menu/char_selection/ui.rs index 2246f01159..007a669f56 100644 --- a/voxygen/src/menu/char_selection/ui.rs +++ b/voxygen/src/menu/char_selection/ui.rs @@ -1081,7 +1081,7 @@ impl CharSelectionUi { pub fn maintain(&mut self, renderer: &mut Renderer) -> Vec { let events = self.update_layout(); - self.ui.maintain(renderer); + self.ui.maintain(renderer, None); events } diff --git a/voxygen/src/menu/main/ui.rs b/voxygen/src/menu/main/ui.rs index 9b62246b8b..2bd084f4b8 100644 --- a/voxygen/src/menu/main/ui.rs +++ b/voxygen/src/menu/main/ui.rs @@ -508,7 +508,7 @@ impl MainMenuUi { pub fn maintain(&mut self, global_state: &mut GlobalState) -> Vec { let events = self.update_layout(global_state); - self.ui.maintain(global_state.window.renderer_mut()); + self.ui.maintain(global_state.window.renderer_mut(), None); events } diff --git a/voxygen/src/scene/camera.rs b/voxygen/src/scene/camera.rs index d23638fdff..ef747ab3df 100644 --- a/voxygen/src/scene/camera.rs +++ b/voxygen/src/scene/camera.rs @@ -150,4 +150,9 @@ impl Camera { pub fn get_orientation(&self) -> Vec3 { self.ori } + + /// Get the field of view of the camera in radians. + pub fn get_fov(&self) -> f32 { + self.fov + } } diff --git a/voxygen/src/session.rs b/voxygen/src/session.rs index 8be80e3703..a74c01fd0f 100644 --- a/voxygen/src/session.rs +++ b/voxygen/src/session.rs @@ -182,6 +182,7 @@ impl PlayState for SessionState { tps: clock.get_tps(), ping_ms: self.client.borrow().get_ping_ms(), }, + &self.scene.camera(), ); // Maintain the UI. for event in hud_events { @@ -214,6 +215,7 @@ impl PlayState for SessionState { } } } + {} // Render the session. self.render(global_state.window.renderer_mut()); diff --git a/voxygen/src/ui/cache.rs b/voxygen/src/ui/cache.rs index b111222768..1ddda971fe 100644 --- a/voxygen/src/ui/cache.rs +++ b/voxygen/src/ui/cache.rs @@ -17,8 +17,8 @@ pub struct Cache { impl Cache { pub fn new(renderer: &mut Renderer) -> Result { let (w, h) = renderer.get_resolution().into_tuple(); - const SCALE_TOLERANCE: f32 = 0.1; - const POSITION_TOLERANCE: f32 = 0.1; + const SCALE_TOLERANCE: f32 = 0.3; + const POSITION_TOLERANCE: f32 = 0.5; let graphic_cache_dims = Vec2::new(w * 4, h * 4); Ok(Self { diff --git a/voxygen/src/ui/mod.rs b/voxygen/src/ui/mod.rs index c3d6a42f10..751cf36048 100644 --- a/voxygen/src/ui/mod.rs +++ b/voxygen/src/ui/mod.rs @@ -23,6 +23,7 @@ use crate::{ create_ui_quad, create_ui_tri, Consts, DynamicModel, Globals, Mesh, RenderError, Renderer, UiLocals, UiMode, UiPipeline, }, + scene::camera::Camera, window::Window, Error, }; @@ -205,7 +206,7 @@ impl Ui { self.ui.widget_input(id) } - pub fn maintain(&mut self, renderer: &mut Renderer) { + pub fn maintain(&mut self, renderer: &mut Renderer, mats: Option<(Mat4, f32)>) { // Regenerate draw commands and associated models only if the ui changed let mut primitives = match self.ui.draw_if_changed() { Some(primitives) => primitives, @@ -229,6 +230,7 @@ impl Ui { let mut current_scissor = window_scissor; let mut in_world = None; + // TODO: maybe mutate an ingame scale factor instead of this, depends on if we want them to scale with other ui scaling or not let mut p_scale_factor = self.scale.scale_factor_physical(); // Switches to the `Plain` state and completes the previous `Command` if not already in the @@ -301,8 +303,14 @@ impl Ui { } Some((n, res)) => match kind { // Other types don't need to be drawn in the game - PrimitiveKind::Other(_) => (), - _ => in_world = Some((n - 1, res)), + PrimitiveKind::Other(_) => {} + _ => { + in_world = Some((n - 1, res)); + // Skip + if p_scale_factor < 0.5 { + continue; + } + } }, None => {} } @@ -526,7 +534,25 @@ impl Ui { ))); in_world = Some((parameters.num, parameters.res)); - p_scale_factor = 1.0; + // Calculate the scale factor to pixels at this 3d point using the camera. + p_scale_factor = match mats { + Some((view_mat, fov)) => { + let pos_in_view = view_mat * Vec4::from_point(parameters.pos); + let scale_factor = self.ui.win_w as f64 + / (-2.0 + * pos_in_view.z as f64 + * (0.5 * fov as f64).tan() + * parameters.res as f64); + // Don't draw really small ingame elements or those behind the camera + if scale_factor > 0.1 { + scale_factor.min(2.0).max(0.5) + } else { + // TODO: use a flag or option instead of this + -1.0 + } + } + None => 1.0, + } } } _ => {} // TODO: Add this. From 046adc2812ed774922765563dc1c9bee7f21887e Mon Sep 17 00:00:00 2001 From: Imbris Date: Mon, 20 May 2019 23:43:24 -0400 Subject: [PATCH 10/13] Round resolution scaling to powers of 2 Former-commit-id: c4ae59271076e1402eb1012257b6e40f082faf06 --- voxygen/src/ui/cache.rs | 4 +- voxygen/src/ui/mod.rs | 108 ++++++++++++++++++++++------------------ 2 files changed, 61 insertions(+), 51 deletions(-) diff --git a/voxygen/src/ui/cache.rs b/voxygen/src/ui/cache.rs index 1ddda971fe..b111222768 100644 --- a/voxygen/src/ui/cache.rs +++ b/voxygen/src/ui/cache.rs @@ -17,8 +17,8 @@ pub struct Cache { impl Cache { pub fn new(renderer: &mut Renderer) -> Result { let (w, h) = renderer.get_resolution().into_tuple(); - const SCALE_TOLERANCE: f32 = 0.3; - const POSITION_TOLERANCE: f32 = 0.5; + const SCALE_TOLERANCE: f32 = 0.1; + const POSITION_TOLERANCE: f32 = 0.1; let graphic_cache_dims = Vec2::new(w * 4, h * 4); Ok(Self { diff --git a/voxygen/src/ui/mod.rs b/voxygen/src/ui/mod.rs index 751cf36048..29934e0fb7 100644 --- a/voxygen/src/ui/mod.rs +++ b/voxygen/src/ui/mod.rs @@ -206,7 +206,7 @@ impl Ui { self.ui.widget_input(id) } - pub fn maintain(&mut self, renderer: &mut Renderer, mats: Option<(Mat4, f32)>) { + pub fn maintain(&mut self, renderer: &mut Renderer, cam_params: Option<(Mat4, f32)>) { // Regenerate draw commands and associated models only if the ui changed let mut primitives = match self.ui.draw_if_changed() { Some(primitives) => primitives, @@ -229,7 +229,13 @@ impl Ui { let window_scissor = default_scissor(renderer); let mut current_scissor = window_scissor; - let mut in_world = None; + enum Placement { + Interface, + // Number and resolution + InWorld(usize, Option), + }; + + let mut placement = Placement::Interface; // TODO: maybe mutate an ingame scale factor instead of this, depends on if we want them to scale with other ui scaling or not let mut p_scale_factor = self.scale.scale_factor_physical(); @@ -288,9 +294,9 @@ impl Ui { self.draw_commands.push(DrawCommand::Scissor(new_scissor)); } - match in_world { - Some((0, _)) => { - in_world = None; + match placement { + Placement::InWorld(0, _) => { + placement = Placement::Interface; p_scale_factor = self.scale.scale_factor_physical(); // Finish current state self.draw_commands.push(match current_state { @@ -301,22 +307,21 @@ impl Ui { // Push new position command self.draw_commands.push(DrawCommand::WorldPos(None)); } - Some((n, res)) => match kind { + Placement::InWorld(n, res) => match kind { // Other types don't need to be drawn in the game PrimitiveKind::Other(_) => {} _ => { - in_world = Some((n - 1, res)); - // Skip - if p_scale_factor < 0.5 { + placement = Placement::InWorld(n - 1, res); + if res.is_none() { continue; } } }, - None => {} + Placement::Interface => {} } // Functions for converting for conrod scalar coords to GL vertex coords (-1.0 to 1.0). - let (ui_win_w, ui_win_h) = if let Some((_, res)) = in_world { + let (ui_win_w, ui_win_h) = if let Placement::InWorld(_, Some(res)) = placement { (res as f64, res as f64) } else { (self.ui.win_w, self.ui.win_h) @@ -516,42 +521,41 @@ impl Ui { } PrimitiveKind::Other(container) => { if container.type_id == std::any::TypeId::of::() { - // Retrieve world position - let parameters = container - .state_and_style::() - .unwrap() - .state - .parameters; - // Finish current state - self.draw_commands.push(match current_state { - State::Plain => DrawCommand::plain(start..mesh.vertices().len()), - State::Image => DrawCommand::image(start..mesh.vertices().len()), - }); - start = mesh.vertices().len(); - // Push new position command - self.draw_commands.push(DrawCommand::WorldPos(Some( - renderer.create_consts(&[parameters.pos.into()]).unwrap(), - ))); - - in_world = Some((parameters.num, parameters.res)); // Calculate the scale factor to pixels at this 3d point using the camera. - p_scale_factor = match mats { - Some((view_mat, fov)) => { - let pos_in_view = view_mat * Vec4::from_point(parameters.pos); - let scale_factor = self.ui.win_w as f64 - / (-2.0 - * pos_in_view.z as f64 - * (0.5 * fov as f64).tan() - * parameters.res as f64); - // Don't draw really small ingame elements or those behind the camera - if scale_factor > 0.1 { - scale_factor.min(2.0).max(0.5) - } else { - // TODO: use a flag or option instead of this - -1.0 - } - } - None => 1.0, + if let Some((view_mat, fov)) = cam_params { + // Retrieve world position + let parameters = container + .state_and_style::() + .unwrap() + .state + .parameters; + // Finish current state + self.draw_commands.push(match current_state { + State::Plain => DrawCommand::plain(start..mesh.vertices().len()), + State::Image => DrawCommand::image(start..mesh.vertices().len()), + }); + start = mesh.vertices().len(); + // Push new position command + self.draw_commands.push(DrawCommand::WorldPos(Some( + renderer.create_consts(&[parameters.pos.into()]).unwrap(), + ))); + + let pos_in_view = view_mat * Vec4::from_point(parameters.pos); + let scale_factor = self.ui.win_w as f64 + / (-2.0 + * pos_in_view.z as f64 + * (0.5 * fov as f64).tan() + * parameters.res as f64); + // Don't process ingame elements behind the camera or very far away + placement = if scale_factor > 0.1 { + p_scale_factor = ((scale_factor * 10.0).log2().round().powi(2) + / 10.0) + .min(1.6) + .max(0.2); + Placement::InWorld(parameters.num, Some(parameters.res)) + } else { + Placement::InWorld(parameters.num, None) + }; } } } @@ -565,13 +569,19 @@ impl Ui { State::Image => DrawCommand::image(start..mesh.vertices().len()), }); - // Draw glyoh cache (use for debugging) + // Draw glyph cache (use for debugging). /*self.draw_commands .push(DrawCommand::Scissor(default_scissor(renderer))); start = mesh.vertices().len(); mesh.push_quad(create_ui_quad( - Aabr { min: (-1.0, -1.0).into(), max: (1.0, 1.0).into() }, - Aabr { min: (0.0, 1.0).into(), max: (1.0, 0.0).into() }, + Aabr { + min: (-1.0, -1.0).into(), + max: (1.0, 1.0).into(), + }, + Aabr { + min: (0.0, 1.0).into(), + max: (1.0, 0.0).into(), + }, Rgba::new(1.0, 1.0, 1.0, 0.8), UiMode::Text, )); From 670980d44ce4338ff078064c17520e45ce25e440 Mon Sep 17 00:00:00 2001 From: Imbris Date: Tue, 21 May 2019 00:55:20 -0400 Subject: [PATCH 11/13] add key to toggle ingame ui elements Former-commit-id: e57fc5410a93f6e467db4bb198d7510351fb2db6 --- voxygen/src/hud/mod.rs | 8 +++++++- voxygen/src/settings.rs | 2 ++ voxygen/src/window.rs | 2 ++ 3 files changed, 11 insertions(+), 1 deletion(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index fcd05f73aa..c264c0837e 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -135,6 +135,7 @@ pub struct Show { map: bool, inventory_test_button: bool, mini_map: bool, + ingame: bool, want_grab: bool, } @@ -258,6 +259,7 @@ impl Hud { inventory_test_button: false, mini_map: false, want_grab: true, + ingame: true, }, to_focus: None, force_ungrab: false, @@ -275,7 +277,7 @@ impl Hud { } // Nametags and healthbars - { + if self.show.ingame { let ecs = client.state().ecs(); let actor = ecs.read_storage::(); let pos = ecs.read_storage::(); @@ -650,6 +652,10 @@ impl Hud { self.show.debug = !self.show.debug; true } + Key::ToggleIngameUi => { + self.show.ingame = !self.show.ingame; + true + } _ => false, }, WinEvent::KeyDown(key) | WinEvent::KeyUp(key) => match key { diff --git a/voxygen/src/settings.rs b/voxygen/src/settings.rs index 8986f08cac..f504fd43e3 100644 --- a/voxygen/src/settings.rs +++ b/voxygen/src/settings.rs @@ -40,6 +40,7 @@ pub struct ControlSettings { pub toggle_debug: VirtualKeyCode, pub fullscreen: VirtualKeyCode, pub screenshot: VirtualKeyCode, + pub toggle_ingame_ui: VirtualKeyCode, } #[derive(Clone, Debug, Serialize, Deserialize)] @@ -95,6 +96,7 @@ impl Default for Settings { toggle_debug: VirtualKeyCode::F3, fullscreen: VirtualKeyCode::F11, screenshot: VirtualKeyCode::F4, + toggle_ingame_ui: VirtualKeyCode::F6, }, networking: NetworkingSettings { username: "Username".to_string(), diff --git a/voxygen/src/window.rs b/voxygen/src/window.rs index c9f6f9b9b2..c36ad3675b 100644 --- a/voxygen/src/window.rs +++ b/voxygen/src/window.rs @@ -60,6 +60,7 @@ impl Window { key_map.insert(settings.controls.toggle_debug, Key::ToggleDebug); key_map.insert(settings.controls.fullscreen, Key::Fullscreen); key_map.insert(settings.controls.screenshot, Key::Screenshot); + key_map.insert(settings.controls.toggle_ingame_ui, Key::ToggleIngameUi); let tmp = Ok(Self { events_loop, @@ -266,6 +267,7 @@ pub enum Key { ToggleDebug, Fullscreen, Screenshot, + ToggleIngameUi, } /// Represents an incoming event from the window. From 26d79da76017b339d8c865c0a2be4bd9ccacb96e Mon Sep 17 00:00:00 2001 From: Imbris Date: Thu, 23 May 2019 21:07:19 -0400 Subject: [PATCH 12/13] small fixes Former-commit-id: 0ac2c4e058340d99709843b52fed4a06498ab500 --- voxygen/shaders/ui.vert | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/voxygen/shaders/ui.vert b/voxygen/shaders/ui.vert index 72593c8e8f..2411525756 100644 --- a/voxygen/shaders/ui.vert +++ b/voxygen/shaders/ui.vert @@ -24,9 +24,7 @@ void main() { if (w_pos.w == 1.0) { // In-game element - gl_Position = - proj_mat * - (view_mat * w_pos + vec4(v_pos, 0.0, 0.0)); + gl_Position = proj_mat * (view_mat * w_pos + vec4(v_pos, 0.0, 0.0)); } else { // Interface element gl_Position = vec4(v_pos, 0.0, 1.0); From aaa26e78e464a1f34bd2c3ad3a399232d177d4c5 Mon Sep 17 00:00:00 2001 From: Joshua Barretto Date: Fri, 24 May 2019 13:43:03 +0100 Subject: [PATCH 13/13] fmt Former-commit-id: 2d9b4f53438a3849381d8723d0ab48b4015cd35c --- voxygen/src/hud/mod.rs | 12 ++++++++++-- 1 file changed, 10 insertions(+), 2 deletions(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index c264c0837e..fe727ddd60 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -266,7 +266,12 @@ impl Hud { } } - fn update_layout(&mut self, client: &Client, global_state: &GlobalState, debug_info: DebugInfo) -> Vec { + fn update_layout( + &mut self, + client: &Client, + global_state: &GlobalState, + debug_info: DebugInfo, + ) -> Vec { let mut events = Vec::new(); let ref mut ui_widgets = self.ui.set_widgets(); let version = env!("CARGO_PKG_VERSION"); @@ -688,7 +693,10 @@ impl Hud { let events = self.update_layout(client, global_state, debug_info); let (view_mat, _, _) = camera.compute_dependents(client); let fov = camera.get_fov(); - self.ui.maintain(&mut global_state.window.renderer_mut(), Some((view_mat, fov))); + self.ui.maintain( + &mut global_state.window.renderer_mut(), + Some((view_mat, fov)), + ); events }