1
Fork 0

pathfinding (partial)

This commit is contained in:
Andy Killorin 2023-12-16 23:46:16 -06:00
parent 3041858b99
commit b5ff23f66e
Signed by: ank
GPG key ID: B6241CA3B552BCA4
4 changed files with 210 additions and 15 deletions

View file

@ -13,7 +13,9 @@ const_format = "0.2.32"
feistel_rs = "0.1.0" feistel_rs = "0.1.0"
hyper = "1.0.1" hyper = "1.0.1"
hyper-util = "0.1.1" hyper-util = "0.1.1"
rstar = "0.11.0" nalgebra = { version = "0.32.3", features = ["serde-serialize"] }
pathfinding = "4.6.0"
rstar = { version = "0.11.0", features = ["serde"] }
rustmatica = "0.1.1" rustmatica = "0.1.1"
serde = "1.0.193" serde = "1.0.193"
serde_json = "1.0.108" serde_json = "1.0.108"

32
server/src/blocks.rs Normal file
View file

@ -0,0 +1,32 @@
use rstar::{self, RTree, RTreeObject, AABB, PointDistance};
use serde::{Deserialize, Serialize};
use pathfinding::prelude::astar;
use crate::Vec3;
pub type World = RTree<Block>;
#[derive(Serialize, Deserialize)]
pub struct Block {
pub name: String,
pub pos: super::Vec3,
}
impl RTreeObject for Block {
type Envelope = AABB<[i32;3]>;
fn envelope(&self) -> Self::Envelope {
AABB::from_point(self.pos.into())
}
}
impl PointDistance for Block {
fn distance_2(
&self,
point: &[i32;3],
) -> i32 {
(self.pos - Vec3::from(*point)).abs().sum()
}
}

View file

@ -1,12 +1,13 @@
use std::{env::args, sync::Arc, fs, io::ErrorKind}; use std::{env::args, sync::Arc, fs, io::ErrorKind, collections::VecDeque};
use axum::{ use axum::{
routing::{get, post}, routing::{get, post},
Router, extract::{State, Path}, Json, http::{request, Request}, Router, extract::{State, Path}, Json, http::{request, Request},
}; };
use anyhow::{Error, Ok}; use anyhow::{Error, Ok, Context};
use rstar; use blocks::World;
use rustmatica::{BlockState, util::{UVec3, Vec3}}; use rstar::{self, AABB};
use rustmatica::{BlockState};
mod names; mod names;
use names::Name; use names::Name;
@ -17,8 +18,16 @@ use const_format::formatcp;
use hyper_util::rt::TokioIo; use hyper_util::rt::TokioIo;
use tower::Service; use tower::Service;
use hyper::body::Incoming; use hyper::body::Incoming;
use nalgebra::Vector3;
#[derive(Serialize, Deserialize)] use crate::blocks::Block;
mod blocks;
mod turtle;
pub type Vec3 = Vector3<i32>;
#[derive(Serialize, Deserialize, Clone, Hash, PartialEq, Eq, Copy)]
enum Direction { enum Direction {
North, North,
South, South,
@ -61,20 +70,21 @@ struct Turtle {
/// movement vector of last given command /// movement vector of last given command
queued_movement: Vec3, queued_movement: Vec3,
position: Vec3, position: Vec3,
goal: Option<Vec3>,
facing: Direction, facing: Direction,
} }
impl Turtle { impl Turtle {
fn new(id: u32, position: Vec3, facing: Direction, fuel: usize) -> Self { fn new(id: u32, position: Vec3, facing: Direction, fuel: usize) -> Self {
Self { name: Name::from_num(id), fuel, queued_movement: Vec3::new(0, 0, 0), position, facing } Self { name: Name::from_num(id), fuel, queued_movement: Vec3::new(0, 0, 0), position, goal: None, facing }
} }
} }
#[derive(Serialize, Deserialize)] #[derive(Serialize, Deserialize)]
struct ControlState { struct ControlState {
turtles: Vec<Turtle> turtles: Vec<Turtle>,
//world: unimplemented!(), world: blocks::World,
//chunkloaders: unimplemented!(), //chunkloaders: unimplemented!(),
} }
@ -89,7 +99,7 @@ async fn main() -> Result<(), Error> {
}, },
tokio::io::Result::Err(e) => match e.kind() { tokio::io::Result::Err(e) => match e.kind() {
ErrorKind::NotFound => { ErrorKind::NotFound => {
ControlState { turtles: Vec::new() } ControlState { turtles:Vec::new(), world: World::new() }
}, },
_ => panic!() _ => panic!()
} }
@ -184,7 +194,7 @@ async fn create_turtle(
Json(req): Json<TurtleRegister>, Json(req): Json<TurtleRegister>,
) -> Json<TurtleResponse> { ) -> Json<TurtleResponse> {
let turtles = &mut state.write().await.turtles; let turtles = &mut state.write().await.turtles;
let id = (turtles.len() + 1) as u32; let id = turtles.len() as u32;
turtles.push(Turtle::new(id, req.position, req.facing, req.fuel)); turtles.push(Turtle::new(id, req.position, req.facing, req.fuel));
println!("turt {id}"); println!("turt {id}");
@ -197,12 +207,108 @@ async fn command(
State(state): State<SharedControl>, State(state): State<SharedControl>,
Json(req): Json<TurtleUpdate>, Json(req): Json<TurtleUpdate>,
) -> Json<TurtleCommand> { ) -> Json<TurtleCommand> {
let turtles = &state.read().await.turtles; let mut state = &mut state.write().await;
println!("{id}");
println!("above: {}, below: {}, ahead: {}", req.above, req.below, req.ahead); if id as usize > state.turtles.len() {
return Json(TurtleCommand::Update);
}
Json(
process_turtle_update(id, &mut state, req).unwrap_or(TurtleCommand::Update),
)
}
fn process_turtle_update(
id: u32,
state: &mut ControlState,
update: TurtleUpdate,
) -> anyhow::Result<TurtleCommand> {
let turtle = state.turtles.get_mut(id as usize).context("nonexisting turtle")?;
let world = &mut state.world;
println!("above: {}, below: {}, ahead: {}", update.above, update.below, update.ahead);
if turtle.fuel != update.fuel {
turtle.fuel = update.fuel;
turtle.position += turtle.queued_movement;
}
world.insert(Block {
name: update.above,
pos: turtle.position + Vec3::new(0, 1, 0),
});
world.insert(Block {
name: update.ahead,
pos: turtle.position + turtle.facing.clone().unit(),
});
world.insert(Block {
name: update.below,
pos: turtle.position - turtle.facing.clone().unit(),
});
turtle.queued_movement = turtle.facing.clone().unit();
Ok(TurtleCommand::Wait)
}
#[derive(Serialize, Deserialize)]
enum TurtleTask {
Mining(TurtleMineJob),
Idle,
}
type Position = (Vec3, Direction);
/// Get a turtle command to map two adjacent positions
fn difference(from: Position, to: Position) -> Option<TurtleCommand> {
use TurtleCommand::*;
if from.0 == to.0 {
if to.1 == from.1.left() {
Some(Left)
} else if to.1 == from.1.right() {
Some(Right)
} else {
None
}
} else if to.1 == from.1 {
if to.0 == from.0 + from.1.unit() {
Some(Forward)
} else if to.0 == from.0 - from.1.unit() {
Some(Backward)
} else {
None
}
} else {
None
}
}
#[derive(Serialize, Deserialize)]
struct TurtleMineJobParams {
region: AABB<[i32;3]>,
to_mine: Vec<Vec3>,
method: TurtleMineMethod,
refuel: Position,
storage: Position,
}
#[derive(Serialize, Deserialize)]
struct TurtleMineJob {
to_mine: VecDeque<Vec3>,
mined: AABB<[i32;3]>,
params: TurtleMineJobParams,
}
Json(TurtleCommand::Wait) #[derive(Serialize, Deserialize)]
enum TurtleMineMethod {
Clear,
Strip,
} }
#[derive(Serialize, Deserialize)] #[derive(Serialize, Deserialize)]

55
server/src/turtle.rs Normal file
View file

@ -0,0 +1,55 @@
use std::rc::Rc;
use pathfinding::prelude::astar;
use crate::{blocks::{World, Block}, Position};
use super::Vec3;
pub fn route(from: Position, to: Position, world: World) -> Vec<Position> {
let world = Rc::new(world);
let route = astar(&from, move |p| {next(p, world.clone())} , |p1| {(p1.0 - &to.0).abs().sum() as u32}, |p| {p == &to}).unwrap();
route.0
}
fn next(from: &Position, world: Rc<World>) -> Vec<(Position, u32)> {
let mut vec: Vec<(Position, u32)> = Vec::new();
vec.push(((from.0, from.1.left()),1));
vec.push(((from.0, from.1.right()),1));
let ahead = from.0 + from.1.unit();
let empty: Block = Block {
name: String::from("minecraft:air"),
pos: Vec3::zeros(),
};
let block_ahead = world.locate_at_point(&ahead.into()).unwrap_or(&empty);
difficulty(&block_ahead.name).map(|d| vec.push(((ahead, from.1), d)));
let behind = from.0 - from.1.unit();
let block_behind = world.locate_at_point(&behind.into()).unwrap_or(&empty);
difficulty(&block_behind.name).map(|d| vec.push(((behind, from.1), d)));
let above = from.0 + Vec3::y();
let block_above = world.locate_at_point(&above.into()).unwrap_or(&empty);
difficulty(&block_above.name).map(|d| vec.push(((above, from.1), d)));
let below = from.0 - Vec3::y();
let block_below = world.locate_at_point(&below.into()).unwrap_or(&empty);
difficulty(&block_below.name).map(|d| vec.push(((below, from.1), d)));
vec
}
/// Blocks that are fine to tunnel through
const GARBAGE: [&str; 3] = [
"minecraft:stone",
"minecraft:dirt",
"minecraft:andesite",
];
// time to go somewhere
fn difficulty(name: &str) -> Option<u32> {
if name == "minecraft:air" { return Some(1) };
if GARBAGE.contains(&name) { return Some(2)};
None
}