所以我可以使用ant xjc在合约jar中从ONE xsd生成类。 如何从这个jar 生成多个模式的类而不解压缩
ant.xjc(package: packageName, destdir: project.ext.generatedSrcDir,
extension: 'true',
schema: "jar:file:///$pathToContractJar!/MySchema.xsd")
答案 0 :(得分:2)
configurations {
jaxb
}
dependencies {
jaxb 'com.sun.xml.bind:jaxb-xjc:2.2.6'
jaxb 'com.sun.xml.bind:jaxb-impl:2.2.6'
jaxb 'javax.xml.bind:jaxb-api:2.2.6'
}
task xjc {
def xsds = zipTree(pathToContractJar).matching {
include: '*.xsd'
}
inputs.dir "src/main/resources/bindings"
inputs.files xsds
outputs.dir "$buildDir/xjc"
doLast {
System.setProperty('javax.xml.accessExternalSchema', 'all')
mkdir "$buildDir/xjc/result"
mkdir "$buildDir/xjc/xsd"
copy {
from xsds
into "$buildDir/xjc/xsd"
}
ant.taskdef(name: 'xjc', classname: 'com.sun.tools.xjc.XJCTask', classpath: configurations.jaxb.asPath)
ant.xjc(
destdir: "$buildDir/xjc/result",
package: packageName,
) {
schema(dir: "$buildDir/xjc/xsd", includes: '*.xsd')
binding(dir: "src/main/resources/bindings", includes: '*.xjb')
arg(value: '-verbose')
}
}
}
答案 1 :(得分:2)
我已经使用了很长时间,但是我发现使用Java 11 / Gradle 6不再有效。 Java 11没有JAXB API,因此需要将其添加为依赖项。同样,在Gradle中使用Ant调用XJC的机制也不想起作用,可能我只是没有找到标志的魔术组合!相反,可以调用JAR清单中列出的XJC主类,从而完全删除Ant。使用Gradle 6.3和Java 11时,这里的配置对我有用。
我还没有尝试过将这种方法与JAR +绑定文件一起使用,但是根据使用情况信息可以使用这些参数,因此应该可以使用!
更新:根据this question
,使用GlassFish实现可以避免Sun内部依赖项问题sourceSets {
generated {
java.srcDir "$generated_dir"
}
}
dependencies {
compile sourceSets.generated.output
// Generated code depends on the JAXB API, which is removed from base Java in JDK 11
compile "org.glassfish.jaxb:jaxb-runtime:2.3.3"
generatedCompile "org.glassfish.jaxb:jaxb-runtime:2.3.3"
}
// XJC tasks
// JAXB configuration holds classpath for running the JAXB XJC compiler
configurations {
jaxb
}
dependencies {
jaxb "org.glassfish.jaxb:jaxb-xjc:2.3.3"
}
// Cookie cutter function for defining multiple XJC tasks
// (not necessary if you only have a single task)!
def addXjcTask(taskName, schema, pkg, dest) {
// If you haven't already, create the generated output dir before running XJC or it will fail
file(dest).mkdirs()
// The main XJC task, calls XJCFacade which is the entry point of the XJC JAR
tasks.create(name: taskName, type: JavaExec) {
classpath configurations.jaxb
main 'com.sun.tools.xjc.XJCFacade'
// To explore available args, download the XJC JAR and run java -jar jaxb-xjc.jar --help
args schema, "-p", pkg, "-d", dest
}
// Add a dependency on the new task so it gets invoked
compileGeneratedJava.dependsOn tasks.getByName(taskName)
}
// Add all the XJC tasks you need
addXjcTask("xjcSchema1",
"path/to/schema1.xsd",
'com.example.generated.schema1',
"$generated_dir")
addXjcTask("xjcSchema2",
"path/to/schema2.xsd",
'com.example.generated.schema2',
"$generated_dir")