如何在XSD架构中执行具有不同名称和一种基本类型的元素序列?
<function name="test">
<set name="name" value="StackMommy" />
<log message="hello, ${name}" />
</function>
我想用jaxb生成的pojo类一些:
class Function {
List<Command> commands;
}
答案 0 :(得分:2)
@XmlElementRef
注释是您在此用例中寻找的内容。它用于映射替换组的概念。
<强>功能强>
commands
属性注释为@XmlElementRef
。这意味着我们将根据Command
或@XmlRootElement
与@XmlElementDecl
的子类关联的XML元素填充此属性。
package forum9952449;
import java.util.List;
import javax.xml.bind.annotation.*;
@XmlRootElement
class Function {
@XmlElementRef
List<Command> commands;
}
<强>命令强>
@XmlSeeAlso
注释用于指向子类。这不是必要的步骤,但它确实意味着我们在引导JAXBContext
时不必显式传递子类。
package forum9952449;
import javax.xml.bind.annotation.XmlSeeAlso;
@XmlSeeAlso({Set.class, Log.class})
public abstract class Command {
}
设置强>
我们需要使用@XmlRootElement
注释此类。在这种情况下,根元素名称默认为set
。
package forum9952449;
import javax.xml.bind.annotation.*;
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Set extends Command {
@XmlAttribute
private String name;
@XmlAttribute
private String value;
}
<强>日志强>
我们再次用@XmlRootElement
注释这个子类。
package forum9952449;
import javax.xml.bind.annotation.*;
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Log extends Command {
@XmlAttribute
private String message;
}
<强>演示强>
package forum9952449;
import java.io.File;
import javax.xml.bind.*;
public class Demo {
public static void main(String[] args) throws Exception {
JAXBContext jc = JAXBContext.newInstance(Function.class);
File xml = new File("src/forum9952449/input.xml");
Unmarshaller unmarshaller = jc.createUnmarshaller();
Function function = (Function) unmarshaller.unmarshal(xml);
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(function, System.out);
}
}
<强>输入/输出强>
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<function>
<set value="StackMommy" name="name"/>
<log message="hello, ${name}"/>
</function>
<强> function.xsd 强>
相应的XML架构如下所示。您可以从使用JAXB的对象模型开始,但实际上并不需要它。
<xs:schema version="1.0" xmlns:xs="http://www.w3.org/2001/XMLSchema">
<xs:element name="function" type="function"/>
<xs:element name="command" type="command"/>
<xs:element name="set" type="set"
substitutionGroup="command"/>
<xs:element name="log" type="log"
substitutionGroup="command"/>
<xs:complexType name="function">
<xs:sequence>
<xs:element ref="command"/>
</xs:sequence>
</xs:complexType>
<xs:complexType name="command" abstract="true">
<xs:sequence/>
</xs:complexType>
<xs:complexType name="set">
<xs:complexContent>
<xs:extension base="command">
<xs:attribute name="name" type="xs:string"/>
<xs:attribute name="value" type="xs:string"/>
</xs:extension>
</xs:complexContent>
</xs:complexType>
<xs:complexType name="log">
<xs:complexContent>
<xs:extension base="command">
<xs:attribute name="message"/>
</xs:extension>
</xs:complexContent>
</xs:complexType>
</xs:schema>
了解更多信息