pathfinder/renderer/src/tile_map.rs

71 lines
2.0 KiB
Rust
Raw Normal View History

2019-04-11 22:36:55 -04:00
// pathfinder/renderer/src/tile_map.rs
//
// Copyright © 2019 The Pathfinder Project Developers.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
use pathfinder_geometry::vector::Vector2I;
use pathfinder_geometry::rect::RectI;
2019-04-11 22:36:55 -04:00
#[derive(Debug)]
pub struct DenseTileMap<T> {
pub data: Vec<T>,
pub rect: RectI,
2019-04-11 22:36:55 -04:00
}
impl<T> DenseTileMap<T> {
#[inline]
pub fn new(rect: RectI) -> DenseTileMap<T>
2019-04-29 19:45:29 -04:00
where
T: Copy + Clone + Default,
{
2019-04-11 22:36:55 -04:00
let length = rect.size().x() as usize * rect.size().y() as usize;
2019-04-29 19:45:29 -04:00
DenseTileMap {
data: vec![T::default(); length],
rect,
}
2019-04-11 22:36:55 -04:00
}
#[inline]
pub fn from_builder<F>(build: F, rect: RectI) -> DenseTileMap<T>
2019-04-29 19:45:29 -04:00
where
F: FnMut(usize) -> T,
{
2019-04-11 22:36:55 -04:00
let length = rect.size().x() as usize * rect.size().y() as usize;
2019-04-29 19:45:29 -04:00
DenseTileMap {
data: (0..length).map(build).collect(),
rect,
}
2019-04-11 22:36:55 -04:00
}
#[inline]
pub fn get(&self, coords: Vector2I) -> Option<&T> {
self.coords_to_index(coords).and_then(|index| self.data.get(index))
}
2019-04-11 22:36:55 -04:00
#[inline]
pub fn coords_to_index(&self, coords: Vector2I) -> Option<usize> {
if self.rect.contains_point(coords) {
Some(self.coords_to_index_unchecked(coords))
} else {
None
2019-04-11 22:36:55 -04:00
}
}
#[inline]
pub fn coords_to_index_unchecked(&self, coords: Vector2I) -> usize {
2019-04-29 19:45:29 -04:00
(coords.y() - self.rect.min_y()) as usize * self.rect.size().x() as usize
+ (coords.x() - self.rect.min_x()) as usize
2019-04-11 22:36:55 -04:00
}
#[inline]
pub fn index_to_coords(&self, index: usize) -> Vector2I {
2019-04-11 22:36:55 -04:00
let (width, index) = (self.rect.size().x(), index as i32);
self.rect.origin() + Vector2I::new(index % width, index / width)
2019-04-11 22:36:55 -04:00
}
}