1

我想为我的域对象构建某种对象生成引擎。例如,假设我正在使用图表。模型由 xml 表示,我应该能够加载它们并在运行时构建 java 表示。

可以说,图有顶点和边所以它看起来像这样:

<graph>
   <vertex id="n1" color="red", thickness="2">
   <vertex id="n2">
   <edge end1="${n1}", end2="${n2}"/>
</graph>

为此,我想获取可以由以下 java 类描述的对象:

class Graph {
     List<Vertex> vertexList
     List<Edge> edgeList
}

class Vertex {
   String id
    ... various properties ... 
}

class Edge {
   Vertex end1
   Vertex end2
}

另一个要求是能够像这样在循环中定义顶点:

<graph>
  ...
    <for var = i, min = 1, max = 10, step = 1>
      <vertex id=$i.../> 
    </for>
  ... 
</graph>

我考虑过使用 Apache Jelly,但它似乎是一个“死”项目,JaxB 不允许这种级别的动态行为 AFAIK ......

我的问题是——你可以推荐什么框架来实现这样的任务?

如果有一些像 Apache Jelly 一样工作但仍然维护的东西,它也可能很棒:)

非常感谢提前

4

1 回答 1

2

JAXB (JSR-222)@XmlID实现可以使用和的组合轻松处理文档中的引用@XmlIDREF。我将在下面用一个例子来演示。

JAVA模型

图形

package forum13404583;

import java.util.List;
import javax.xml.bind.annotation.*;

@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
class Graph {

    @XmlElement(name = "vertex")
    List<Vertex> vertexList;

    @XmlElement(name = "edge")
    List<Edge> edgeList;

}

顶点

Vertex类中你需要使用@XmlID注解来表明该id字段是id。

package forum13404583;

import javax.xml.bind.annotation.*;

@XmlAccessorType(XmlAccessType.FIELD)
class Vertex {

    @XmlAttribute
    @XmlID
    String id;

    @XmlAttribute
    String color;

    @XmlAttribute
    Integer thickness;

}

边缘

Edge类中,@XmlIDREF注释用于指示 XML 值包含引用实际值的外键。

package forum13404583;

import javax.xml.bind.annotation.*;

@XmlAccessorType(XmlAccessType.FIELD)
class Edge {

    @XmlAttribute
    @XmlIDREF
    Vertex end1;

    @XmlAttribute
    @XmlIDREF
    Vertex end2;

}

演示代码

package forum13404583;

import java.io.File;
import javax.xml.bind.*;

public class Demo {

    public static void main(String[] args) throws Exception {
        JAXBContext jc = JAXBContext.newInstance(Graph.class);

        Unmarshaller unmarshaller = jc.createUnmarshaller();
        File xml = new File("src/forum13404583/input.xml");
        Graph graph = (Graph) unmarshaller.unmarshal(xml);

        Marshaller marshaller = jc.createMarshaller();
        marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
        marshaller.marshal(graph, System.out);
    }

}

输入(输入.xml)/输出

下面是运行演示代码的输入和输出。

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<graph>
    <vertex id="n1" color="red" thickness="2"/>
    <vertex id="n2"/>
    <edge end1="n1" end2="n2"/>
</graph>

了解更多信息

于 2012-11-16T11:34:21.597 回答