bevy_gizmos/
cross.rs

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
//! Additional [`Gizmos`] Functions -- Crosses
//!
//! Includes the implementation of [`Gizmos::cross`] and [`Gizmos::cross_2d`],
//! and assorted support items.

use crate::prelude::{GizmoConfigGroup, Gizmos};
use bevy_color::Color;
use bevy_math::{Isometry2d, Isometry3d, Vec2, Vec3};

impl<Config> Gizmos<'_, '_, Config>
where
    Config: GizmoConfigGroup,
{
    /// Draw a cross in 3D with the given `isometry` applied.
    ///
    /// If `isometry == Isometry3d::IDENTITY` then
    ///
    /// - the center is at `Vec3::ZERO`
    /// - the `half_size`s are aligned with the `Vec3::X`, `Vec3::Y` and `Vec3::Z` axes.
    ///
    /// This should be called for each frame the cross needs to be rendered.
    ///
    /// # Example
    /// ```
    /// # use bevy_gizmos::prelude::*;
    /// # use bevy_math::prelude::*;
    /// # use bevy_color::palettes::basic::WHITE;
    /// fn system(mut gizmos: Gizmos) {
    ///     gizmos.cross(Isometry3d::IDENTITY, 0.5, WHITE);
    /// }
    /// # bevy_ecs::system::assert_is_system(system);
    /// ```
    pub fn cross(
        &mut self,
        isometry: impl Into<Isometry3d>,
        half_size: f32,
        color: impl Into<Color>,
    ) {
        let isometry = isometry.into();
        let color: Color = color.into();
        [Vec3::X, Vec3::Y, Vec3::Z]
            .map(|axis| axis * half_size)
            .into_iter()
            .for_each(|axis| {
                self.line(isometry * axis, isometry * (-axis), color);
            });
    }

    /// Draw a cross in 2D with the given `isometry` applied.
    ///
    /// If `isometry == Isometry2d::IDENTITY` then
    ///
    /// - the center is at `Vec3::ZERO`
    /// - the `half_size`s are aligned with the `Vec3::X` and `Vec3::Y` axes.
    ///
    /// This should be called for each frame the cross needs to be rendered.
    ///
    /// # Example
    /// ```
    /// # use bevy_gizmos::prelude::*;
    /// # use bevy_math::prelude::*;
    /// # use bevy_color::palettes::basic::WHITE;
    /// fn system(mut gizmos: Gizmos) {
    ///     gizmos.cross_2d(Isometry2d::IDENTITY, 0.5, WHITE);
    /// }
    /// # bevy_ecs::system::assert_is_system(system);
    /// ```
    pub fn cross_2d(
        &mut self,
        isometry: impl Into<Isometry2d>,
        half_size: f32,
        color: impl Into<Color>,
    ) {
        let isometry = isometry.into();
        let color: Color = color.into();
        [Vec2::X, Vec2::Y]
            .map(|axis| axis * half_size)
            .into_iter()
            .for_each(|axis| {
                self.line_2d(isometry * axis, isometry * (-axis), color);
            });
    }
}