using System;
public class Node
{
public enum Status {SUCCESS, RUNNING, FAILURE };
public Status status;
public List<Node> children = new List<Node>();
public int currentChild = 0;
public string name;
public Node(){}
public Node(string n)
{
name = n;
}
public void AddChild(Node n)
{
children.Add(n);
}
public virtual Status Process()
{
return children[currentChild].Process();
}
}
public class BehaviourTree : Node
{
public BehaviourTree()
{
name = "Tree";
}
public BehaviourTree(string n)
{
name = n;
}
public override Status Process()
{
return children[currentChild].Process();
}
struct NodeLevel
{
public int level;
public Node node;
}
public void PrintTree()
{
string treePrintout = "";
Stack<NodeLevel> nodeStack = new Stack<NodeLevel>();
Node currentNode = this;
nodeStack.Push(new NodeLevel{level = 0, node = currentNode } );
while(nodeStack.Count != 0)
{
NodeLevel nextNode = nodeStack.Pop();
treePrintout += new string('-', nextNode.level) + nextNode.node.name + "\n";
for(int i = nextNode.node.children.Count-1; i >= 0; i--)
{
nodeStack.Push(new NodeLevel{ level=nextNode.level + 1, node = nextNode.node.children[i] } );
}
}
Debug.Log(treePrintout);
}
}
public class Leaf : Node
{
public delegate Status Tick();
public Tick ProcessMethod;
public Leaf(){};
public Leaf(string n, Tick pm)
{
name = n;
ProcessMethod = pm;
}
public override Status Process()
{
if(ProcessMethod != null)
return ProcessMethod();
return Status.FAILURE;
}
}
using UnityEngine.AI;
public class RobberBehaviour : MonoBehaviour
{
BehaviourTree tree;
public GameObject diamond;
public GameObject van;
NavMeshAgent agent;
void Start()
{
agent = this.GetComponent<NavMeshAgent>();
tree = BehaviourTree();
Node steal = new Node("Steal Something");
Leaf gotoDiamond = new Leaf("Go to Diamond", GoToDiamond);
Leaf gotoVan = new Leaf("Go to Van", GoToVan);
steal.AddChild(gotoDiamond);
steal.AddChild(gotoVan);
tree.AddChild(steal);
Node eat = new Node("Eat Something");
Leaf pizza = new Leaf("Go to Pizza Shop");
Leaf buy = new Leaf("Buy Pizza");
eat.AddChild(pizza);
eat.AddChild(buy);
tree.AddChild(eat);
tree.PrintTree();
tree.Process();
}
public Node.Status GoToDiamond()
{
agent.SetDestination(diamond.transform.position);
return Node.Status.SUCCESS;
}
public Node.Status GoToVan()
{
agent.SetDestination(van.transform.position);
return Node.Status.SUCCESS;
}
}