libgdx / gdx-ai

Artificial Intelligence framework for games based on libGDX or not. Features: Steering Behaviors, Formation Motion, Pathfinding, Behavior Trees and Finite State Machines
Apache License 2.0
1.18k stars 242 forks source link

Discussing Behavior Trees #12

Open davebaol opened 9 years ago

davebaol commented 9 years ago

I've opened this to discuss behavior trees API enhancements.

@implicit-invocation Resuming discussion https://github.com/libgdx/gdx-ai/pull/4#issuecomment-56509640 ... Not sure why you don't like the XML format, but I think that it has some advantages:

So I'm playing with the XML format just to see what can be done. Currently I can successfully load a behavior tree from this file:

<BehaviorTree>
  <Import task="com.badlogic.gdx.ai.tests.btree.dogtasks.BarkTask" as="Bark"/>
  <Import task="com.badlogic.gdx.ai.tests.btree.dogtasks.CareTask" as="Care"/>
  <Import task="com.badlogic.gdx.ai.tests.btree.dogtasks.MarkTask" as="Mark"/>
  <Import task="com.badlogic.gdx.ai.tests.btree.dogtasks.RestTask" as="Rest"/>
  <Import task="com.badlogic.gdx.ai.tests.btree.dogtasks.WalkTask" as="Walk"/>
  <Root>
    <Selector>
      <Parallel>
        <com.badlogic.gdx.ai.tests.btree.dogtasks.CareTask urgentProb="0.8"/>
        <AlwaysFail>
          <com.badlogic.gdx.ai.tests.btree.dogtasks.RestTask/>
        </AlwaysFail>
      </Parallel>
      <Sequence>
        <Bark times="3"/>
        <Walk/>
        <Bark/> <!-- times defaults to 1, see BarkTask source code -->
        <com.badlogic.gdx.ai.tests.btree.dogtasks.MarkTask/>
      </Sequence>
    </Selector>
  </Root>
</BehaviorTree>

I added the "Import" tag to improve readability. It allows you to use the given alias in place of the fully qualified class name of the task. Actually Selector, Parallel, etc.. are predefined imports. Also, the "as" attribute is optional, meaning that the simple class name is used as the alias, i.e.

  <Import task="com.badlogic.gdx.ai.tests.btree.dogtasks.BarkTask"/>

creates the task alias "BarkTask". Also, I added task parameters, see urgentProb in CareTask and times in BarkTask. The attribute value is parsed according to the type of the corresponding field of the task class. For example, urgentProb is a float and times is an int. Supported types are: int, Integer, float, Float, boolean, Boolean, long, Long, double, Double, short, Short, char, Character, byte, Byte, and String.

Of course, we can maintain both formalisms as long as they have the same structural features. I mean, unlike task parameters, imports are just a syntactic sugar so they are not mandatory for the inline tab-based formalism.

I think we can use a "btree" branch in order to experiment with BT improvements while keeping the master branch clean.

davebaol commented 9 years ago

Ok pushed the btree branch.

I'm not fully convinced by the METADATA static field, but it's what I've come up with so far. METADATA contains task information for loaders and editors such as the minimum/maximum number of children and the set of attributes. When writing a new task the developer must declare a METADATA field only if the min/max number of children or the attributes change with respect to the task superclass. Having to add/remove attributes manually in METADATA may look annoying but gives you total control, preventing the user (the one that is creating the tree) from changing task fields that should not even be accessed.

davebaol commented 9 years ago

Now all branch nodes have an optional attribute "deterministic" which defaults to true. I'm not sure it makes sense for Parallel. Should we remove it from Parallel METADATA? We can do it like that:

// Copy BranchNode.METADATA, add no attribute and remove deterministic attribute
public static final Metadata METADATA = new Metadata(BranchNode.METADATA, new String[]{}, "deterministic");

or like that:

// Create a new METADATA with no limit on the number of children and with no attributes
public static final Metadata METADATA = new Metadata(-1);
implicit-invocation commented 9 years ago

If we are thinking about making an editor, XML will be fine with me. I just don't want anyone to write XML by hand :smile: If XML is generated by tools and we just have to edit some numbers or move some lines manually, I think everyone will be happy.

If we are using an XML syntax here, I don't think we should do

<com.badlogic.gdx.ai.tests.btree.dogtasks.RestTask />

or even

<bark />

How can we validate our XML then? It should be

<task name="bark" />
<task class="com.badlogic.gdx.ai.tests.btree.dogtasks.RestTask" />

for attribute

<repeat>
  <param name="time" value="3" />
  <tasks>
      <task name="bark" />
  </tasks>
</repeat>

With XML, everything is string, so how we can tell it's a "3" string and not a number with value of 3. Writing something like

<param name="title" value="3" type="string" />

is ugly :smile: We can do it more easily with JSON or our own format because not every value must be in quotes. And if not for formalization and validation, I don't think XML is the best choice here.

About METADATA, I'm not sure what you are using it for here and why it is static. If we need some configurations for all the sequence or parallel nodes, we can put it in the tree instance or in your BehaviorTreeLibrary static members. The configurations can be loaded from a file by methods. If we need parameters for 1 node, a map is enough For example, we have

<param name="time" value="3" type="int" />

The node will have a parameter map and set get method

private Map<String, Object> paramters;
public <E> void set(String name, E value, Class<E> type);
public <E> E get(String name, Class<E> type);
// some shortcut methods
public void setInt(String name, int value);
public int getInt(String name);
...

Parser will call setInt("time", 3) after create the node. The node will refer to the parameter getInt("time")

The time this node will be repeated is init param but the time the node did run is state. I think state can be stored in a map like that too, a different map, called data maybe. The get, set for parameters will be called setParam and getParam then. And the get, set for data will be call setData and getData. It will make the code harder to read but will make the serialization easier (I want lag compensation on a network use case too).

When we clone the tree, we clone only the params, not the data. When we store the tree state (to rewind in lag compensation use case) we store both params and data.

davebaol commented 9 years ago

@implicit-invocation

How can we validate our XML then?

Yes, we miss XML validation (which is always optional, anyways) but we can still verify if the document is well-formed. Despite being less formal, using class name or alias as a tag and parameters as attributes is less verbose and more readable. Even Ant uses the same technique.

With XML, everything is string, so how we can tell it's a "3" string and not a number with value of 3. Writing something like <param name="title" value="3" type="string" /> is ugly :smile:

Yep, it's really terrible :) Anyways, in "3" quotes are part of the XML syntax, so it's just 3. The actual type can be inferred from the class or the primitive type of the corresponding field/setter, just like it happens with JSON.

We can do it more easily with JSON or our own format because not every value must be in quotes. And if not for formalization and validation, I don't think XML is the best choice here.

I think that the problem with JSON, is that you have to give everything a name and you're forced to use arrays. For example in

{task:selector, deterministic:false, children: [
  {task:com.badlogic.gdx.ai.tests.btree.dogtasks.BarkTask},
  {task:com.badlogic.gdx.ai.tests.btree.dogtasks.CareTask}
]}

you must create an array named children and all those [{...}, ..., {..}] are more error prone and less readable IMO. With XML, children are simply nested tags, which looks to me like a more natural representation for a tree structure.

"Unfortunately" I have a meeting now. I'm going to reply the other stuff later.

Anyways, at the moment my major intent is to find the best compromise among simplicity, usability and performance for such a transitory where users have to write trees by hand since no editor is (yet) available.

And thanks for your valuable considerations, really. :) Later

implicit-invocation commented 9 years ago

The actual type can be inferred from the class or the primitive type of the corresponding field/setter, just like it happens with JSON.

With JSON, {"key": "value"} means string, {"key": true} means boolean and {"key": 3} means number. To do it with XML, it will become <sequence title="\"some random title\""> and even uglier.

I agree with you about the array notation being error prone and less readable. But it isn't true that you have to give everything a name

{
  "import": {
    "bark": "com.badlogic.gdx.ai.tests.btree.dogtasks.BarkTask",
    "care": "com.badlogic.gdx.ai.tests.btree.dogtasks.CareTask"
  },
  "root": {
    "sequence": {
      "title": "test",
      "children": [
        "bark",
        "com.badlogic.gdx.ai.tests.btree.dogtasks.WalkTask",
        {
          "repeat": {
            "time": 3,
            "children": [
              "bark"
            ]
          }
        }
      ]
    }
  }
}

I still prefer something we can write by hands

import
  some_registered_task:"packageName.className"
root
  type:sequence
    task:fromClass className:"packageName.className"
    task:fromScript scriptFile:"script_file_path"
    type:limit count:3
      type:some_registered_task
    type:include file:"path_to_file" lazy:true

I think it is easy enough to read, to write a parser or even to export from tools.

davebaol commented 9 years ago

Well, yes I meant that with JSON you're forced to use an array when the order is relevant since properties are unordered. Also, I was assuming that the XML tree is backed up by the Java classes of the nodes at runtime, so we can use reflection to infer the actual type of the attributes. This is always true when you run the tree form inside your Java application, but you're right, it's no longer true for external tools that parse the XML without having node classes in the classpath or if they are written with any other non Java language. Good point! :+1:

Back to the inline format then! Maybe we might make it a bit simpler and less verbose. I mean, what's the point of all those "type:" and "task:" ? Couldn't it just be something as simple as

import
  care:"packageName.CareTask"
root
  sequence
    care urgentProb:0.8
    script file:"script_file_path"
    limit count:3
      packageName.BarkTask
    include file:"path_to_file" lazy:true

By the way, the "times" attribute in BarkTask was just an example. I know it's recommended to use a limit decorator for things like that. :)

implicit-invocation commented 9 years ago

I'm not sure about the "deterministic" attribute you use for the branch nodes. Sequences and selectors will always pick the next child to run until one child fail or succeed. So if the node list is ordered, they will always be deterministic. Are you talking about a RandomSelector? If it is a random selector, it will be non-deterministic by default, unless we choose a deterministic random algorithm.

davebaol commented 9 years ago

@implicit-invocation Did you look into the implementation? https://github.com/libgdx/gdx-ai/blob/btree/gdx-ai/src/com/badlogic/gdx/ai/btree/BranchNode.java#L56

If the branch is non-deterministic the actualTask is chosen randomly among the next children.

EDIT: Note that children are swapped.

implicit-invocation commented 9 years ago

I did look at the implementation. But I think it would be better if we make a RandomSelector and not make everything have a random behavior like that. A sequence that is not sequential is semantically wrong.

davebaol commented 9 years ago

Hmmm.... why? Suppose you want to burn something.

sequence deterministic:false
  task:GetMatches
  task:GetGasoline

The order you get matches and gasoline is irrelevant but you need both. Am I missing something?

implicit-invocation commented 9 years ago

Oh, I missed that case. But I'm more familiar with the concept provided by aigamedev.com where

a sequence respects its order, it implicitly expresses dependencies between its child behaviors.

I usually use sequence in cases that the entity checks for a condition before executing an action. (I use task for condition)

And in your case where the order is less relevant, I'm thinking of a Probability selector

Probability selectors pick one of their child nodes randomly based on the weights provided by the designer.

We can even rank the node for a soft order, GetMatches and GetGasoline will have a same weight then.

davebaol commented 9 years ago

Yeah the use of a deterministic sequence whose first child is a condition task in the most common case. However when the order is irrelevant and the children have equal probability a non deterministic sequence might come in handy. Also, the overhead for deterministic branches is just an "if" per child.

Anyways, in order to make the file format easier for both the parser and the user I'm thinking of something like that:

import care:"packageName.CareTask"
import bark:"packageName.BarkTask"
root
  sequence
    care urgentProb:0.8
    script file:"script_file_path"
    limit count:3
      bark
    include file:"path_to_file" lazy:true

This way all the lines of the file have the same format:

indent name attr1:val1 attr2:val2 ...

Currently I'm rewriting the parser with Ragel which is a bit hard to learn when you're new to it, but it's really cool because is very fast and most importantly is cross-platform, meaning that external non Java tools can easily use similar code to load behavior trees as long as Ragel supports that particular programming language.

davebaol commented 9 years ago

@implicit-invocation Ok just pushed the new parser written with Ragel. Lines in the file have the following syntax:

[[indent] [name [attr:value ...]] [comment]]

where:

Sample tree: https://github.com/libgdx/gdx-ai/blob/btree/tests/data/dog.tree

Currently METADATA is still used, but I'm open to use a different approach. :)

implicit-invocation commented 9 years ago

Wow, you are fast. I am also experimenting with something I have in mind (mostly stuffs related to the traversal). Will discuss with you about them soon.

davebaol commented 9 years ago

Eh I had just to learn how to use Ragel and add JSON-like values, the rest is a mix of your old parser and my xml parser. Looking forward to discussing your new stuff :)

davebaol commented 9 years ago

Added clone capability.

davebaol commented 9 years ago

Added behavior tree library, subtree reference nodes and tests.

@implicit-invocation I created two distinct reference nodes instead of one with a lazy parameter, because they extend different classes: Task for the eager reference and Decorator for the lazy reference. Of course they can be merged in one class with the lazy parameter by extending Node. I'm not sure it's worth though.

JesseTG commented 9 years ago

Ooh, Ragel looks fun to use. I should keep it in my back pocket.

implicit-invocation commented 9 years ago

@davebaol So you choose the name "Reference" instead of "Include", the java class name is not that important but I still think "include" or "import" should look more natural in the tree definition file. And why extending Task for eager reference? Decorator is fine for both eager and lazy reference to extend. You don't run the reference anyway. And code-wise there is almost no difference between a Task and a Node. And I still don't get why Metadata is static. You don't want every sequence to act the same way, do you?

davebaol commented 9 years ago

@implicit-invocation ok, it makes sense. Lazy and eager subtree inclusion is now implemented as a single decorator.

And I still don't get why Metadata is static. You don't want every sequence to act the same way, do you?

Yes, METADATA is static because contains no runtime information. Actually, it is only used by the parser to emit errors in case an attribute doesn't exist or the number of children in a node is wrong. For instance, most decorators must have exactly one child. However Include is an anomalous decorator because must have no children at all when you define the tree. If it's lazy it will have 1 child at runtime though. If it's eager will never run. So include's METADATA is new Metadata("subtree", "lazy") which says no children and two attributes.

implicit-invocation commented 9 years ago

Oh, I misunderstood it. So there will be no logic concerning the METADATA. METADATA is just... METADATA after all

davebaol commented 9 years ago

Yeah, METADATA contains the name of the attributes, not their value. So it's static final and conceptually immutable too (no setters, and its fields are package private). Unfortunately it can not be accessed by external tools, unless they are written in Java and have nodes in the classpath. Maybe we can export such information somehow for external tools, or use a completely different technique.

davebaol commented 9 years ago

@implicit-invocation Just pushed some javadoc, code clean up, and minor fixes. I'd like to release gdx-ai 1.4.0 on sunday (old releases were part of the libgdx project, so we have to start with 1.4.0 due to maven artifacts). I'm going to merge the btree branch before releasing. Please let me know if you want to add or change something before we release. :)

Tom-Ski commented 9 years ago

Last release for gdx-ai was 1.3.1, so you'd only need to go to 1.3.2.

davebaol commented 9 years ago

Yeah @Tom-Ski, but a lot of stuff has been added since 1.3.1, namely Steering Behaviors and Behavior Trees. So it will be 1.4.0 :)

implicit-invocation commented 9 years ago

@davebaol please go ahead, I don't have anything to add yet.

davebaol commented 9 years ago

@implicit-invocation Ok thanks, no hurry.

BTW, I'm thinking of renaming Node to Task which is the typical superclass name in all the API I've seen in the past. It makes sense because everything is a task in a behavior tree. Actually, the entire behavior tree can be seen as a task made of subtask. So I'm going to make the following renaming:

Hope you don't mind :)

implicit-invocation commented 9 years ago

Well, I think renaming Node to Task is not a good idea. People who want to create their trees will only use Sequence, Parallel, Include... and extend Task, they will never touch Node or BrachNode. Our documentations can tell them: "extend Task, not Node and do not add child to Task, they are leaves". There is no point making people call something LeafTask when they never see BranchTask or any other kind of Task. And Node and Task will create the boundary between our internal implementation and the API.

davebaol commented 9 years ago

TBH I don't see the problem. Usually the one who creates a tree (not necessarily the developer) is used to think in term of actions and conditions which are the leaf tasks. The same is true for the developer. Task and LeafTask seem to me more natural names and most of the behavior tree literature calls them like that. Why should our API use a different terminology? It might be confusing for the user.

davebaol commented 9 years ago

Also, I want to to add '?' as a legal char for attribute names (see the 1st import below) and task aliases. This gives the user the opportunity to improve readability by making explicit when a leaf task is a condition or an action.

import doorLocked?:"packageName.DoorLockedCondition"
import openDoor:"packageName.OpenDoorAction"
import enterRoom:"packageName.EnterRoomAction"

root
  selector
    sequence
      doorLocked?
      openDoor
      enterRoom
    enterRoom
davebaol commented 9 years ago

@implicit-invocation Finally, I'm writing the wiki page... damn I'm tired :| Anyways, using class names Task and LeafTask has the additional benefit of a closer match between the API and the core concepts of behavior trees. :)

implicit-invocation commented 9 years ago

Well, they are just names anyway. I agree with you about calling them Task and LeafTask can provide more consistency. Even Node and LeafNode sounds fine too. I just want to keep the external API as simple as possible. Maybe AbstractTask and Task can satisfy both of us :smile:

Btw, the '?' character seems nice.

andresmanz commented 9 years ago

I'll sneak into this conversation, too. IMO AbstractTask and Task would be fine. It can't get much clearer than that and it's a little bit more self-explanatory than Node and LeafNode. I think the '?' character is good to improve readability, although I'd prefer isDoorLocked or doorLockedCondition out of habit. But as long as it's not required for conditions, it's great.

@davebaol The wiki page is great so far. It's very easy to understand and it doesn't suffer from you being tired. ;)

tomvangreen commented 9 years ago

Just looking on how I should integrate the btree in my project. I would like to use the class BehaviorTreeLibrary but it seems you have to use it with input files. For me it should also be able to let me register archetypes programatically. Basically I would just register a set of them at the startup of the game.

I think for now I could just extend the Library class and provide a method "registerArchetype" to register an archetype manually (the repository is protected, so that should work). Would be interested what your thoughts are on this. Wouldn't it make sense to provide a way to do this with the library itself? Are there any other downsides in this approach or is there something else I might miss?

davebaol commented 9 years ago

@tomvangreen Yeah it should work. I can't see any downside at the moment. Just remember to set your library in the library manager if you plan to use the include decorator. PR welcome :)

Just out of curiosity, why do you prefer to create behavior trees programmatically instead of loading them from files?

tomvangreen commented 9 years ago

I don't prefer creating them programatically but I prefer having the option to do so. It just gives you a bit more flexibility. You can quickly prototype a behavior tree in code and add it to the library to test how it works out. You can still externalize it later into a behavior file. I find it easier to do than prototyping in a text editor which has no contextual highlighting or validation (doing it in code means that you have strongly typed behavior, which gives at least me some degree of security).

There are other reasons which are based on what I want to do in the future, but I find it a bit hard to explain. Basically what I want to do is to compile a specific behavior based on game rules, mod, scenario etc. This means there are some things defined by the game. Those things might be overridden by a mod. Those things might be overridden by a scenario. As an example, I could have a job type Cook who has a task Cooking. Now if I decided for a scernario that I don't want to include cooking, the belonging behavior part won't be included in the behavior tree. Basically chances are very high that my behaviors will be generated from different existing modules, that exist as behavior file.

I could create a pull request with an updated BehaviorTreeLibrary if you would actually consider using it. Otherwise I stick to my extended class.

davebaol commented 9 years ago

@implicit-invocation I'm thinking of extending behavior tree's DSL along these lines:

#
# Dog tree
#

# Task libraries
tasklib prefix="dog" src="path/to/dog.tld"

# Tree definition (note that root is optional)
root
  selector
    parallel
      dog:care urgentProb=0.8
      alwaysFail
        dog:rest
    sequence
      dog:bark times=2
      dog:walk
      dog:bark
      dog:mark

Basically I've replaced the import derectives with a tasklib directive that imports all the tasks supported by the given library. Of course, you can use more than one tasklib. Each tasklib must be given a distinct prefix; think of it as a name space that allows you to avoid conflicts.

The dog.tld is a task library definition like that:

<tasklib>
  <task name="bark" class="com.badlogic.gdx.ai.tests.btree.dog.BarkTask" minChildren="0" maxChildren="0">
      <attribute name="time" type="int"/>
  </task>
  <task name="care" class="com.badlogic.gdx.ai.tests.btree.dog.CareTask" minChildren="0" maxChildren="0">
      <attribute name="urgentProb" type="float"/>
  </task>
  <task name="mark" class="com.badlogic.gdx.ai.tests.btree.dog.MarkTask" minChildren="0" maxChildren="0"/>
  <task name="rest" class="com.badlogic.gdx.ai.tests.btree.dog.RestTask" minChildren="0" maxChildren="0"/>
  <task name="walk" class="com.badlogic.gdx.ai.tests.btree.dog.WalkTask" minChildren="0" maxChildren="0"/>
</tasklib>

Such a file allows external tools like bt editors to manage tasks properly. Actually the tld replaces the METADATA fields currently hard-coded in the Java source of the tasks.

Thoughts?

Pesegato commented 9 years ago

Cool! But how would the Task change with this tld? How is managed the "copy" of Tasks? Is it possible to further customize the tld (for example, adding my Interrupts)?

davebaol commented 9 years ago

@Pesegato The developer writes the java code of the task and adds its definition to the tld. The game AI designer, the tree parser and the external tools can only read the tld to know tasks specifications. They can't change it. So, the copyTo mechanism works just like before (i.e. hard-coded, which makes sense to me). Your interrupt checks should have an id that you can provide to the task using a string attribute, I guess.

davebaol commented 9 years ago

Just added semaphore guard decorator.

If there are no objections, I'm going to implement the tasklib directive mentioned above.

davebaol commented 9 years ago

Just added capability to specify random distributions in behavior tree DSL. Tasklib directive postponed.

piotr-j commented 9 years ago

Is there some supported way of serialization of behaviour trees? My tasks have no state as expected, but i see no way of restoring last running task without a ton of ugly reflection.

davebaol commented 9 years ago

@piotr-j No, sorry, it's not supported. At a first glance, I think that for certain nodes you should restore something more than just the running task. For example, Branch uses actualTask to keep track of the index of the running task and Parallel can have many running tasks.

Khopa commented 9 years ago

About the java Task syntax, wouldn't it make more sense to use annotations to define metadatas instead of using a static field ?

    public class CareTask extends LeafTask<Dog> {

        public static final Metadata METADATA = new Metadata(LeafTask.METADATA, "urgentProb");

        public float urgentProb = 0.8f;

        // ...
    }

Would become :

    public class CareTask extends LeafTask<Dog> {

        @TaskAttribute
        public float urgentProb = 0.8f;

        // ....

    }

The implementation for @TaskAttribute being :

    @Retention(RetentionPolicy.RUNTIME)
    @Target(ElementType.FIELD)
    public @interface TaskAttribute {
          // The cool thing is the possibility here to add annotations fields
          // maybe to define if the parameter is required, or even
          // to define minimal or maximal values for numeric fields 
          // for example
          public boolean required()
          public int maxValue();
          public int minValue();
    }

Allowing such syntax for example :

    @TaskAttribute(required=true, minValue=0, maxValue=1)
    public float urgentProb;

Then for non field-related metadatas, a simple class level annotation

    @Metadata(minChildren=1, maxChildren=3)
    public SomeTask<E> extends Task<E>{
        // ...
    }

    @Retention(RetentionPolicy.RUNTIME)
    @Target(ElementType.TYPE)
    public @interface Metadata {
        public int minChildren();
        public int maxChildren();
    }
davebaol commented 9 years ago

@Khopa Yeah, I'm not an annotation expert but I like the idea, especially if it's possible to create an external tool which is able to export those annotations in a xml file or something like that. This way, other possibly non-java external tools (for instance a graphical BT editor) can read those xml files in order to treat tasks properly. I've found this article. Do you think it might be useful for this purpose?

EDIT: Looks like the Pluggable Annotation Processing framework introduced by Java SE 6 is what we need :)

Khopa commented 9 years ago

I didn't think about the xml files at first, but yes, this Pluggable Annotation Processing framework seems to be a good solution to generate the task library definition xml file from annotations.

However, my first idea was to use reflection to locate and process the annotated fields at runtime when the task is loaded instead of having to define everything in the xml file (But now i understand how useful this xml file can be and why it's needed). Also now that i think about it, using annotations at runtime may possibly break GWT support, so maybe it's a bad idea after all... (But i'm not a GWT expert at all)

davebaol commented 9 years ago

@Khopa Not sure, but using gdx reflection should make it work for GWT too. However I think that the xml export is an optional feature useful to support non-java tools (or java tools that don't need tasks in the class path), actually it's not a priority at the moment but it's good to know that it's somehow possible. Assuming GWT is supported, I agree with your first idea that we can process annotations at runtime while loading a tree. I'm going to investigate.

piotr-j commented 9 years ago

artemis is doing some fancy annotation stuff that works on GWT, might be worth a steal.

davebaol commented 9 years ago

@Khopa I got it working with annotations processed when a tree is loaded. Since annotations are not inherited I have to traverse up the class hierarchy to retrieve annotations from superclasses and all implementated interfaces. The code is GWT compatible apart from the method Class.getInterfaces() which currently has no equivalent method in the gdx ClassReflect utility class. Maybe we can avoid traversing interfaces because internally the BT framework does not use interfeces (Task is an abstract class)

@piotr-j Looks like artemis borrowed the gwt reflection magic from libgdx :)

davebaol commented 9 years ago

@Khopa Annotation support pushed to the repo.