https://github.com/rj/bevy_htn
  
  
    A Hierarchical Task Network (htn) for bevy, using bevy_behave trees as operators 
    https://github.com/rj/bevy_htn
  
ai gamedev htn planning
        Last synced: 7 months ago 
        JSON representation
    
A Hierarchical Task Network (htn) for bevy, using bevy_behave trees as operators
- Host: GitHub
- URL: https://github.com/rj/bevy_htn
- Owner: RJ
- License: apache-2.0
- Created: 2025-03-11T23:54:48.000Z (8 months ago)
- Default Branch: main
- Last Pushed: 2025-03-26T11:27:03.000Z (7 months ago)
- Last Synced: 2025-03-26T12:28:30.413Z (7 months ago)
- Topics: ai, gamedev, htn, planning
- Language: Rust
- Homepage:
- Size: 1.47 MB
- Stars: 0
- Watchers: 1
- Forks: 0
- Open Issues: 0
- 
            Metadata Files:
            - Readme: README.md
- License: LICENSE-APACHE
 
Awesome Lists containing this project
README
          # Bevy Hierarchical Task Network (UNRELEASED)
Working on an HTN that uses [bevy_behave](https://github.com/RJ/bevy_behave) behaviour trees as
operators, and can hot reload the `.htn` definition via the asset server.
Check out the [characters example](https://github.com/RJ/bevy_htn/blob/main/bevy_htn/examples/characters/main.rs), and the accompanying [.htn file](https://github.com/RJ/bevy_htn/blob/main/bevy_htn/assets/dude.htn) that describes the bot behaviour.
```bash
cargo run -p bevy_htn --example characters
```

RJ in bevy #ai discord.
### Work in progress
I'm still building this, so expect poor docs and logspam for the time being.
[bevy_behave](https://github.com/RJ/bevy_behave) is in a more production-ready state, and is what the HTN operators are made from.
#### Pasted from tests.rs:
```rust
#[test]
fn test_travel_htn() {
    {
        // Don't need app for test, just want to set up the logger.
        let mut app = App::new();
        app.add_plugins(bevy::log::LogPlugin::default());
    }
    // DEFINE OPERATORS (which are behaviour trees)
    // the default behaviour of operators is to be emitted as triggers,
    // ie. Behave::trigger(WalkOperator)
    // but you can also make them components to be spawned, or implement HtnOperator
    // yourself to provide a custom behaviour tree.
    #[derive(Reflect, Default, Clone, Debug, PartialEq, Eq, HtnOperator)]
    #[reflect(Default, HtnOperator)]
    struct WalkOperator;
    #[derive(Reflect, Default, Clone, Debug, PartialEq, Eq, HtnOperator)]
    #[reflect(Default, HtnOperator)]
    struct TaxiOperator;
    // an operator that returns a custom behaviour tree.
    #[derive(Reflect, Default, Clone, Debug, PartialEq, Eq)]
    #[reflect(Default, HtnOperator)]
    struct RideTaxiOperator(i32);
    impl HtnOperator for RideTaxiOperator {
        fn to_tree(&self) -> Tree {
            behave! { Behave::Wait(self.0 as f32) }
        }
    }
    // this one would get spawned into an entity using Behave::spawn_named.
    #[derive(Reflect, Default, Clone, Debug, PartialEq, Eq, HtnOperator, Component)]
    #[reflect(Default, HtnOperator)]
    #[spawn_named = "Paying the taxi!"]
    struct PayTaxiOperator;
    // DEFINE PLANNER STATE
    #[derive(Reflect, Default, Clone, Debug, PartialEq, Eq)]
    #[reflect(Default)]
    enum Location {
        #[default]
        Home,
        Other,
        Park,
    }
    #[derive(Reflect, Resource, Clone, Debug, Default, Component)]
    #[reflect(Default, Resource)]
    struct TravelState {
        cash: i32,
        distance_to_park: i32,
        happy: bool,
        my_location: Location,
        taxi_location: Location,
    }
    // DEFINE HTN (can be loaded from an .htn file by asset loader too)
    // for an initial state with distance > 4 this will cause the planner to try the first
    // TravelToPark method, then backtrack when the precondition for Walk is not met,
    // then try the second method, which succeeds (get a taxi).
    let src = r#"
    schema {
        version: 0.1.0
    }
    compound_task "TravelToPark" {
        method {
            subtasks: [ Walk ]
        }
        method {
            subtasks: [ Taxi ]
        }
    }
            
    primitive_task "Walk" {
        operator: WalkOperator
        preconditions: [distance_to_park <= 4, my_location != Location::Park, happy == false]
        effects: [
            my_location = Location::Park,
            happy = true,
        ]
    }
    compound_task "Taxi" {
        method {
            subtasks: [CallTaxi, RideTaxi, PayTaxi]
        }
    }
    primitive_task "CallTaxi" {
        operator: TaxiOperator
        preconditions: [cash >= 1]
        effects: [taxi_location = my_location]
    }
    primitive_task "RideTaxi" {
        operator: RideTaxiOperator(distance_to_park)
        preconditions: [taxi_location == my_location, cash >= 1]
        effects: [taxi_location = Location::Park, my_location = Location::Park, happy = true]
    }
    primitive_task "PayTaxi" {
        operator: PayTaxiOperator
        preconditions: [taxi_location == Location::Park, cash >= 1]
        effects: [cash -= 1]
    }
    "#;
    // REGISTER TYPES USED IN HTN
    // normally you'd use app.register_type or Res
    let atr = AppTypeRegistry::default();
    {
        let mut atr = atr.write();
        atr.register::();
        atr.register::();
        atr.register::();
        atr.register::();
        atr.register::();
        atr.register::();
    }
    let htn = parse_htn::(src).expect("Failed to parse htn");
    // verify via reflection that any types used in the htn are registered:
    match htn.verify_all(&TravelState::default(), &atr) {
        Ok(_) => {}
        Err(e) => panic!("HTN type verification failed: {e:?}"),
    }
    let mut planner = HtnPlanner::new(&htn, &atr);
    // Run the planner with alternative starting states to see different outcomes:
    {
        let initial_state = TravelState {
            cash: 10,
            distance_to_park: 1,
            my_location: Location::Home,
            taxi_location: Location::Other,
            happy: false,
        };
        let plan = planner.plan(&initial_state);
        assert_eq!(plan.task_names(), vec!["Walk"]);
    }
    {
        let initial_state = TravelState {
            cash: 10,
            distance_to_park: 5,
            my_location: Location::Home,
            taxi_location: Location::Other,
            happy: false,
        };
        let plan = planner.plan(&initial_state);
        assert_eq!(plan.task_names(), vec!["CallTaxi", "RideTaxi", "PayTaxi"]);
    }
}
```
# behave.
Operators are [bevy_behave](https://github.com/RJ/bevy_behave) behaviour trees.
# .htn Capabilities
Need to document. see [htn.pest](https://github.com/RJ/bevy_htn/blob/main/bevy_htn/src/htn.pest) for the grammar.
## FAQ
### How do i set planner goals?
You can't really set a goal state and have the planner search for it like with GOAP.
The goal state of an HTN is kind of encoded into the task definitions.
Design your tasks to elicit the desired state.
Might be interesting to add a backwards goal-state based planner like goap atop the htn structure, but it would be slow compared to the forwards HTN planning approach, and i want to have loads of NPC entities.
### Reading
* [Exploring HTN Planners through Example](https://www.gameaipro.com/GameAIPro/GameAIPro_Chapter12_Exploring_HTN_Planners_through_Example.pdf) from GameAIPro
* [Building a Planner: A Survey of Planning Systems Used in Commercial Video Games](https://www.is.ovgu.de/is_media/Research/Publications/IEEE_ToG_2018_Neufeld-p-4450.pdf)
* [A Hybrid Approach to Planning and Execution in Dynamic Environments Through Hierarchical Task Networks and Behavior Trees](https://cdn.aaai.org/ojs/13044/13044-52-16561-1-2-20201228.pdf) (meh)
* [bevy_mod_scripting is an example of some reflection and dynamic shennanigans](https://github.com/makspll/bevy_mod_scripting/blob/a4d1ffbcae98f42393ab447d73efe9b0b543426f/crates/bevy_mod_scripting_core/src/bindings/world.rs#L642). A useful reference.