Project logo

build Build Status

Bevy SVG map

Crate for loading SVG files directly into bevy. The properties of the lines (color, opacity, fill…) can be used to programmatically add functionality, setting the foundation for a very weird workflow: Vector Graphics as editor to bevy entities!

If you are looking for a plugin that loads SVGs, you may want to take a look at bevy_svg.

Getting started

Add the library to your project's Cargo.toml (check last published version, it corresponds to the stable version on the branch crates.io): toml [dependencies] bevy_svg_map = "0.2" If you want the bleeding edge (corresponds to master): toml [dependencies] bevy_svg_map = {git="https://github.com/carrascomj/bevy_svg_map.git"}

:warning: The master branch points to each master branch of bevy. Use with caution!

The library provides a function to be used inside a bevy's startup_system. Here, we are loading the file ex.svg under the assets/ directory.

```rust use bevysvgmap::loadsvgmap; use bevy::prelude::*;

// We need to provide a struct implementing the StyleStrategy // leave it as default, we'll come back to this later struct MyStrategy;

impl StyleStrategy for MyStrategy {}

fn main() { App::build() .adddefaultplugins() .addstartupsystem(setup.system()) .run(); }

fn setup(mut com: Commands, mat: ResMut>, mesh: ResMut>) { loadsvgmap(com, mat, mesh, "assets/ex.svg", MyStrategy); } That should display some lines as in the image on the top. However, they are plain black (default for `StyleStrategy`). What about using the colors from the SVG path strokes? rust // we're now also using SvgStyle use bevysvgmap::{loadsvgmap, StyleStrategy, SvgStyle}; use bevy::prelude::*;

struct MyStrategy;

impl StyleStrategy for MyStrategy { // implement this trait method fn colordecider(&self, style: &SvgStyle) -> Color { match style.stroke() { Some(c) => c, // add red lines if the Color could not be parsed from the SVG _ => Color::RED, } } } `` OK, that's a bit more interesting. Notice howSvgStyleexposes properties of the style of the SVG path. For each of these paths, thecolordecider` function is applied to… well… decide its color.

Finally, to provide some actually interesting functionality, we can apply arbitrary functions to each component created from the path.

```rust // ... same as before use bevy::ecs::system::EntityCommands;

// This Component will be added to each SpriteComponents created from a path enum Collider { Scorable, Solid, }

impl StyleStrategy for MyStrategy { // implement this trait method fn colordecider(&self, style: &SvgStyle) -> Color { // same as before } fn componentdecider(&self, style: &SvgStyle, mut comp: EntityCommands) { // use the stroke opacity to decide the kind of Collider comp.insert( if style.stroke_opacity().unwrap() == 1.0 { Collider::Solid } else{ Collider::Scorable } ); } } ```

Check out more properties to extract from SvgStyle in the documentation!

Troubleshooting

Features