From 08b3667701ef26f0066f46fd9a1b6dd7417ae6e2 Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 11:29:17 -0500 Subject: [PATCH 01/12] Update XsdDownloader to work with / for ECF 5 Needs to append the hash of the file (instead of the old increment based on file location) because multiple ECF 5 files have the same contents for some reason. Also accounts for some Tyler mispellings in their WSDLs (`locattion`, lmao). --- .../litlab/efsp/utils/XsdDownloader.java | 92 ++++++++++++++++--- 1 file changed, 81 insertions(+), 11 deletions(-) diff --git a/proxyserver/src/main/java/edu/suffolk/litlab/efsp/utils/XsdDownloader.java b/proxyserver/src/main/java/edu/suffolk/litlab/efsp/utils/XsdDownloader.java index 9d27d3764..e071248ae 100644 --- a/proxyserver/src/main/java/edu/suffolk/litlab/efsp/utils/XsdDownloader.java +++ b/proxyserver/src/main/java/edu/suffolk/litlab/efsp/utils/XsdDownloader.java @@ -3,8 +3,13 @@ import java.io.File; import java.io.FileNotFoundException; import java.io.IOException; +import java.io.StringWriter; +import java.net.MalformedURLException; import java.net.URI; import java.net.URISyntaxException; +import java.nio.charset.StandardCharsets; +import java.security.MessageDigest; +import java.security.NoSuchAlgorithmException; import java.util.HashMap; import java.util.List; import java.util.Map; @@ -12,6 +17,7 @@ import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import javax.xml.parsers.ParserConfigurationException; +import javax.xml.transform.OutputKeys; import javax.xml.transform.Result; import javax.xml.transform.Source; import javax.xml.transform.Transformer; @@ -19,6 +25,7 @@ import javax.xml.transform.TransformerFactory; import javax.xml.transform.dom.DOMSource; import javax.xml.transform.stream.StreamResult; +import org.bouncycastle.util.encoders.Hex; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.Node; @@ -26,11 +33,21 @@ import org.xml.sax.SAXException; /** - * Downloaded the FilingReviewMDE wsdl, necessary for it to run faster. Slightly modified to handle - * relative paths on the server. Runs like: - * java -cp target/efspserver-with-deps.jar edu.suffolk.litlab.efsp.server.XsdDownloader https://example.tylertech.cloud/EFM/Schema/ECF-4.0-FilingReviewMDEService.wsdl ecf" - * Then move all of the ecf files into src/main/resources/wsdl/, and point the - * FilingReviewMDE URL to it. Github here + * Downloads the various EFM SOAP wsdl service files, like FilingReviewMDE. Without this, we have to + * point at some external location (a URL for ECF 4, and some dump of files that Tyler gives us for + * ECF 5), and everytime we start a MDE Service, it takes ~60 seconds to download all of the other + * XSD files associated with it. That's fairly instant when this is downloaded. For ECF 5, that dump + * of XSD files that Tyler gives us has relative paths to the other files, but using Window's paths. + * We also use this to correct those paths automatically. Slightly modified to handle relative paths + * on the server. Runs like: + * + *

```mvn exec:java@XsdDownloader + * -Dexec.args="https://example.tylertech.cloud/EFM/Schema/ECF-4.0-FilingReviewMDEService.wsdl ecf" + * ``` + * + *

Then move all of the ecf files into src/main/resources/wsdl/, and point the FilingReviewMDE + * URL to it. Based off of an original Github + * project here * * @author https://github.com/pablod */ @@ -44,8 +61,46 @@ public XsdDownloader(String downloadPrefix) { private final String downloadPrefix; + /** + * Given a string input (in our case, the contents of the file), generate a hash. + * + *

Necessary because there are multiple places in Tyler's download of ECF 5 where there are + * different files with the exact same contents, but different names / locations. Normally this + * would be fine, but the location of the files breaks our process (TODO(brycew): don't remember + * whether it's wsdl2java, or the java compliation once the code is generated, but it does + * definitely break). + * + * @param str some string + * @return the SHA-256 hash over the string. + * @throws NoSuchAlgorithmException + */ + private String strToHash(final String str) throws NoSuchAlgorithmException { + MessageDigest messageDigest = MessageDigest.getInstance("SHA-256"); + String fullHash = + new String(Hex.encode(messageDigest.digest(str.getBytes(StandardCharsets.UTF_8)))); + return fullHash.substring(0, 16); + } + + public static String documentToString(Document document) throws TransformerException { + TransformerFactory transformerFactory = TransformerFactory.newInstance(); + Transformer transformer = transformerFactory.newTransformer(); + transformer.setOutputProperty(OutputKeys.OMIT_XML_DECLARATION, "no"); + transformer.setOutputProperty(OutputKeys.METHOD, "xml"); + transformer.setOutputProperty(OutputKeys.INDENT, "yes"); + + DOMSource source = new DOMSource(document); + StreamResult result = new StreamResult(new StringWriter()); + transformer.transform(source, result); + + return result.getWriter().toString(); + } + private String downloadXsdRecurse(final String xsdUrl, final String pastUrl) - throws IOException, ParserConfigurationException, SAXException, TransformerException { + throws IOException, + ParserConfigurationException, + SAXException, + TransformerException, + NoSuchAlgorithmException { DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance(); dbf.setNamespaceAware(true); @@ -61,7 +116,7 @@ private String downloadXsdRecurse(final String xsdUrl, final String pastUrl) System.out.println("Download " + xsdUrl + " (past url is " + pastUrl + ")"); doc = db.parse(xsdUrl); workedUrl = xsdUrl; - } catch (FileNotFoundException ex) { + } catch (FileNotFoundException | MalformedURLException ex) { try { workedUrl = normalizeUrl(xsdUrl, pastUrl); } catch (URISyntaxException e) { @@ -73,13 +128,14 @@ private String downloadXsdRecurse(final String xsdUrl, final String pastUrl) return workedUrl; } doc = db.parse(workedUrl); + System.out.println(doc.toString()); } System.out.println("workedURL: " + workedUrl); String outputFileName = downloadPrefix; if (fileNamesByprocessedUrls.size() > 0) { - outputFileName = outputFileName + "-" + fileNamesByprocessedUrls.size(); + outputFileName = outputFileName + "-" + strToHash(documentToString(doc)); } outputFileName = outputFileName + ".xsd"; fileNamesByprocessedUrls.put(workedUrl, outputFileName); @@ -98,11 +154,17 @@ private String downloadXsdRecurse(final String xsdUrl, final String pastUrl) private static String normalizeUrl(String xsdUrl, final String pastUrl) throws URISyntaxException { String baseUrl = pastUrl.substring(0, pastUrl.lastIndexOf('/') + 1); + // The ECF5 schemas use Windows paths?! + xsdUrl = xsdUrl.replace('\\', '/'); return new URI(baseUrl + xsdUrl).normalize().toString(); } private void processElementRecurse(final Element node, String pastUrl) - throws IOException, ParserConfigurationException, SAXException, TransformerException { + throws IOException, + ParserConfigurationException, + SAXException, + TransformerException, + NoSuchAlgorithmException { NodeList nodeList = node.getChildNodes(); int len = nodeList.getLength(); for (int i = 0; i < len; i++) { @@ -125,6 +187,10 @@ private void processElementRecurse(final Element node, String pastUrl) } String schLoc = childElement.getAttribute(locAttribute); + if (schLoc.isBlank()) { + // try with some common Tyler :tm: spellings + schLoc = childElement.getAttribute("schemaLocattion"); + } System.out.println("New " + locAttribute + " Element Found: " + schLoc); String workedUrl = downloadXsdRecurse(schLoc, pastUrl); String newLoc = fileNamesByprocessedUrls.get(workedUrl); @@ -159,8 +225,12 @@ public static void main(final String[] in_args) { XsdDownloader xsdDownloader = new XsdDownloader(filePrefix); try { xsdDownloader.downloadXsdRecurse(xsdUrl, ""); - } catch (IOException | ParserConfigurationException | SAXException | TransformerException e) { + } catch (IOException + | ParserConfigurationException + | SAXException + | TransformerException + | NoSuchAlgorithmException e) { e.printStackTrace(); } } -} +} \ No newline at end of file From 6d181b945e5b388c0b0077eaf56c48ab1a0b281b Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 11:29:17 -0500 Subject: [PATCH 02/12] Make TylerEcf5 Package --- Dockerfile | 1 + TylerEcf5/README.md | 19 + TylerEcf5/pom.xml | 37 + .../wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd | 45 + .../wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd | 31 + .../wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd | 121 + .../wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd | 31 + .../wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd | 45 + .../wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd | 30 + .../wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd | 544 ++ .../wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd | 33 + .../wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd | 54 + .../wsdl/v2024_6/ecfv5-27c05348b4295656.xsd | 45 + .../wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd | 30 + .../wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd | 32 + .../wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd | 1435 ++++ .../wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd | 937 +++ .../wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd | 69 + .../wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd | 31 + .../wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd | 707 ++ .../wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd | 116 + .../wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd | 199 + .../wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd | 38 + .../wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd | 35 + .../wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd | 57 + .../wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd | 80 + .../wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd | 51 + .../wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd | 149 + .../wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd | 46 + .../wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd | 30 + .../wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd | 215 + .../wsdl/v2024_6/ecfv5-7af13829a6695741.xsd | 2277 +++++++ .../wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd | 33 + .../wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd | 723 ++ .../wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd | 55 + .../wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd | 34 + .../wsdl/v2024_6/ecfv5-849389af5da1be59.xsd | 46 + .../wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd | 53 + .../wsdl/v2024_6/ecfv5-867074778678a758.xsd | 95 + .../wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd | 5886 +++++++++++++++++ .../wsdl/v2024_6/ecfv5-8c292879e0404171.xsd | 55 + .../wsdl/v2024_6/ecfv5-903874c5aa593226.xsd | 157 + .../wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd | 343 + .../wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd | 31 + .../wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd | 32 + .../wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd | 600 ++ .../wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd | 1269 ++++ .../wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd | 336 + .../wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd | 337 + .../wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd | 155 + .../wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd | 151 + .../wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd | 30 + .../wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd | 299 + .../wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd | 33 + .../wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd | 356 + .../wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd | 31 + .../wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd | 370 ++ .../wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd | 969 +++ .../wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd | 53 + .../wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd | 32 + .../wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd | 53 + .../wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd | 37 + .../wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd | 44 + .../wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd | 31 + .../v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl | 50 + .../v2024_6/illinois-ECF5-CourtPolicyMDE.xsd | 50 + .../v2024_6/illinois-ECF5-ServiceMDE.wsdl | 70 + 67 files changed, 20469 insertions(+) create mode 100644 TylerEcf5/README.md create mode 100644 TylerEcf5/pom.xml create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27c05348b4295656.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7af13829a6695741.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-849389af5da1be59.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-867074778678a758.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8c292879e0404171.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-903874c5aa593226.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl diff --git a/Dockerfile b/Dockerfile index 6d08a0b71..4e4fba5cd 100644 --- a/Dockerfile +++ b/Dockerfile @@ -6,6 +6,7 @@ LABEL git-commit=$CI_COMMIT_SHA COPY pom.xml /app/ COPY EfspCommons /app/EfspCommons/ COPY TylerEcf4 /app/TylerEcf4/ +COPY TylerEcf5 /app/TylerEcf5/ COPY TylerEfmClient /app/TylerEfmClient/ COPY proxyserver/pom.xml proxyserver/enunciate.xml /app/proxyserver/ # Install all of the maven packages, so we don't have to every time we change code diff --git a/TylerEcf5/README.md b/TylerEcf5/README.md new file mode 100644 index 000000000..2a07e4fb7 --- /dev/null +++ b/TylerEcf5/README.md @@ -0,0 +1,19 @@ +# Tyler ECF 5 Java Code + +This module contains java code [generated by `wsdl2java`](../docs/wsdl2java.md) from the +[Electronic Court Filing v5 standard](https://docs.oasis-open.org/legalxml-courtfiling/ecf/v5.0/ecf-v5.0.html) +WSDL and XML schema files. + +This module contains interfaces and implementations of some Major Design Elements (MDEs) from ECF 5: + +* Court Record MDE +* Filing Assembly MDE, for this server to receive notifications from the court regarding filings. +* [Filing Assembly MDE](src/main/java/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wsdl/filingassemblymde/FilingAssemblyMDE.java) for actually creating filings into cases in a court. +* Service MDE for serving notices to other parties in your case electronically. +* [Court Scheduling MDE](src/main/java/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wsdl/courtschedulingmde/CourtSchedulingMDE_Service.java) + +All other files include the data types that are passed to the interfaces present on these MDEs. + +## Difference between this and generated code + +* edited javadocs to be able to be compliant (i.e. `&` to `&`, other HTML encoding issues). No substantive changes. \ No newline at end of file diff --git a/TylerEcf5/pom.xml b/TylerEcf5/pom.xml new file mode 100644 index 000000000..c49ae470a --- /dev/null +++ b/TylerEcf5/pom.xml @@ -0,0 +1,37 @@ + + + 4.0.0 + + + edu.suffolk.litlab + efspserver-parent + 1.2.23 + + edu.suffolk.litlab + tyler-ecf5 + Tyler ECF 5 + Generated Java files for Tyler Technologies's ECF 5 Schemas + + + + edu.suffolk.litlab + tyler-efm-client + + + org.apache.commons + commons-lang3 + + + jakarta.xml.bind + jakarta.xml.bind-api + + + jakarta.jws + jakarta.jws-api + + + org.apache.cxf.xjc-utils + cxf-xjc-runtime + + + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd new file mode 100644 index 000000000..4ef835e60 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd @@ -0,0 +1,45 @@ + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd new file mode 100644 index 000000000..929ab68e2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd @@ -0,0 +1,31 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/caselistresponse + + +A synchronous response to a GetCaseListQueryMessage. + + + + + + + + + + + + + + + +A synchronous response to a GetCaseListQueryMessage. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd new file mode 100644 index 000000000..a329a3cf4 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd @@ -0,0 +1,121 @@ + + + Source: Model Minimum Uniform Crash Criteria (MMUCC); Publication: MMUCC Guideline - Model Minimum Uniform Crash Criteria - 4th Edition; +Version: 4.0; +Date: 2012; +Source Updates: 2012; + + + + + A data type for restrictions assigned to an individuals driver license by the license examiner. + + + + + None + + + + + Corrective Lenses + + + + + Limited - Other + + + + + CDL Intrastate Only + + + + + Motor Vehicles without Air Brakes + + + + + Military Vehicles Only + + + + + Except Class A Bus + + + + + Except Class A and Class B Bus + + + + + Except Tractor-Trailer + + + + + Farm Waiver + + + + + Mechanical Devices (special brakes, hand controls, or other adaptive devices) + + + + + Prosthetic Aid + + + + + Automatic Transmission + + + + + Outside Mirror + + + + + Limit to Daylight Only + + + + + Limit to Employment + + + + + Learner's Permit Restrictions + + + + + Intermediate License Restrictions + + + + + Other + + + + + + + A data type for restrictions assigned to an individuals driver license by the license examiner. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd new file mode 100644 index 000000000..941092129 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd @@ -0,0 +1,31 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/filinglistresponse + + +This is a response to a query for a list of filings by Filer Identification, Case Identifier, or time period. + + + + + + + + + + + + + + + +This is a response to a query for a list of filings by Filer Identification, Case Identifier, or time period. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd new file mode 100644 index 000000000..66a8c08ca --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd @@ -0,0 +1,45 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/payment + + + + + + + + + The payment submitted with a filing. The payment may consist of a fee for filing of the document(s) submitted, or for a fine or other payment due to the court. + + + + + + + + + + + + + + + + + + + + Indicates whether the payment has been corrected in the Filing Review MDE + + + + + Name of the payer of the FilingPayment. + + + + + The payment submitted with a filing. The payment may consist of a fee for filing of the document(s) submitted, or for a fine or other payment due to the court. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd new file mode 100644 index 000000000..58b95e9ef --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd @@ -0,0 +1,30 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/reviewfilingcallback + + +The asynchronous message from the Filing Review MDE to the Filing Assembly MDE conveying information concerning the court actions on the documents submitted for filing in a ReviewFilingMessage. + + + + + + + + + + + + + + +The asynchronous message from the Filing Review MDE to the Filing Assembly MDE conveying information concerning the court actions on the documents submitted for filing in a ReviewFilingMessage. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd new file mode 100644 index 000000000..66fb09268 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd @@ -0,0 +1,544 @@ + + + + + + + + UBLUDT000001 + UDT + Amount. Type + 1.0 + A number of monetary units specified using a given unit of currency. + Amount + + + + + + + + UNDT000001-SC2 + SC + Amount. Currency. Identifier + The currency of the amount. + Amount Currency + Identification + Identifier + string + Reference UNECE Rec 9, using 3-letter alphabetic codes. + + + + + + + + + + + UBLUDT000002 + UDT + Binary Object. Type + 1.0 + A set of finite-length sequences of binary octets. + Binary Object + binary + + + + + + + + UNDT000002-SC3 + SC + Binary Object. Mime. Code + The mime type of the binary object. + Binary Object + Mime + Code + string + + + + + + + + + + + UBLUDT000003 + UDT + Graphic. Type + 1.0 + A diagram, graph, mathematical curve, or similar representation. + Graphic + binary + + + + + + + + UNDT000003-SC3 + SC + Graphic. Mime. Code + The mime type of the graphic object. + Graphic + Mime + Code + normalizedString + + + + + + + + + + + UBLUDT000004 + UDT + Picture. Type + 1.0 + A diagram, graph, mathematical curve, or similar representation. + Picture + binary + + + + + + + + UNDT000004-SC3 + SC + Picture. Mime. Code + The mime type of the picture object. + Picture + Mime + Code + normalizedString + + + + + + + + + + + UBLUDT000005 + UDT + Sound. Type + 1.0 + An audio representation. + Sound + binary + + + + + + + + UNDT000005-SC3 + SC + Sound. Mime. Code + The mime type of the sound object. + Sound + Mime + Code + normalizedString + + + + + + + + + + + UBLUDT000006 + UDT + Video. Type + 1.0 + A video representation. + Video + binary + + + + + + + + UNDT000006-SC3 + SC + Video. Mime. Code + The mime type of the video object. + Video + Mime + Code + normalizedString + + + + + + + + + + + UBLUDT000007 + UDT + Code. Type + 1.0 + A character string (letters, figures, or symbols) that for brevity and/or language independence may be used to represent or replace a definitive value or text of an attribute, together with relevant supplementary information. + Code + string + Other supplementary components in the CCT are captured as part of the token and name for the schema module containing the code list and thus, are not declared as attributes. + + + + + + + + + + + UBLUDT000008 + UDT + Date Time. Type + 1.0 + A particular point in the progression of time, together with relevant supplementary information. + Date Time + string + Can be used for a date and/or time. + + + + + + + + + + + UBLUDT000009 + UDT + Date. Type + 1.0 + One calendar day according the Gregorian calendar. + Date + string + + + + + + + + + + + UBLUDT0000010 + UDT + Time. Type + 1.0 + An instance of time that occurs every day. + Time + string + + + + + + + + + + + UBLUDT0000011 + UDT + Identifier. Type + 1.0 + A character string to identify and uniquely distinguish one instance of an object in an identification scheme from all other objects in the same scheme, together with relevant supplementary information. + Identifier + string + Other supplementary components in the CCT are captured as part of the token and name for the schema module containing the identifier list and thus, are not declared as attributes. + + + + + + + + + + + UBLUDT0000012 + UDT + Indicator. Type + 1.0 + A list of two mutually exclusive Boolean values that express the only possible states of a property. + Indicator + string + + + + + + + + + + + UBLUDT0000013 + UDT + Measure. Type + 1.0 + A numeric value determined by measuring an object using a specified unit of measure. + Measure + Type + decimal + + + + + + + + UNDT000013-SC2 + SC + Measure. Unit. Code + The type of unit of measure. + Measure Unit + Code + Code + normalizedString + Reference UNECE Rec. 20 and X12 355 + + + + + + + + + + + UBLUDT0000014 + UDT + Numeric. Type + 1.0 + Numeric information that is assigned or is determined by calculation, counting, or sequencing. It does not require a unit of quantity or unit of measure. + Numeric + string + + + + + + + + + + + UBLUDT0000015 + UDT + 1.0 + Value. Type + Numeric information that is assigned or is determined by calculation, counting, or sequencing. It does not require a unit of quantity or unit of measure. + Value + string + + + + + + + + + + + UBLUDT0000016 + UDT + 1.0 + Percent. Type + Numeric information that is assigned or is determined by calculation, counting, or sequencing and is expressed as a percentage. It does not require a unit of quantity or unit of measure. + Percent + string + + + + + + + + + + + UBLUDT0000017 + UDT + 1.0 + Rate. Type + A numeric expression of a rate that is assigned or is determined by calculation, counting, or sequencing. It does not require a unit of quantity or unit of measure. + Rate + string + + + + + + + + + + + UBLUDT0000018 + UDT + Quantity. Type + 1.0 + A counted number of non-monetary units, possibly including a fractional part. + Quantity + decimal + + + + + + + + + + + UBLUDT0000019 + UDT + Text. Type + 1.0 + A character string (i.e. a finite set of characters), generally in the form of words of a language. + Text + string + + + + + + + + + + + UBLUDT0000020 + UDT + Name. Type + 1.0 + A character string that constitutes the distinctive designation of a person, place, thing or concept. + Name + string + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd new file mode 100644 index 000000000..42c9d4a49 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd @@ -0,0 +1,33 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/documentresponse + + +The court response to a request for an electronic document in the court official record. + + + + + + + + + + + + + + + + + +The court response to a request for an electronic document in the court official record. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd new file mode 100644 index 000000000..72a85a002 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd @@ -0,0 +1,54 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/docket + + +Message resulting from clerk review and edit of a ReviewFilingMessage. + + + + + + + + + + + + + + + + + + + + +The court case in which the filing is being docketed. + + + + + +Comments provided by the clerk to the court record system during review. + + + + + +Message resulting from clerk review and edit of a ReviewFilingMessage. + + + + + +An extension point for the enclosing message. + + + + + +Instruction from the clerk to the court record to represent this case as "sealed." + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27c05348b4295656.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27c05348b4295656.xsd new file mode 100644 index 000000000..de5eb00fe --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27c05348b4295656.xsd @@ -0,0 +1,45 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/requestdateresponse + + + + + + + + + + + + + + +A response listing available court dates + + + + + + + + + + + + + + + + + +The message returned with a list of available court dates, generally in response to a RequestCourtDateRequest. + + + + + +An extension point for the enclosing message + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd new file mode 100644 index 000000000..ad9b690dc --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd @@ -0,0 +1,30 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/stampinformationcallback + + +A response to a request for document stamping information. + + + + + + + + + + + + + + +A response to a request for document stamping information. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd new file mode 100644 index 000000000..d04761f86 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd @@ -0,0 +1,32 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/allocatedate + + +A request to allocate a court date on the schedule. + + + + + + + + + + + + + + + + +A request to allocate a court date on the schedule. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd new file mode 100644 index 000000000..428dcaf28 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd @@ -0,0 +1,1435 @@ + + + Justice + + + + + + + + + + + A data type for a request filed with an appellate court to start an appellate case. + + + + + + + + + + + + A data type for a single case heard by a court to determine if the original case was tried properly and the defendant received a fair trial. + + + + + + + + + + + + + A data type for the apprehension of a subject by a peace official. + + + + + + + + + + + + + + + + + + + A data type for an administrative step taken after an arrest subject is brought to a police station or detention facility. + + + + + + + + + + + + + A data type for additional information about a case. + + + + + + + + + + + + + + + + + + A data type for an official's involvement in a case. + + + + + + + + + + + + + A data type for the results or processing of a charge. + + + + + + + + A data type for a factor or reason that makes a charge more serious. + + + + + + + + + + + + A data type for a formal allegation that a specific person has committed a specific offense. + + + + + + + + + + + + + + + + + + + + + + A data type for an official summons to appear in court or pay a fine. + + + + + + + + + + + + + + + + A data type for a registration of a conveyance with an authority. + + + + + + + + + + + + + A data type for an appearance required of a party in a court of law on a certain date. + + + + + + + + + + + + A data type for a court occurrence. + + + + + + + + + + + + + + + A data type for a direction of a judge not including a judgement, which determines some point or directs some steps in proceedings. + + + + + + + + + + + + A data type for a court or a unit of a court responsible for trying justice proceedings. + + + + + + + + + + + + + A data type for an authorization issued to a driver granting driving privileges. + + + + + + + + + + + + + + A data type for a restriction applicable to a driver license. + + + + + + + + A data type for a license issued to a person granting driving privileges. + + + + + + + + + + + + + + A data type for a driver license withdrawal. + + + + + + + + + + + + A data type for details of an incident involving a vehicle. + + + + + + + + + + + + + + + + + + + A data type for a restriction applicable to a driver permit or license. + + + + + + + + + + + + + A data type for a person involved in the enforcement of law. + + + + + + + + + + + + + + + A data type for a unit of an agency responsible for enforcing the law and maintaining peace. + + + + + + + + + + + + A data type for additional information about an incident. + + + + + + + + + + + + + + + + A data type for a registration of a property item with an authority. + + + + + + + + A data type for a legal capacity in which a judicial official is able to practice law. + + + + + + + + + + + + A data type for a person involved in a judicial area of government. + + + + + + + + + + + + + + A data type for a relationship between an offense that occurred and the formal charge that was assigned to it as a result of classifying the offense. + + + + + + + + + + + + A data type for a relationship between an offense and a location at which the offense occurred. + + + + + + + + + + + + + A data type for an alleged violation of a statute, ordinance, or rule. + + + + + + + + A data type for another name used by an organization. + + + + + + + + + + + + A data type for additional information about an organization. + + + + + + + + + + + + A data type for additional information about a person. + + + + + + + + + + + + + + A data type for an association that links a person to a Blood Alcohol Content (BAC) Test reading, measured due to a related activity such as an arrest or a driving incident. + + + + + + + + + + + + A data type for an association between a person and a charge. + + + + + + + + + + + + A data type for possible kinds of names. + + + + + Also known as, e.g., a stage name + + + + + An assumed or alternate name suspected to be in use for deception; usually involves criminal intent. A term used in legal proceedings to connect the different names of anyone who has gone by two or more, and whose true name is for any cause doubtful. + + + + + A registered radio identifier used by amateur radio operators; usually a string of alpha-numeric characters. + + + + + Doing business as + + + + + Formerly known as + + + + + An electronic pseudonym; intended to conceal the user's true identity. Commonly used areas include the Internet, chatrooms, networks, bulletin board systems (BBS), and Citizen's Band (CB) radio; sometimes used by radio operators as an alternative to a call sign. May or may not be used for criminal deception. (also screen name) + + + + + A nickname specifically used by gang members or criminals to hide real identity for criminal purposes. + + + + + A descriptive name added to or replacing the actual name of a person, place, or thing. A familiar or shortened form of a proper name. (also street name) + + + + + None of the other types is appropriate. (Explain in text field.) + + + + + A name communicated by an individual directly or through documentation being carried; obtained from the source of the record and which is not known to be an alias or aka name. + + + + + A fictitious name, especially a pen name; not normally for criminal purposes. + + + + + Indefinite; unsure of this type of name. + + + + + A number or name which is unique to a particular user of a computer or group of computers which share user information. A user id is not normally used for criminal intent, unless it is being used without authorization. An operating system uses the user id to represent the user in its data structures, e.g. the owner of a file or process, the person attempting to access a system resource. (also uid, userid) + + + + + + + A data type for possible kinds of names. + + + + + + + + + + A data type for a civil order protecting one individual from another. + + + + + + + + + + + + + + A data type for information about a person who is required to register information with a law enforcement agency due to having been convicted of a certain type of crime. + + + + + + + + + + + + A data type for a punishment resulting from conviction of charges in a court case. + + + + + + + + + + + + + + + + A data type for a sentencing guideline severity level assigned to a charge by a judge or supervising agency. + + + + + + + + + + + + A data type for a law, rule, or ordinance within a jurisdiction. + + + + + + + + + + + + + + + + + A data type for a person or organization that is involved or suspected of being involved in a violation of a criminal statute, ordinance or rule. + + + + + + + + + + + + + + + A data type for a duration length either in specific terms or as a range. + + + + + + + + A data type for an association of a statute that has been violated and other information. + + + + + + + + + + + + A data type for an authorization for an enforcement official to perform a specified action. + + + + + + + + + + + + A single case heard by the Court of Appeals (Intermediate Court of Appeal) or Supreme Court (The Court of Last Resort). This case does not retry the original case but determines whether the original case was tried properly and the defendant + + + + + A request filed with an appellate court to start an appellate case. + + + + + A statement explaining the reason for an appeal. + + + + + An original case that is being retried in an appellate court. + + + + + An apprehension of a subject by a peace official based on an observed or a reported violation of a law or ordinance, an outstanding arrest warrant, or probable cause information. + + + + + An agency which employs the arresting official. + + + + + A records management system identification of the originating case agency for an arrest. + + + + + A formal allegation of a violation of a statute and/or ordinance in association with an arrest. + + + + + A location where a subject was arrested. + + + + + A peace official who makes an arrest. + + + + + A person who is arrested. + + + + + A court authorized order which commands a peace official to arrest a subject and bring that subject before the court. + + + + + An administrative step taken after an arrested subject is brought to a police station or detention facility, which involves entry of the subject's name and other relevant facts on the police blotter, and which may also include photographing, + + + + + An organization which processes a booking. + + + + + A booking identification of the originating case agency. + + + + + Additional information about a case. + + + + + A charge or accusation a person is being tried for in a court of law. + + + + + A court of law in which the case is being tried. + + + + + A court occurrence related to a case. + + + + + A judicial official assigned to a case. + + + + + A description of a case at a previous stage. + + + + + An identifying number for a case that this activity is a part of, where the case number belongs to the agency that owns the activity information. + + + + + A justice official's involvement in a court case. + + + + + An augmentation point for CaseOfficialType. + + + + + A unique identification a justice official uses to identify a case. + + + + + A miscellaneous entity involved in a court case. + + + + + An augmentation point for ChargeType. + + + + + A degree of a charge. + + + + + A plain language description of a charge. + + + + + A result or processing of a charge. + + + + + A formal allegation, contained in at least one charging instrument, that a defendant has violated a statute and/or ordinance in association with an incident. + + + + + A factor or reason that makes a charge more serious. + + + + + A factor or reason that makes a charge more serious. + + + + + An additional piece of information that clarifies a charge. + + + + + A sequentially assigned identifier for charge tracking purposes. + + + + + A severity level of a charge. + + + + + A factor that has enhanced a charge, making it a more serious offense. + + + + + A unique identifier of a law, rule, or ordinance within a jurisdiction that a person is accused of violating. + + + + + An official summons to appear in court or pay a fine given to a subject from a peace official due to a subjects violation or infraction of a law. + + + + + An organization for whom the citation issuing official is employed. + + + + + True if a citation can be dismissed if certain conditions are met; false otherwise. + + + + + A condition to be met that can make a citation eligible for dismissal. + + + + + A peace official who gives a citation to a subject. + + + + + A person who violates a law and receives a citation. + + + + + A single, upper-most, front-most, or majority color of a vehicle. + + + + + A registration of a conveyance with an authority. + + + + + A data concept for a kind of registration plate or license plate of a conveyance. + + + + + A kind of registration plate or license plate of a conveyance. + + + + + An identification on a metal plate fixed to a conveyance. + + + + + A unit within a court system responsible for record maintenance. + + + + + An appearance required of a party in a court of law on a certain date. + + + + + A date on which a party must appear in court. + + + + + An augmentation point for CourtType. + + + + + An augmentation point for CourtEventType. + + + + + A judge associated with a court event. + + + + + A day for which a court event is scheduled. + + + + + A unique identifier for a court case event record. + + + + + A name of a unit of a court. + + + + + An augmentation point for CourtOrderType. + + + + + A Restriction assigned to an individuals driver license by the license examiner. + + + + + A license issued to a person granting driving privileges. + + + + + A data concept for a kind of commercial vehicle that a licensed driver has been examined on and approved to operate. + + + + + A kind of commercial vehicle that a licensed driver has been examined on and approved to operate. + + + + + A date after which a driver license or driver license permit is no longer valid. + + + + + A driver license identification or driver license permit identification, including the number and state. + + + + + A date when a driver license or driver license permit is issued or renewed. + + + + + A restriction on a driver license. + + + + + A driver license withdrawal. + + + + + A date on which a driver license withdrawal becomes effective. + + + + + A data concept for a severity level of an accident, based on the most intense injury to any person or, if none were injured, so designating. + + + + + A severity level of an accident, based on the most intense injury to any person or, if none were injured, so designating. + + + + + An incident involving a vehicle. + + + + + An augmentation point for DrivingIncidentType. + + + + + A data concept for a determination of whether the incident occurred while the driver was operating a commercial vehicle that was carrying hazardous materials (that required a placard). + + + + + A determination of whether the incident occurred while the driver was operating a commercial vehicle that was carrying hazardous materials (that required a placard). + + + + + True if a laser was involved in the detection of an incident; false otherwise. + + + + + A legally designated speed limit in the area where an incident occurred. + + + + + A number of people in a vehicle excluding the driver when an incident occurred. + + + + + True if radar was involved in the detection of an incident; false otherwise. + + + + + A speed a vehicle was moving at when an incident occurred. + + + + + A data concept for a driving restriction. + + + + + A date on which a special restriction ends. + + + + + A category of a driving restriction. + + + + + An identification used to refer to an enforcement official. + + + + + A set of dates and times an enforcement official is unavailable for scheduling. + + + + + An enforcement unit to which an enforcement officer is assigned. + + + + + A name of an enforcement unit. + + + + + Additional information about an incident. + + + + + A property item that was damaged in an incident. + + + + + A data concept for a general category of an incident that occurred. + + + + + A data concept for a level of an incident. + + + + + A level of an incident. + + + + + True if an official was present when an incident occurred; false otherwise. + + + + + True if an incident involved a traffic accident; false otherwise. + + + + + An association providing details about a statute, rule, or ordinance that was violated in an incident. + + + + + A monetary value or worth of damage that occurred to a property item. + + + + + An official who hears and decides a case or who rules over a case proceeding. + + + + + An identification assigned to a judicial official after meeting the requirement to practice law in a region. + + + + + A legal capacity in which a judicial official is able to practice law. + + + + + An identification assigned to a judicial official after registering within a state or region. + + + + + An area, state, region, or other geographic unit over which some kind of authority exists. + + + + + A state, commonwealth, province, or other such geopolitical subdivision of a country. + + + + + An act or a course of action which may constitute a violation of a criminal statute, ordinance or rule that occurred during an incident. + + + + + A relationship between an offense that occurred and the formal charge that was assigned to it as a result of classifying the offense. + + + + + A relationship between an offense and a location at which the offense occurred. + + + + + A name other than the primary one used by an organization. + + + + + A data concept for a kind of alternate name used by an organization. + + + + + A kind of alternate name used by an organization. + + + + + A unique nine character NCIC identification (ORI) assigned to a justice-related organization by the FBI CJIS Division. + + + + + An identification number issued by an agency's automatic fingerprint system based on submitted fingerprints other than FBI ID and SSN. + + + + + Additional information about a person. + + + + + A blood-alcohol percentage reading from a Blood Alcohol Test (BAC Test). + + + + + An association between a person and a charge issued to that person. + + + + + A cultural lineage of a person. + + + + + A color of the eyes of a person. + + + + + A number issued by the FBI's Automated Fingerprint Identification System (AFIS) based on submitted fingerprints. + + + + + A color of the hair of a person. + + + + + A kind of name for a person. + + + + + A classification of a person based on factors such as geographical locations and genetics. + + + + + A gender or sex of a person. + + + + + An identifier assigned to a person by a state identification bureau, generally based on submission of the person's fingerprints to the state's Automated Fingerprint Identification System (AFIS). + + + + + A specific kind of physical feature. + + + + + A civil order, issued by a court, protecting one individual from another. + + + + + A data concept for a specific kind of protection order. + + + + + A specific kind of protection order. + + + + + A Translation of the Protection Order Condition Indicates Response Message. + + + + + A person that a subject is restricted from having any contact with as defined in a protection order. + + + + + A Transaction Control Number (TCN) is the identification for a fingerprint event, submitted from the Livescan device to AFIS when transmitting fingerprints. The TCN links the offender to the fingerprint event. + + + + + An identification identifying a person as a certain kind of registered offender. + + + + + A person who is required to register as a sexual offender. + + + + + A punishment resulting from conviction of charges in a court case. + + + + + An augmentation point for SentenceType. + + + + + A specific charge in a court case resulting in a sentence. + + + + + A description of the sentence being imposed. + + + + + A duration of a sentence. Specified as either a specific term in days-months-years or as a minimum - maximum range. + + + + + A narrative description of a severity level assigned to a charge. + + + + + A unique identifier of a law, rule, or ordinance within a jurisdiction. + + + + + An identification number of a set of laws for a particular jurisdiction. + + + + + An identification of a section or category within a code book. + + + + + A description of a statute. + + + + + An area in which a statute applies. + + + + + A level of crime a statute applies to. + + + + + An identification of a criminal offense within a code book. + + + + + An augmentation point for SubjectType. + + + + + An assigned identification that identifies a subject. + + + + + An incarceration, detention, or other form of supervision a subject is currently undergoing. + + + + + A pecuniary criminal punishment or penalty payable to the public treasury + + + + + A manufacturer of a vehicle. + + + + + A specific design or class of vehicle made by a manufacturer. + + + + + A style of a vehicle. + + + + + A data concept for a limitation placed on the extradition of a subject from an area outside the immediate jurisdiction of the issuing court. + + + + + A kind of limitation placed on the extradition of a subject from an area outside the immediate jurisdiction of the issuing court. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd new file mode 100644 index 000000000..293585f79 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd @@ -0,0 +1,937 @@ + + + Source: International Standards Organization (ISO); +Publication: Codes for the representation of currencies and funds; +Version: ISO 4217:2008; +Date: 30 Jun 2008; +http://www.iso.org/iso/en/prods-services/popstds/currencycodeslist.html + + + + + A data type for a currency that qualifies a monetary amount. + + + + + UAE Dirham + + + + + Afghani + + + + + Lek + + + + + Armenian Dram + + + + + Netherlands Antillean Guilder + + + + + Kwanza + + + + + Argentine Peso + + + + + Australian Dollar + + + + + Aruban Florin + + + + + Azerbaijanian Manat + + + + + Convertible Mark + + + + + Barbados Dollar + + + + + Taka + + + + + Bulgarian Lev + + + + + Bahraini Dinar + + + + + Burundi Franc + + + + + Bermudian Dollar + + + + + Brunei Dollar + + + + + Boliviano + + + + + Mvdol + + + + + Brazilian Real + + + + + Bahamian Dollar + + + + + Ngultrum + + + + + Pula + + + + + Belarussian Ruble + + + + + Belize Dollar + + + + + Canadian Dollar + + + + + Congolese Franc + + + + + WIR Euro + + + + + Swiss Franc + + + + + WIR Franc + + + + + Unidades de fomento + + + + + Chilean Peso + + + + + Yuan Renminbi + + + + + Colombian Peso + + + + + Unidad de Valor Real + + + + + Costa Rican Colon + + + + + Peso Convertible + + + + + Cuban Peso + + + + + Cape Verde Escudo + + + + + Czech Koruna + + + + + Djibouti Franc + + + + + Danish Krone + + + + + Dominican Peso + + + + + Algerian Dinar + + + + + Egyptian Pound + + + + + Nakfa + + + + + Ethiopian Birr + + + + + Euro + + + + + Fiji Dollar + + + + + Falkland Islands Pound + + + + + Pound Sterling + + + + + Lari + + + + + Ghana Cedi + + + + + Gibraltar Pound + + + + + Dalasi + + + + + Guinea Franc + + + + + Quetzal + + + + + Guyana Dollar + + + + + Hong Kong Dollar + + + + + Lempira + + + + + Croatian Kuna + + + + + Gourde + + + + + Forint + + + + + Rupiah + + + + + New Israeli Sheqel + + + + + Indian Rupee + + + + + Iraqi Dinar + + + + + Iranian Rial + + + + + Iceland Krona + + + + + Jamaican Dollar + + + + + Jordanian Dinar + + + + + Yen + + + + + Kenyan Shilling + + + + + Som + + + + + Riel + + + + + Comoro Franc + + + + + North Korean Won + + + + + Won + + + + + Kuwaiti Dinar + + + + + Cayman Islands Dollar + + + + + Tenge + + + + + Kip + + + + + Lebanese Pound + + + + + Sri Lanka Rupee + + + + + Liberian Dollar + + + + + Loti + + + + + Lithuanian Litas + + + + + Latvian Lats + + + + + Libyan Dinar + + + + + Moroccan Dirham + + + + + Moldovan Leu + + + + + Malagasy Ariary + + + + + Denar + + + + + Kyat + + + + + Tugrik + + + + + Pataca + + + + + Ouguiya + + + + + Mauritius Rupee + + + + + Rufiyaa + + + + + Kwacha + + + + + Mexican Peso + + + + + Mexican Unidad de Inversion (UDI) + + + + + Malaysian Ringgit + + + + + Mozambique Metical + + + + + Namibia Dollar + + + + + Naira + + + + + Cordoba Oro + + + + + Norwegian Krone + + + + + Nepalese Rupee + + + + + New Zealand Dollar + + + + + Rial Omani + + + + + Balboa + + + + + Nuevo Sol + + + + + Kina + + + + + Philippine Peso + + + + + Pakistan Rupee + + + + + Zloty + + + + + Guarani + + + + + Qatari Rial + + + + + New Romanian Leu + + + + + Serbian Dinar + + + + + Russian Ruble + + + + + Rwanda Franc + + + + + Saudi Riyal + + + + + Solomon Islands Dollar + + + + + Seychelles Rupee + + + + + Sudanese Pound + + + + + Swedish Krona + + + + + Singapore Dollar + + + + + Saint Helena Pound + + + + + Leone + + + + + Somali Shilling + + + + + Surinam Dollar + + + + + South Sudanese Pound + + + + + Dobra + + + + + El Salvador Colon + + + + + Syrian Pound + + + + + Lilangeni + + + + + Baht + + + + + Somoni + + + + + Turkmenistan New Manat + + + + + Tunisian Dinar + + + + + Pa'anga + + + + + Turkish Lira + + + + + Trinidad and Tobago Dollar + + + + + New Taiwan Dollar + + + + + Tanzanian Shilling + + + + + Hryvnia + + + + + Uganda Shilling + + + + + US Dollar + + + + + US Dollar (Next day) + + + + + US Dollar (Same day) + + + + + Uruguay Peso en Unidades Indexadas (URUIURUI) + + + + + Peso Uruguayo + + + + + Uzbekistan Sum + + + + + Bolivar + + + + + Dong + + + + + Vatu + + + + + Tala + + + + + CFA Franc BEAC + + + + + Silver + + + + + Gold + + + + + Bond Markets Unit European Composite Unit (EURCO) + + + + + Bond Markets Unit European Monetary Unit (E.M.U.-6) + + + + + Bond Markets Unit European Unit of Account 9 (E.U.A.-9) + + + + + Bond Markets Unit European Unit of Account 17 (E.U.A.-17) + + + + + East Caribbean Dollar + + + + + SDR (Special Drawing Right) + + + + + UIC-Franc + + + + + CFA Franc BCEAO + + + + + Palladium + + + + + CFP Franc + + + + + Platinum + + + + + Sucre + + + + + Codes specifically reserved for testing purposes + + + + + ADB Unit of Account + + + + + The codes assigned for transactions where no currency is involved + + + + + Yemeni Rial + + + + + Rand + + + + + Zambian Kwacha + + + + + Zimbabwe Dollar + + + + + + + A data type for a currency that qualifies a monetary amount. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd new file mode 100644 index 000000000..ca25f4bb9 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd @@ -0,0 +1,69 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An augmentation point for ObjectType + + + + + + + + + + + + + + + + + + An augmentation point for AssociationType + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd new file mode 100644 index 000000000..7cbdb530c --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd @@ -0,0 +1,31 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/scheduleresponse + + +The schedule of upcoming events in a court + + + + + + + + + + + + + + + +The schedule of upcoming events in a court + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd new file mode 100644 index 000000000..6567bf264 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd @@ -0,0 +1,707 @@ + + + Motor vehicle administration codes from the Data Dictionary for Traffic Record Systems, maintained by AAMVA, the American Association of Motor Vehicle Administrators. +Publication: ANSI-D20 Data Dictionary Release 5.0.0; +Version: May 2009; +http://www.aamva.org/D20/ + + + + + A data type for severity levels of an accident. + + + + + Fatal Accident + + + + + Incapacitating Injury Accident + + + + + Non-incapacitating Evident Injury + + + + + Possible Injury Accident + + + + + Non-injury Accident + + + + + Unknown + + + + + + + A data type for severity levels of an accident. + + + + + + + + + + A data type for kinds of vehicles that a licensed driver may be approved to operate. + + + + + Class "A" vehicles - any combination of vehicles with a GCWR of 26,001 or more pounds, provided the GVWR of the vehicle(s) being towed is in excess of 10,000 pounds [49 CFR 383.91(a)(1)]. (Holders of a Class A license may, with the appropriate endorsement, operate all Class B & C vehicles). + + + + + Class "B" vehicles - any single vehicle with a GVWR of 26,001 or more pounds, or any such vehicle towing a vehicle not in excess of 10,000 pounds GVWR [49 CFR 383.91(a)(2)]. (Holders of a Class B license may, with the appropriate endorsement, operate all Class C vehicles). + + + + + Class "C" vehicles - any single vehicle, or combination of vehicles, that meets neither the definition of Group A nor that of Group B, but that either is designed to transport 16 or more passengers including the driver, or is used in the transportation of materials found to be hazardous for the purposes of the Hazardous Materials Transportation Act and which require the motor vehicle to be placarded under the Hazardous Materials Regulations (49 CFR part 172, subpart F) [49 CFR 383.91(a)(3)]. + + + + + Class "M" vehicles - Motorcycles, Mopeds, Motor-driven Cycles. + + + + + + + A data type for kinds of vehicles that a licensed driver may be approved to operate. + + + + + + + + + + A data type for whether a driver was operating a vehicle carrying hazardous materials. + + + + + Hazardous Materials + + + + + No Hazardous Materials + + + + + Unknown + + + + + + + A data type for whether a driver was operating a vehicle carrying hazardous materials. + + + + + + + + + + A data type for an authority with jurisdiction over a particular area. + + + + + Alberta, Canada + + + + + Aguascalientes, Mexico + + + + + Alaska, USA + + + + + Alabama, USA + + + + + Arkansas, USA + + + + + American Samoa, US Territorial Possession + + + + + Arizona, USA + + + + + Baja Clifornia, Mexico + + + + + British Columbia, Canada + + + + + Baja California Sur, Mexico + + + + + California, USA + + + + + Campeche, Mexico + + + + + Chihuahua, Mexico + + + + + Chiapas, Mexico + + + + + Colima, Mexico + + + + + Colorado, USA + + + + + Connecticut, USA + + + + + Coahuila de Zaragoza, Mexico + + + + + District of Columbia, USA + + + + + Delaware, USA + + + + + Distrito Federal Mexico + + + + + Durango, Mexico + + + + + U.S. Department of State + + + + + U.S. Department of Transportation + + + + + (Estados) Mexico + + + + + Federal Motor Carrier Safety Administration (FMCSA used to be the OMC in the FHWA) + + + + + Florida, USA + + + + + Federal States of Micronesia, US Territorial Possession + + + + + Georgia, USA + + + + + Guam, US Territorial Possession + + + + + Guerrero, Mexico + + + + + General Services Administration (GSA) + + + + + Guanajuato, Mexico + + + + + Hawaii, USA + + + + + Hidalgo, Mexico + + + + + Iowa, USA + + + + + Idaho, USA + + + + + Illinois, USA + + + + + Indiana, USA + + + + + Internal Revenue Service (IRS) + + + + + Jalisco, Mexico + + + + + Kansas, USA + + + + + Kentucky, USA + + + + + Louisiana, USA + + + + + Massachusetts, USA + + + + + Manitoba, Canada + + + + + Michoacan de Ocampo, Mexico + + + + + Maryland, USA + + + + + Maine, USA + + + + + Marshal Islands, US Territorial Possession + + + + + Michigan, USA + + + + + Minnesota, USA + + + + + Missouri, USA + + + + + Northern Mariana Islands, US Territorial Possession + + + + + Morelos, Mexico + + + + + Mississippi, USA + + + + + Montana, USA + + + + + Mexico (United Mexican States) + + + + + Nayarit, Mexico + + + + + New Brunswick, Canada + + + + + North Carolina, USA + + + + + North Dakota, USA + + + + + Nebraska, USA + + + + + Newfoundland and Labrador, Canada + + + + + New Hampshire, USA + + + + + New Jersey, USA + + + + + Nuevo Leon, Mexico + + + + + New Mexico, USA + + + + + Nova Scotia, Canada + + + + + Northwest Territory, Canada + + + + + Nunavut, Canada + + + + + Nevada, USA + + + + + New York, USA + + + + + Oaxaca, Mexico + + + + + Ohio, USA + + + + + Oklahoma, USA + + + + + Ontario, Canada + + + + + Oregon, USA + + + + + Pennsylvania, USA + + + + + Puebla, Mexico + + + + + Prince Edward Island, Canada + + + + + Puerto Rico, US Territorial Possession + + + + + Palau (till 1994), US Territorial Possession + + + + + Panamanian Canal Zone till December 2000, US Territorial Possession + + + + + Quebec, Canada + + + + + Quintana Roo, Mexico + + + + + Queretaro de Arteaga, Mexico + + + + + Rhode Island, USA + + + + + South Carolina, USA + + + + + South Dakota, USA + + + + + Sinaloa, Mexico + + + + + Saskatchewan, Canada + + + + + San Luis Potosi, Mexico + + + + + Sonora, Mexico + + + + + Tamaulipas, Mexico + + + + + Tabasco, Mexico + + + + + Tlaxcala, Mexico + + + + + Tennessee, USA + + + + + Transportation Security Administration (TSA) + + + + + Texas, USA + + + + + Utah, USA + + + + + Virginia, USA + + + + + Veracruz-Llave, Mexico + + + + + Virgin Islands, US Territorial Possession + + + + + Vermont, USA + + + + + Washington, USA + + + + + Wisconsin, USA + + + + + Wake Island, US Territorial Possession + + + + + West Virginia, USA + + + + + Wyoming, USA + + + + + Yukon Territory, Canada + + + + + Yucatan, Mexico + + + + + Zacatecas, Mexico + + + + + + + A data type for an authority with jurisdiction over a particular area. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd new file mode 100644 index 000000000..4c35ed3b5 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd @@ -0,0 +1,116 @@ + + + Proxy types that carry dictionary metadata and have XML data type simple contents. + + + + + A data type for a Uniform Resource Identifier Reference (URI). A value can be absolute or relative, and may have an optional fragment identifier (i.e., it may be a URI Reference). + + + + + + + + + + A data type for Base64-encoded binary data. + + + + + + + + + + A data type for binary-valued logic (true/false). + + + + + + + + + + A data type for a calendar date with the format CCYY-MM-DD. + + + + + + + + + + A data type for objects with integer-valued year, month, day, hour and minute properties, a decimal-valued second property, and a boolean timezoned property. + + + + + + + + + + A data type for arbitrary precision decimal numbers. + + + + + + + + + + A data type for a duration of time with the format PnYnMnDTnHnMnS, where nY is the number of years, nM is the number of months, nD is the number of days, nH is the number of hours, nM is the number of minutes, and nS is the number of seconds. + + + + + + + + + + A data type for a Gregorian calendar year with the format CCYY. + + + + + + + + + + A data type that represents white space normalized strings. The value space of normalizedString is the set of strings that do not contain the carriage return, line feed nor tab characters. + + + + + + + + + + A data type for character strings in XML. + + + + + + + + + + A data type for an instant of time with the format hh:mm:ss.sss. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd new file mode 100644 index 000000000..e641a7d36 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd @@ -0,0 +1,199 @@ + + + + + + + + + + + + + + This type is the basis for all components and provides a base class for + applications. + + Essentially it states that a component is a set of properties. + + + + + + + + + + + + + + + + + + + + + + + + + + + This type is the basis for all components and provides a base class for + applications. + + + + + + + + + + + + + + + + + + + + + This type is the basis for all components that can be contained within + a vcalendar component + + + + + + + + + + + + + + + + Events and todos only contain alarms + + + + + + + + + + + + + + + + + + + + + + + + + + + + Journal components contain no other components + + + + + + + + + + + Freebusy components contain no other components + + + + + + + + + + + Timezones only contain daylight and standard + + + + + + + + + + + + + + + + + + + + + + Standard components contain no other components + + + + + + + + + + Daylight components contain no other components + + + + + + + + + + + + + + + + Alarms contain no components + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd new file mode 100644 index 000000000..6f26e6dc9 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd @@ -0,0 +1,38 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/feesresponse + + + + + + + + The response to a CalculatedFeesQueryMessage, which may either be 0 indicating no fee is due, a currency amount indicating the fee due upon filing, or unknown indicating that the court case management information system is unable to calculate the fee for the proposed filing. + + + + + + + + + + + + + + A total of all fees required to submit a document. + + + + + The response to a CalculatedFeesQueryMessage, which may either be 0 indicating no fee is due, a currency amount indicating the fee due upon filing, or unknown indicating that the court case management information system is unable to calculate the fee for the proposed filing. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd new file mode 100644 index 000000000..f5da85e1e --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd @@ -0,0 +1,35 @@ + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd new file mode 100644 index 000000000..37459dc0a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd @@ -0,0 +1,57 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/caselistrequest + + + + + + + + + + + + + + + + +This is a query for a list of cases that match a set of criteria including case participants, case classification, case status, and date of the case was initiated. + + + + + + + + + + + + + + + +Criteria limiting the list of cases to be returned. + + + + + +Information describing a participant when a query seeks information about the cases in which the person or organization is a participant. + + + + + +This is a query for a list of cases that match a set of criteria including case participants, case classification, case status, and date of the case was initiated. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd new file mode 100644 index 000000000..72461576b --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd @@ -0,0 +1,80 @@ + + + + + + + + + + + + + + encodingparam = "ENCODING" "=" + ( "8BIT" + ; "8bit" text encoding is defined in [RFC2045] + / "BASE64" + ; "BASE64" binary encoding format is defined in [RFC4648] + ) + busytypevalue = "BUSY" + / "BUSY-UNAVAILABLE" + / "BUSY-TENTATIVE" + / iana-token + / x-name + + ; Default is "BUSY-UNAVAILABLE". + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd new file mode 100644 index 000000000..fe44f45e4 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd @@ -0,0 +1,51 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/policyrequest + + +A request for a court's Court Policy. + + + + + + + + + + + + + + +Criteria limiting the policy information to be returned. + + + + + + + + + + + + + + +A request for a court's Court Policy. + + + + + +An extension point for the enclosing message. + + + + + +Criteria limiting the policy information to be returned. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd new file mode 100644 index 000000000..d895fd6c1 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd @@ -0,0 +1,149 @@ + + + Chemical, Biological, Radiological, and Nuclear Domain + + + + + + + + A data type that provides information about the point in the xml payload content of a message where an error occurred in processing the message. + + + + + + + + + + + + + A data type that describes a message error. + + + + + + + + + + + + + A data type to provide success or error feedback on a message that has been received. + + + + + + + + + + + + + + + + + A data type providing a Remark via inheritance to applicable Types. + + + + + + + + A data type for a system event. + + + + + + + + + + + + + + True if the system is simulated; false otherwise. If the attribute is not present, the value is false. + + + + + A verfication of the authenticating credentials. + + + + + A description of an error code in free form text. + + + + + An error code. + + + + + A text description of an error that occurred at a specific XML tag while processing an XML message. + + + + + A name of the XML tag at which an error occurred. + + + + + A set of information about the point in the xml payload content of a message where an error occurred in processing the message. + + + + + A description of a message error encountered by an infrastructure component in the process of message handling and transmission. + + + + + A status of the message. + + + + + An augmentation point for cbrn:MessageStatusType. + + + + + A code for the receiving status of a message. + + + + + A media type listed in http://www.iana.org/assignments/media-types/index.html. If the media type is not listed, then describe the media type using free-form text. + + + + + True if the message should be resent; false otherwise. + + + + + A date and time of a system event. + + + + + A code for an operating mode of a system. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd new file mode 100644 index 000000000..7fb290e95 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd @@ -0,0 +1,46 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/reservedate + + +A request to allocate a court date on the schedule. + + + + + + + + + + + + + + + + + + +The estimated duration of a court hearing + + + + + +A time before which a court date must begin + + + + + +A request to allocate a court date on the schedule. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd new file mode 100644 index 000000000..e9b466a24 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd @@ -0,0 +1,30 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/cancel + + +This is a request from the filer to the reviewer to cancel a previously submitted filing. + + + + + + + + + + + + + + +This is a request from the filer to the reviewer to cancel a previously submitted filing. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd new file mode 100644 index 000000000..2657adbcd --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd @@ -0,0 +1,215 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Durations are a problem: + XML schema types allow Years, Months, Days, Hours, Minutes, Seconds + Ical allows Weeks, Days, Hours, Minutes, Seconds + + These overlap and we really need a combination of both. + So the compromise is to have a pattern restricted String type and note + that if data is to be exported into the icalendar world it cannot have + years or months. + + Ultimately it is to be hoped the two worlds can be aligned. + + RFC5545 (icalendar) specifies + dur-value = (["+"] / "-") "P" (dur-date / dur-time / dur-week) + + dur-date = dur-day [dur-time] + dur-time = "T" (dur-hour / dur-minute / dur-second) + dur-week = 1*DIGIT "W" + dur-hour = 1*DIGIT "H" [dur-minute] + dur-minute = 1*DIGIT "M" [dur-second] + dur-second = 1*DIGIT "S" + dur-day = 1*DIGIT "D" + + So P5W is valid: P5WT10M is not. If weeks re specified nothing else can be + + XML specifies + PnYnMnDTnHnMnS + + The elements must appear in the order specified and the 'T' is omitted + if hours minutes and seconds are absent. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7af13829a6695741.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7af13829a6695741.xsd new file mode 100644 index 000000000..aec2fb4c3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7af13829a6695741.xsd @@ -0,0 +1,2277 @@ + + + NIEM Core. + + + + + + + + + + + A data type for a single or set of related actions, events, or process steps. + + + + + + + + + + + + + + + + A data type for a geophysical location described by postal information. + + + + + + + + + + + + + + + + + + + + A data type for an amount of money. + + + + + + + + + + + + + A data type for an association, connection, relationship, or involvement somehow linking people, things, and/or activities together. + + + + + + + + + + + + A data type for a digital representation of an object encoded in a binary format. + + + + + + + + + + + + + + + + + + A data type for an ability to complete a task or execute a course of action under specified condition and level of performance. + + + + + + + + + + + + A data type for an outcome or processing of a case. + + + + + + + + + + + + A data type for an aggregation of information about a set of related activities and events. + + + + + + + + + + + + + A data type for a period of time or a situation in which an entity is available to be contacted with the given contact information. + + + + + Daytime + + + + + Emergency + + + + + Late day or early night + + + + + Late night + + + + + Primary + + + + + Secondary or alternate + + + + + + + A data type for a period of time or a situation in which an entity is available to be contacted with the given contact information. + + + + + + + + + + A data type for how to contact a person or an organization. + + + + + + + + + + + + + + + + + A data type for a means of transport from place to place. + + + + + + + + A data type for a country, territory, dependency, or other such geopolitical subdivision of a location. + + + + + + + + + + + + A data type for a range of dates. + + + + + + + + + + + + + A data type for a calendar date. + + + + + + + + + + + + A data type for a result or outcome that is the product of handling, processing, or finalizing something. + + + + + + + + + + + + + + A data type for a relationship between documents. + + + + + + + + + + + + + A data type for a paper or electronic document. + + + + + + + + + + + + + + + + + + + + + + + + A data type for a person, organization, or thing capable of bearing legal rights and responsibilities. + + + + + + + + + + + + A data type for a building, place, or structure that provides a particular service. + + + + + + + + + + + + + A data type for a full telephone number. + + + + + + + + + + + + + A data type for a representation of an identity. + + + + + + + + + + + + + + + + A data type for an occurrence or an event that may require a response. + + + + + + + + + + + + + A data type for coverage by a contract whereby one party agrees to indemnify or guarantee another against loss by a specified contingent event or peril. + + + + + + + + + + + + + + A data type for an international telephone number. + + + + + + + + + + + + + + A data type for an article or thing. + + + + + + + + + + + + + + + + + + A data type for an evaluation of the monetary worth of an item. + + + + + + + + + + + + A data type for a geopolitical area in which an organization, person, or object has a specific range of authority. + + + + + + + + + + + + A data type for a measure of a distance or extent. + + + + + + + + A data type for geospatial location. + + + + + + + + + + + + + + A data type for a measurement. + + + + + + + + + + + + + A data type for information that further qualifies primary data; data about data. + + + + + + + + + + + + + + + + A data type for a North American Numbering Plan telephone number. + + + + + + + + + + + + + + + A data type for a decimal value with a minimum value of 0. + + + + + The lowest value allowed (inclusive). + + + + + + + A data type for a decimal value with a minimum value of 0. + + + + + + + + + + A data type for a number value. + + + + + + + + A data type for a waival or dismissal of an obligation. + + + + + + + + + + + + + A data type for a periodic basis on which an obligation must be met. + + + + + + + + + + + + + A data type for something that is owed to an entity. + + + + + + + + + + + + + + + + + + A data type for levels of an incident. + + + + + Felony + + + + + Gross Misdemeanor + + + + + Misdemeanor + + + + + Petty Misdemeanor + + + + + + + A data type for levels of an incident. + + + + + + + + + + A data type for an association between organizations. + + + + + + + + + + + + + A data type for a body of people organized for a particular purpose. + + + + + + + + + + + + + + + + + + + A data type for an association between people. + + + + + + + + + + + + + A data type for a legal termination of a Person Union. + + + + + + + + + + + + A data type for an association between a person and an employment. + + + + + + + + + + + + + A data type for a language capability of a person. + + + + + + + + + + + + A data type for a kind of person name. + + + + + Alternate + + + + + Asserted + + + + + Name at birth + + + + + Legal + + + + + + + A data type for a kind of person name. + + + + + + + + + + A data type for a name by which a person is known, referred, or addressed. + + + + + + + + A data type for a combination of names and/or titles by which a person is known. + + + + + + + + + + + + + + + + + + + A data type for an association between a person and an organization. + + + + + + + + + + + + + + A data type for a human being. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A data type for an association between two persons who are in a state of union with each other. + + + + + + + + + + + + + + + A data type describing the legally recognized union between two persons. + + + + + civil union + + + + + common law + + + + + domestic partnership + + + + + married + + + + + unknown + + + + + + + A data type describing the legally recognized union between two persons. + + + + + + + + + + A data type for a separation of the parties in a Person Union. + + + + + + + + A data type for a prominent or easily identifiable aspect of something or someone. + + + + + + + + + + + + A data type for a word or phrase by which a person or thing is known, referred, or addressed. + + + + + + + + A data type for an association between related activities. + + + + + + + + + + + + + A data type for a plan or agenda for the activities of a day. + + + + + + + + + + + + + + + A data type for a schedule providing the beginning and ending hours of operation by weekday, for a designated time period. + + + + + + + + A data type for a name of a computer application used to process data. + + + + + + + + A data type for a measure of a speed or rate of motion. + + + + + + + + + + + + A data type for a state, commonwealth, province, or other such geopolitical subdivision of a country. + + + + + + + + + + + + A data type for a state of something or someone. + + + + + + + + + + + + + + A data type for a road, thoroughfare, or highway. + + + + + + + + + + + + + + + + + + A data type for an act of officially overseeing, supervising, or keeping track in some capacity of a person. + + + + + + + + + + + + + A data type for a telephone number for a telecommunication device. + + + + + + + + + + + + A data type for a character string. + + + + + + + + A data type for a conveyance designed to carry an operator, passengers and/or cargo, over land. + + + + + + + + + + + + + + + A data type for a measure of a weight. + + + + + + + + A single or set of related actions, events, or process steps. + + + + + A date of an activity. + + + + + A description of an activity. + + + + + A result or outcome of an activity. + + + + + An identification that references an activity. + + + + + A status of an activity. + + + + + A postal location to which paper mail can be directed. + + + + + A data concept for a single place or unit at which mail is delivered. + + + + + An identifier of a single place or unit at which mail is delivered. + + + + + A complete address. + + + + + A name of a person, organization, or other recipient to whom physical mail may be sent. + + + + + An amount of money. + + + + + A description of an association. + + + + + A binary attachment to a report or document. + + + + + A base64 binary encoding of data. + + + + + An entity which captured or created a binary object. + + + + + A description of a binary object. + + + + + A file format or content type of a binary object. + + + + + An identifier that references a binary object. + + + + + A data concept for a binary encoding of data. + + + + + A size of a binary object in kilobytes. + + + + + A URL or file reference of a binary object. + + + + + A description of a capacity or ability. + + + + + An aggregation of information about a set of related activities and events. + + + + + An augmentation point for CaseType. + + + + + An outcome or processing of a case. + + + + + A date that all charges in a case were disposed. + + + + + An identifier used to reference a case docket. + + + + + An official name of a case. + + + + + A data concept for a person or organization to contact. + + + + + An electronic mailing address by which a person or organization may be contacted. + + + + + An entity that may be contacted by using the given contact information. + + + + + A description of the entity being contacted. + + + + + A set of details about how to contact a person or an organization. + + + + + A data concept for a period of time or a situation in which an entity is available to be contacted with the given contact information. + + + + + A period of time or a situation in which an entity is available to be contacted with the given contact information. + + + + + A description of the contact information. + + + + + A postal address by which a person or organization may be contacted. + + + + + A data concept for a means of contacting someone. + + + + + A third party person who answers a call and connects or directs the caller to the intended person. + + + + + A telephone number for a telecommunication device by which a person or organization may be contacted. + + + + + A single, upper-most, front-most, or majority color of a conveyance. + + + + + A data concept for a representation of a country. + + + + + A data concept for a unit of money or exchange. + + + + + A unit of money or exchange. + + + + + A unit of money or exchange. + + + + + A full date. + + + + + A time period measured by a starting and ending point. + + + + + A data concept for a representation of a date. + + + + + A full date and time. + + + + + A data concept for a kind of disposition. + + + + + A kind of disposition. + + + + + A date a disposition occurred. + + + + + A description of a disposition. + + + + + A paper or electronic document. + + + + + An association between documents. + + + + + An augmentation point for DocumentAssociationType. + + + + + An augmentation point for DocumentType. + + + + + A data concept for a kind of document. + + + + + A kind of document; a nature or genre of the content. + + + + + A description of the content of a document. + + + + + A date in which the content or action becomes enforceable, active, or effective. + + + + + An identifier assigned to a document to locate it within a file control system. + + + + + A date a document was officially filed with an organization or agency. + + + + + An identification that references a document. + + + + + A date after which contributions to the content of a document will no longer be accepted. + + + + + A data concept for the language of the content of the resource. + + + + + A language of the content of the resource. + + + + + A date a document is entered or posted to an information system or network; used when the date of posting is different from the date on which a document was officially filed. + + + + + A date a transmitted document was received. + + + + + An identifier that determines the document order in a set of related documents. + + + + + A name of a computer application used to process a document. + + + + + An entity responsible for making the resource available. + + + + + A name given to a document. + + + + + A date that information take effect. + + + + + A person who works for a business or a person. + + + + + A party/entity (organization or person) who employs a person. + + + + + An end date. + + + + + An item capable of bearing legal rights and responsibilities. + + + + + An organization capable of bearing legal rights and responsibilities. + + + + + A person capable of bearing legal rights and responsibilities. + + + + + A data concept for a person, organization, or thing capable of bearing legal rights and responsibilities. + + + + + A date after which information is no longer valid. + + + + + An identification assigned to a facility. + + + + + A name of a facility. + + + + + An amount of an exemption from a payment obligation. + + + + + A full telephone number. + + + + + A data concept for a kind of identification. + + + + + A description of a kind of identification. + + + + + An identifier. + + + + + An area, region, or unit where a unique identification is issued. + + + + + A person, organization, or locale which issues an identification. + + + + + An augmentation point for IncidentType. + + + + + A location where an incident occurred. + + + + + A coverage by a contract whereby one party agrees to indemnify or guarantee another against loss by a specified contingent event or peril. + + + + + True if an insurance policy is active; false otherwise. + + + + + A name of a company which underwrites an insurance policy. + + + + + A data concept for a kind of insurance coverage. + + + + + A kind of insurance coverage. + + + + + An international telephone number. + + + + + An augmentation point for ItemType. + + + + + A data concept for a color of an item. + + + + + A description of the overall color of an item. + + + + + A description of an item. + + + + + A year in which an item was manufactured or produced. + + + + + An identification assigned to an item. + + + + + A data concept for a style of an item. + + + + + A style of a property item. + + + + + An evaluation of the monetary worth of an item. + + + + + A monetary value of an item. + + + + + A data concept for an area, state, region, or other geographic unit over which some kind of authority exists. + + + + + An area in which an organization or person has some kind of authoritative capacity or responsibility over. + + + + + A data concept for a system of words or symbols used for communication. + + + + + A system of words or symbols used for communication. + + + + + A date information was last modified. + + + + + A data concept for a unit of measure for length. + + + + + A unit of measure of a length value. + + + + + A geospatial location. + + + + + A data concept for a set of information, such as postal information, used to describe a location. + + + + + A name of a city or town. + + + + + A country, territory, dependency, or other such geopolitical subdivision of a location. + + + + + A name of a country, territory, dependency, or other such geopolitical subdivision of a location. + + + + + A data concept for a county, parish, vicinage, or other such geopolitical subdivision of a state. + + + + + A name of a county, parish, vicinage, or other such geopolitical subdivision of a state. + + + + + A description of a location. + + + + + A name of a location. + + + + + An identifier of a post office-assigned zone for an address. + + + + + An identifier of a smaller area within a post office-assigned zone for an address. + + + + + A state, commonwealth, province, or other such geopolitical subdivision of a country. + + + + + A name of a state, commonwealth, province, or other such geopolitical subdivision of a country. + + + + + A state, commonwealth, province, or other such geopolitical subdivision of a country. + + + + + A road, thoroughfare or highway. + + + + + A decimal measurement value. + + + + + A data concept for a measurement value. + + + + + A data concept for a unit of measure of a measurement value. + + + + + A data concept for a measurement value. + + + + + Information that further qualifies primary data; data about data. + + + + + A North American Numbering Plan telephone number. + + + + + A kind of obligation. + + + + + A date range of an obligation. + + + + + A data concept for an amount of money or quantity of time still required to be spent in order to fulfill an obligation. + + + + + An amount of a payment obligation that has not been made. + + + + + An entity that must fulfill an obligation. + + + + + A waiving or dismissal of an obligation. + + + + + A description of an exemption from an obligation. + + + + + An interval or period at which an obligation is required to be fulfilled. + + + + + An entity to whom an obligation must be fulfilled. + + + + + A periodic basis on which an obligation must be met. + + + + + A description of what is necessary in order to fulfill an obligation. + + + + + A unit which conducts some sort of business or operations. + + + + + An association between an organization and another organization. + + + + + An augmentation point for OrganizationAssociationType. + + + + + An augmentation point for OrganizationType. + + + + + An identification that references an organization. + + + + + A location of an organization. + + + + + A name of an organization. + + + + + A preferred means of contacting an organization. + + + + + A name of a subdivision of an organization. + + + + + A tax identification assigned to an organization. + + + + + A name of a high-level division of an organization. + + + + + A human being. + + + + + An association between people. + + + + + An augmentation point for PersonAssociationType. + + + + + An augmentation point for PersonType. + + + + + A date a person was born. + + + + + A capacity or ability of a person. + + + + + A data concept for a country that assigns rights, duties, and privileges to a person because of the birth or naturalization of the person in that country. + + + + + A country that assigns rights, duties, and privileges to a person because of the birth or naturalization of the person in that country. + + + + + A date a person died or was declared legally dead. + + + + + A legal termination of a Person Union. + + + + + True if a legal document finalizing the Person Disunion exists (for example, a divorce decree); false otherwise. + + + + + An association between a person and employment information. + + + + + A data concept for a cultural lineage of a person. + + + + + A cultural lineage of a person. + + + + + A data concept for a color of the eyes of a person. + + + + + A complete name of a person. + + + + + A first name of a person. + + + + + A data concept for a color of the hair of a person. + + + + + A measurement of the height of a person. + + + + + True if a person understands and speaks English; false otherwise. + + + + + An original last name or surname of a person before changed by marriage. + + + + + A middle name of a person. + + + + + A combination of names and/or titles by which a person is known. + + + + + A data concept for a kind of person name. + + + + + A title or honorific used by a person. + + + + + A term appended after the family name that qualifies the name. + + + + + An association between a person and an organization. + + + + + An augmentation point for PersonOrganizationAssociationType. + + + + + An identification with a kind that is not explicitly defined in the standard that refers to a person within a certain domain. + + + + + A prominent or easily identifiable aspect of a person. + + + + + A capacity of a person for a language with which that person has the strongest familiarity. + + + + + A data concept for a classification of a person based on factors such as geographical locations and genetics. + + + + + A classification of a person based on factors such as geographical locations and genetics. + + + + + A data concept for a gender or sex of a person. + + + + + An identification of a person based on a state-issued ID card. + + + + + A last name or family name of a person. + + + + + An identification used to refer to a specific person within the tax system of a country. + + + + + An association between two persons who are in a state of union with each other. + + + + + A data concept for a kind of union between two people. + + + + + A kind of union between two people. + + + + + A location where the Person Union occurred. + + + + + A separation of the parties in a Person Union. + + + + + A measurement of the weight of a person. + + + + + A data concept for a specific kind of physical feature. + + + + + A main or primary document. + + + + + An augmentation point for RelatedActivityAssociationType. + + + + + A data concept for a property of a role object. This specifies the base object, of which the role object is a function. + + + + + An entity of whom the role object is a function. + + + + + An organization of whom the role object is a function. + + + + + A person of whom the role object is a function. + + + + + An activity planned to occur on a certain date and time. + + + + + A date for which an activity is scheduled. + + + + + A data concept for a day or days with the given schedule information. + + + + + A time at which an activity is scheduled to end. + + + + + A time at which an activity is scheduled to begin. + + + + + A sensitivity level of the information. + + + + + A data concept for a unit of measure for speed. + + + + + A unit of measurement of speed. + + + + + A date on which something begins. + + + + + A data concept for a state, commonwealth, province, or other such geopolitical subdivision of a country. + + + + + A data concept for a status or condition of something or someone. + + + + + A date a status was set, effected, or reported. + + + + + A description of a status or condition of something or someone. + + + + + A status or condition of something or someone. + + + + + A kind of street. + + + + + An additional part of a street reference that follows the street category and post directional. + + + + + A complete reference for a street. + + + + + A name of a street. + + + + + A number that identifies a particular unit or location within a street. + + + + + A direction that appears after a street name. + + + + + A direction that appears before a street name. + + + + + A status of the custody of a person under supervision. + + + + + A facility at which a subject is being supervised. + + + + + A data concept for the operating mode of a system. + + + + + A dialing code for a state or province for phone numbers in the USA, Canada, Mexico, and the Caribbean. + + + + + An international dialing code for a country. + + + + + A portion of a telephone number that usually represents a central telephone switch. + + + + + A portion of a telephone number that identifies the individual circuit within an exchange. + + + + + A data concept for a telephone number. + + + + + A complete telephone number. + + + + + A telephone number. + + + + + An additional sequence of numbers to be entered after a call connects to be directed to the appropriate place. + + + + + A conveyance designed to carry an operator, passengers and/or cargo, over land. + + + + + An augmentation point for VehicleType. + + + + + A unique identification for a specific vehicle. + + + + + A data concept for a manufacturer of a vehicle. + + + + + A data concept for a specific design or class of vehicle made by a manufacturer. + + + + + A data concept for a unit of measure for weight. + + + + + A unit of measure of the weight value. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd new file mode 100644 index 000000000..55e6353f3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd @@ -0,0 +1,33 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/stampinformation + + +A request to get document stamping information. + + + + + + + + + + + + + + + + + +A request to get document stamping information. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd new file mode 100644 index 000000000..e3c944275 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd @@ -0,0 +1,723 @@ + + + + + + + + + UNDT000001 + CCT + Amount. Type + 1.0 + A number of monetary units specified in a currency where the unit of the currency is explicit or implied. + Amount + decimal + + + + + + + + UNDT000001-SC2 + SC + Amount Currency. Identifier + The currency of the amount. + Amount Currency + Identification + Identifier + string + Reference UNECE Rec 9, using 3-letter alphabetic codes. + + + + + + + UNDT000001-SC3 + SC + Amount Currency. Code List Version. Identifier + The VersionID of the UN/ECE Rec9 code list. + Amount Currency + Code List Version + Identifier + string + + + + + + + + + + + + UNDT000002 + CCT + Binary Object. Type + 1.0 + A set of finite-length sequences of binary octets. + Binary Object + binary + + + + + + + + UNDT000002-SC2 + SC + Binary Object. Format. Text + The format of the binary content. + Binary Object + Format + Text + string + + + + + + + UNDT000002-SC3 + SC + Binary Object. Mime. Code + The mime type of the binary object. + Binary Object + Mime + Code + string + + + + + + + UNDT000002-SC4 + SC + Binary Object. Encoding. Code + Specifies the decoding algorithm of the binary object. + Binary Object + Encoding + Code + string + + + + + + + UNDT000002-SC5 + SC + Binary Object. Character Set. Code + The character set of the binary object if the mime type is text. + Binary Object + Character Set + Code + string + + + + + + + UNDT000002-SC6 + SC + Binary Object. Uniform Resource. Identifier + The Uniform Resource Identifier that identifies where the binary object is located. + Binary Object + Uniform Resource Identifier + Identifier + string + + + + + + + UNDT000002-SC7 + SC + Binary Object. Filename.Text + The filename of the binary object. + Binary Object + Filename + Text + string + + + + + + + + + + + + UNDT000007 + CCT + Code. Type + 1.0 + A character string (letters, figures, or symbols) that for brevity and/or languange independence may be used to represent or replace a definitive value or text of an attribute together with relevant supplementary information. + Code + string + Should not be used if the character string identifies an instance of an object class or an object in the real world, in which case the Identifier. Type should be used. + + + + + + + + UNDT000007-SC2 + SC + Code List. Identifier + The identification of a list of codes. + Code List + Identification + Identifier + string + + + + + + + UNDT000007-SC3 + SC + Code List. Agency. Identifier + An agency that maintains one or more lists of codes. + Code List + Agency + Identifier + string + Defaults to the UN/EDIFACT data element 3055 code list. + + + + + + + UNDT000007-SC4 + SC + Code List. Agency Name. Text + The name of the agency that maintains the list of codes. + Code List + Agency Name + Text + string + + + + + + + UNDT000007-SC5 + SC + Code List. Name. Text + The name of a list of codes. + Code List + Name + Text + string + + + + + + + UNDT000007-SC6 + SC + Code List. Version. Identifier + The version of the list of codes. + Code List + Version + Identifier + string + + + + + + + UNDT000007-SC7 + SC + Code. Name. Text + The textual equivalent of the code content component. + Code + Name + Text + string + + + + + + + UNDT000007-SC8 + SC + Language. Identifier + The identifier of the language used in the code name. + Language + Identification + Identifier + string + + + + + + + UNDT000007-SC9 + SC + Code List. Uniform Resource. Identifier + The Uniform Resource Identifier that identifies where the code list is located. + Code List + Uniform Resource Identifier + Identifier + string + + + + + + + UNDT000007-SC10 + SC + Code List Scheme. Uniform Resource. Identifier + The Uniform Resource Identifier that identifies where the code list scheme is located. + Code List Scheme + Uniform Resource Identifier + Identifier + string + + + + + + + + + + + + UNDT000008 + CCT + Date Time. Type + 1.0 + A particular point in the progression of time together with the relevant supplementary information. + Date Time + string + Can be used for a date and/or time. + + + + + + + + UNDT000008-SC1 + SC + Date Time. Format. Text + The format of the date time content + Date Time + Format + Text + string + + + + + + + + + + + + UNDT000011 + CCT + Identifier. Type + 1.0 + A character string to identify and distinguish uniquely, one instance of an object in an identification scheme from all other objects in the same scheme together with relevant supplementary information. + Identifier + string + + + + + + + + UNDT000011-SC2 + SC + Identification Scheme. Identifier + The identification of the identification scheme. + Identification Scheme + Identification + Identifier + string + + + + + + + UNDT000011-SC3 + SC + Identification Scheme. Name. Text + The name of the identification scheme. + Identification Scheme + Name + Text + string + + + + + + + UNDT000011-SC4 + SC + Identification Scheme Agency. Identifier + The identification of the agency that maintains the identification scheme. + Identification Scheme Agency + Identification + Identifier + string + Defaults to the UN/EDIFACT data element 3055 code list. + + + + + + + UNDT000011-SC5 + SC + Identification Scheme Agency. Name. Text + The name of the agency that maintains the identification scheme. + Identification Scheme Agency + Agency Name + Text + string + + + + + + + UNDT000011-SC6 + SC + Identification Scheme. Version. Identifier + The version of the identification scheme. + Identification Scheme + Version + Identifier + string + + + + + + + UNDT000011-SC7 + SC + Identification Scheme Data. Uniform Resource. Identifier + The Uniform Resource Identifier that identifies where the identification scheme data is located. + Identification Scheme Data + Uniform Resource Identifier + Identifier + string + + + + + + + UNDT000011-SC8 + SC + Identification Scheme. Uniform Resource. Identifier + The Uniform Resource Identifier that identifies where the identification scheme is located. + Identification Scheme + Uniform Resource Identifier + Identifier + string + + + + + + + + + + + + UNDT000012 + CCT + Indicator. Type + 1.0 + A list of two mutually exclusive Boolean values that express the only possible states of a Property. + Indicator + string + + + + + + + + UNDT000012-SC2 + SC + Indicator. Format. Text + Whether the indicator is numeric, textual or binary. + Indicator + Format + Text + string + + + + + + + + + + + + UNDT000013 + CCT + Measure. Type + 1.0 + A numeric value determined by measuring an object along with the specified unit of measure. + Measure + decimal + + + + + + + + UNDT000013-SC2 + SC + Measure Unit. Code + The type of unit of measure. + Measure Unit + Code + Code + string + Reference UNECE Rec. 20 and X12 355 + + + + + + + UNDT000013-SC3 + SC + Measure Unit. Code List Version. Identifier + The version of the measure unit code list. + Measure Unit + Code List Version + Identifier + string + + + + + + + + + + + + UNDT000014 + CCT + Numeric. Type + 1.0 + Numeric information that is assigned or is determined by calculation, counting, or sequencing. It does not require a unit of quantity or unit of measure. + Numeric + string + + + + + + + + UNDT000014-SC2 + SC + Numeric. Format. Text + Whether the number is an integer, decimal, real number or percentage. + Numeric + Format + Text + string + + + + + + + + + + + + UNDT000018 + CCT + Quantity. Type + 1.0 + A counted number of non-monetary units possibly including fractions. + Quantity + decimal + + + + + + + + UNDT000018-SC2 + SC + Quantity. Unit. Code + The unit of the quantity + Quantity + Unit Code + Code + string + + + + + + + UNDT000018-SC3 + SC + Quantity Unit. Code List. Identifier + The quantity unit code list. + Quantity Unit + Code List + Identifier + string + + + + + + + UNDT000018-SC4 + SC + Quantity Unit. Code List Agency. Identifier + The identification of the agency that maintains the quantity unit code list + Quantity Unit + Code List Agency + Identifier + string + Defaults to the UN/EDIFACT data element 3055 code list. + + + + + + + UNDT000018-SC5 + SC + Quantity Unit. Code List Agency Name. Text + The name of the agency which maintains the quantity unit code list. + Quantity Unit + Code List Agency Name + Text + string + + + + + + + + + + + + UNDT000019 + CCT + Text. Type + 1.0 + A character string (i.e. a finite set of characters) generally in the form of words of a language. + Text + string + + + + + + + + UNDT000019-SC2 + SC + Language. Identifier + The identifier of the language used in the content component. + Language + Identification + Identifier + string + + + + + + + UNDT000019-SC3 + SC + Language. Locale. Identifier + The identification of the locale of the language. + Language + Locale + Identifier + string + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd new file mode 100644 index 000000000..038d4bd62 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd @@ -0,0 +1,55 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/schedulerequest + + +A request for the schedule of upcoming events in a court + + + + + + + + + + + + + + +Criteria limiting the schedule information to be returned. + + + + + + + + + + + + + + + + + + +A request for the schedule of upcoming events in a court + + + + + +An extension point for the enclosing message. + + + + + +Criteria limiting the schedule information to be returned. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd new file mode 100644 index 000000000..965e0f072 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd @@ -0,0 +1,34 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/requestdaterequest + + +A request for available court dates + + + + + + + + + + + + + + + + + + +The message requesting a list of available court dates. + + + + + +An extension point for the enclosing message + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-849389af5da1be59.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-849389af5da1be59.xsd new file mode 100644 index 000000000..1afae98e3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-849389af5da1be59.xsd @@ -0,0 +1,46 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/filing + + +The structure of a Filing including any Payment Information will be documented in this section. This describes the filing transaction between the Filing Assembly MDE and the Filing Review MDE. This information will become part of the Record Docketing between the Filing Review MDE and the Court Record MDE but does not necessarily describe the information that is actually stored in the Court Record. + + + + + + + + + + + + + + + + + + +A document included in a Filing that supports the Document. This document is not separately entered on the docket or register of actions. + + + + + +The pleading, motion or order that is the main document in a Filing. A Document may have Attachments. + + + + + +The structure of a Filing including any Payment Information will be documented in this section. This describes the filing transaction between the Filing Assembly MDE and the Filing Review MDE. This information will become part of the Record Docketing between the Filing Review MDE and the Court Record MDE but does not necessarily describe the information that is actually stored in the Court Record. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd new file mode 100644 index 000000000..f7166ed69 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd @@ -0,0 +1,53 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/documentrequest + + +Criteria limiting the document information to be returned. + + + + + + + + + + + + + + + +The base information contained in any query message. + + + + + + + + + + + + + + + +Criteria limiting the document information to be returned. + + + + + +The base information contained in any query message. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-867074778678a758.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-867074778678a758.xsd new file mode 100644 index 000000000..b8fc281a8 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-867074778678a758.xsd @@ -0,0 +1,95 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/caserequest + + +Criteria limiting the list of cases to be returned. + + + + + + + + + + + + + + + + + + + + + +A message requesting a case from a court case management information system conforming to the parameter or parameters identified in the message. + + + + + + + + + + + + + + + +A filter criterion for calendar events. If present, the response should only include calendar events that fall between the from and to dates and times. + + + + + +Criteria limiting the case information to be returned. + + + + + +A filter criterion for docket entries. If present, the response should only include docket entries that fall between the from and to dates and times. + + + + + +Filter criterion indicating that only docket entries of a specified type are being requested. + + + + + +A message requesting a case from a court case management information system conforming to the parameter or parameters identified in the message. + + + + + +An extension point for the enclosing message. + + + + + +Indicates whether requester wishes calendar event information to be included in the response. + + + + + +Indicates whether requester wishes docket entry information to be included in the response. + + + + + +Indicates whether requester wishes participant information to be included in the response. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd new file mode 100644 index 000000000..a7d1d0c5b --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd @@ -0,0 +1,5886 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8c292879e0404171.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8c292879e0404171.xsd new file mode 100644 index 000000000..93185a36f --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8c292879e0404171.xsd @@ -0,0 +1,55 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/filinglistrequest + + +Criteria limiting the list of filings to be returned. + + + + + + + + + + + + + + + + + +This is query to get a list of filings by Filer Identification, Case Identifier, or time period. + + + + + + + + + + + + + + + +Criteria limiting the list of filings to be returned. + + + + + +This is query to get a list of filings by Filer Identification, Case Identifier, or time period. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-903874c5aa593226.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-903874c5aa593226.xsd new file mode 100644 index 000000000..56a69083b --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-903874c5aa593226.xsd @@ -0,0 +1,157 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd new file mode 100644 index 000000000..eb63c8316 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd @@ -0,0 +1,343 @@ + + + Biometric Schema Version 1.0 + + + + + + A data type describing the kinds of biometrics used + + + + + 10-print + + + + + 2-print + + + + + 4-print + + + + + All Available Modality Type + + + + + Body Odor + + + + + Dental + + + + + DNA + + + + + Ear shape + + + + + Facial Image + + + + + Finger geometry + + + + + Finger Prints + + + + + Foot Print + + + + + Gait + + + + + Hand Geometry + + + + + Iris + + + + + Keystroke dynamics + + + + + Lip movement + + + + + Include mug shots vs. searchable facial images + + + + + Multiple biometrics used + + + + + No information given + + + + + Non-photographic images can include (but are not limited to) such diverse items as 3D point cloud representations of the face, radiographs, sonograms, PET scans and 3D orthodontic models + + + + + not in the list and explained in augmentation point + + + + + Palm Print + + + + + Retina + + + + + Signature + + + + + Scar Mark Tattoo + + + + + Include the matcher template set id + + + + + Thermal face image + + + + + Thermal hand image + + + + + Vein Pattern + + + + + Video + + + + + Voice + + + + + + + A data type for a kind of biometric technology + + + + + + + + + + A data type for the classification of the kind of the Biometric information in the message. + + + + + + + + + + + + A data type for a representation of the identifying Biometric in. + + + + + + + + + + + + + + + A data type for an autosomal STR, X-STR, and Y-STR DNA profile + + + + + + + + + + + + + A data type for a DNA sample + + + + + + + + + + + + A data type for a fingerprint image + + + + + + + + A data type for a biometric image + + + + + + + + A data type of integer that has a value range of 1 to 999 + + + + + + + + A data type of integer that has a value range of 1 to 999 + + + + + + + + + + A data type for an image of a physical feature + + + + + + + + A Root Element for Biometric data + + + + + An entity that collected a biometric sample. + + + + + A classification of the kind of person Biometric. + + + + + A kind of biometric. + + + + + A data concept for capturing details. + + + + + A data concept for a biometric image + + + + + A kind of a DNA allele call (first of three possible) for the referenced locus in an STR profile + + + + + An image of screenshot of a DNA electropherogram + + + + + An identifier for a reference number of a DNA locus + + + + + An autosomal STR, X-STR, and Y-STR DNA profile + + + + + A representation or an encoding of the DNA data of a biological sample. This may be the biological sample from a person (e.g. sample from an insurgent), or a mixed biological sample that may contain biological material from the person of interest (e + + + + + An image of a fingerprint + + + + + An image of a physical feature + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd new file mode 100644 index 000000000..3c3d9d069 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd @@ -0,0 +1,31 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/filingstatusresponse + + +A court response to a FilingStatusQueryMessage. + + + + + + + + + + + + + + + +A court response to a FilingStatusQueryMessage. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd new file mode 100644 index 000000000..d429b87f8 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd @@ -0,0 +1,32 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/serviceinformationrequest + + +A message requesting information concerning the persons entitled to services of filings in a particular court case, together with the electronic addresses and message profiles of their Filing Assembly MDEs and their physical addresses if they are not currently using a Filing Assembly MDE. + + + + + + + + + + + + + + + + +A message requesting information concerning the persons entitled to services of filings in a particular court case, together with the electronic addresses and message profiles of their Filing Assembly MDEs and their physical addresses if they are not currently using a Filing Assembly MDE. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd new file mode 100644 index 000000000..19478941f --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd @@ -0,0 +1,600 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + classvalue = "PUBLIC" / "PRIVATE" / "CONFIDENTIAL" / iana-token + / x-name + ;Default is PUBLIC + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + status = "STATUS" statparam ":" statvalue CRLF + + statparam = *(";" other-param) + + statvalue = (statvalue-event + / statvalue-todo + / statvalue-jour) + + statvalue-event = "TENTATIVE" ;Indicates event is tentative. + / "CONFIRMED" ;Indicates event is definite. + / "CANCELLED" ;Indicates event was cancelled. + ;Status values for a "VEVENT" + + statvalue-todo = "NEEDS-ACTION" ;Indicates to-do needs action. + / "COMPLETED" ;Indicates to-do completed. + / "IN-PROCESS" ;Indicates to-do in process of. + / "CANCELLED" ;Indicates to-do was cancelled. + ;Status values for "VTODO". + + statvalue-jour = "DRAFT" ;Indicates journal is draft. + / "FINAL" ;Indicates journal is final. + / "CANCELLED" ;Indicates journal is removed. + ;Status values for "VJOURNAL". + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + transvalue = "OPAQUE" + ;Blocks or opaque on busy time searches. + / "TRANSPARENT" + ;Transparent on busy time searches. + ;Default value is OPAQUE + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + actionvalue = "AUDIO" / "DISPLAY" / "EMAIL" + / iana-token / x-name + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd new file mode 100644 index 000000000..4801dce6f --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd @@ -0,0 +1,1269 @@ + + + Country and country subdivision codes. Source: International Standards Organization (ISO); +Publication: Codes for the representation of names of countries -- Part 1: Country codes (v7-8); Part 2: codes for subdivisions (v3-6). https://www.iso.org/iso-3166-country-codes.html. https://www.iso.org/obp/ui/#iso:std:iso:3166:-1:ed-3:v1:en,fr + + + + + A data type for country, territory, or dependency codes. Sourced from ISO 3166 Part 1, v7-8. + + + + + Andorra + + + + + United Arab Emirates (the) + + + + + Afghanistan + + + + + Antigua and Barbuda + + + + + Anguilla + + + + + Albania + + + + + Armenia + + + + + Angola + + + + + Antarctica + + + + + Argentina + + + + + American Samoa + + + + + Austria + + + + + Australia + + + + + Aruba + + + + + Åland Islands + + + + + Azerbaijan + + + + + Bosnia and Herzegovina + + + + + Barbados + + + + + Bangladesh + + + + + Belgium + + + + + Burkina Faso + + + + + Bulgaria + + + + + Bahrain + + + + + Burundi + + + + + Benin + + + + + Saint Barthélemy + + + + + Bermuda + + + + + Brunei Darussalam + + + + + Bolivia, Plurinational State of + + + + + Bonaire, Sint Eustatius and Saba + + + + + Brazil + + + + + Bahamas (The) + + + + + Bhutan + + + + + Bouvet Island + + + + + Botswana + + + + + Belarus + + + + + Belize + + + + + Canada + + + + + Cocos (Keeling) Islands (the) + + + + + Congo (the Democratic Republic of the) + + + + + Central African Republic (the) + + + + + Congo (the) + + + + + Switzerland + + + + + Côte d'Ivoire + + + + + Cook Islands (the) + + + + + Chile + + + + + Cameroon + + + + + China + + + + + Colombia + + + + + Costa Rica + + + + + Cuba + + + + + Cabo Verde + + + + + Curaçao + + + + + Christmas Island + + + + + Cyprus + + + + + Czechia + + + + + Germany + + + + + Djibouti + + + + + Denmark + + + + + Dominica + + + + + Dominican Republic (the) + + + + + Algeria + + + + + Ecuador + + + + + Estonia + + + + + Egypt + + + + + Western Sahara + + + + + Eritrea + + + + + Spain + + + + + Ethiopia + + + + + Finland + + + + + Fiji + + + + + Falkland Islands (the) [Malvinas] + + + + + Micronesia (Federated States of) + + + + + Faroe Islands (the) + + + + + France + + + + + Gabon + + + + + United Kingdom of Great Britain and Northern Ireland (the) + + + + + Grenada + + + + + Georgia + + + + + French Guiana + + + + + Guernsey + + + + + Ghana + + + + + Gibraltar + + + + + Greenland + + + + + Gambia (the) + + + + + Guinea + + + + + Guadeloupe + + + + + Equatorial Guinea + + + + + Greece + + + + + South Georgia and the South Sandwich Islands + + + + + Guatemala + + + + + Guam + + + + + Guinea-Bissau + + + + + Guyana + + + + + Hong Kong + + + + + Heard Island and McDonald Islands + + + + + Honduras + + + + + Croatia + + + + + Haiti + + + + + Hungary + + + + + Indonesia + + + + + Ireland + + + + + Israel + + + + + Isle of Man + + + + + India + + + + + British Indian Ocean Territory (the) + + + + + Iraq + + + + + Iran (Islamic Republic of) + + + + + Iceland + + + + + Italy + + + + + Jersey + + + + + Jamaica + + + + + Jordan + + + + + Japan + + + + + Kenya + + + + + Kyrgyzstan + + + + + Cambodia + + + + + Kiribati + + + + + Comoros (the) + + + + + Saint Kitts and Nevis + + + + + Korea (the Democratic People's Republic of) + + + + + Korea (the Republic of) + + + + + Kuwait + + + + + Cayman Islands (the) + + + + + Kazakhstan + + + + + Lao People's Democratic Republic (the) + + + + + Lebanon + + + + + Saint Lucia + + + + + Liechtenstein + + + + + Sri Lanka + + + + + Liberia + + + + + Lesotho + + + + + Lithuania + + + + + Luxembourg + + + + + Latvia + + + + + Libya + + + + + Morocco + + + + + Monaco + + + + + Moldova (the Republic of) + + + + + Montenegro + + + + + Saint Martin (French part) + + + + + Madagascar + + + + + Marshall Islands (the) + + + + + Macedonia (the former Yugoslav Republic of) + + + + + Mali + + + + + Myanmar + + + + + Mongolia + + + + + Macao + + + + + Northern Mariana Islands (the) + + + + + Martinique + + + + + Mauritania + + + + + Montserrat + + + + + Malta + + + + + Mauritius + + + + + Maldives + + + + + Malawi + + + + + Mexico + + + + + Malaysia + + + + + Mozambique + + + + + Namibia + + + + + New Caledonia + + + + + Niger (the) + + + + + Norfolk Island + + + + + Nigeria + + + + + Nicaragua + + + + + Netherlands (the) + + + + + Norway + + + + + Nepal + + + + + Nauru + + + + + Niue + + + + + New Zealand + + + + + Oman + + + + + Panama + + + + + Peru + + + + + French Polynesia + + + + + Papua New Guinea + + + + + Philippines (the) + + + + + Pakistan + + + + + Poland + + + + + Saint Pierre and Miquelon + + + + + Pitcairn + + + + + Puerto Rico + + + + + Palestine, State of + + + + + Portugal + + + + + Palau + + + + + Paraguay + + + + + Qatar + + + + + Réunion + + + + + Romania + + + + + Serbia + + + + + Russian Federation (the) + + + + + Rwanda + + + + + Saudi Arabia + + + + + Solomon Islands + + + + + Seychelles + + + + + Sudan (the) + + + + + Sweden + + + + + Singapore + + + + + Saint Helena, Ascension and Tristan da Cunha + + + + + Slovenia + + + + + Svalbard and Jan Mayen + + + + + Slovakia + + + + + Sierra Leone + + + + + San Marino + + + + + Senegal + + + + + Somalia + + + + + Suriname + + + + + South Sudan + + + + + Sao Tome and Principe + + + + + El Salvador + + + + + Sint Maarten (Dutch part) + + + + + Syrian Arab Republic + + + + + Swaziland + + + + + Turks and Caicos Islands (the) + + + + + Chad + + + + + French Southern Territories (the) + + + + + Togo + + + + + Thailand + + + + + Tajikistan + + + + + Tokelau + + + + + Timor-Leste + + + + + Turkmenistan + + + + + Tunisia + + + + + Tonga + + + + + Turkey + + + + + Trinidad and Tobago + + + + + Tuvalu + + + + + Taiwan (Province of China) + + + + + Tanzania, United Republic of + + + + + Ukraine + + + + + Uganda + + + + + United States Minor Outlying Islands (the) + + + + + United States of America (the) + + + + + Uruguay + + + + + Uzbekistan + + + + + Holy See (the) + + + + + Saint Vincent and the Grenadines + + + + + Venezuela (Bolivarian Republic of) + + + + + Virgin Islands (British) + + + + + Virgin Islands (U.S.) + + + + + Viet Nam + + + + + Vanuatu + + + + + Wallis and Futuna + + + + + Samoa + + + + + Yemen + + + + + Mayotte + + + + + South Africa + + + + + Zambia + + + + + Zimbabwe + + + + + + + A data type for country, territory, or dependency codes. Sourced from ISO 3166 Part 1, v7-8. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd new file mode 100644 index 000000000..a66351832 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd @@ -0,0 +1,336 @@ + + + Source: U.S. Postal Service (USPS); +Publication: Official USPS Abbreviations, Appendix B; +Date: 2012; +http://pe.usps.com/text/pub28/28apb.htm + + + + + A data type for states. + + + + + Armed Forces Americas (except Canada) + + + + + Armed Forces Europe, the Middle East, and Canada + + + + + ALASKA + + + + + ALABAMA + + + + + Armed Forces Pacific + + + + + ARKANSAS + + + + + AMERICAN SAMOA + + + + + ARIZONA + + + + + CALIFORNIA + + + + + COLORADO + + + + + CONNECTICUT + + + + + DISTRICT OF COLUMBIA + + + + + DELAWARE + + + + + FLORIDA + + + + + FEDERATED STATES OF MICRONESIA + + + + + GEORGIA + + + + + GUAM GU + + + + + HAWAII + + + + + IOWA + + + + + IDAHO + + + + + ILLINOIS + + + + + INDIANA + + + + + KANSAS + + + + + KENTUCKY + + + + + LOUISIANA + + + + + MASSACHUSETTS + + + + + MARYLAND + + + + + MAINE + + + + + MARSHALL ISLANDS + + + + + MICHIGAN + + + + + MINNESOTA + + + + + MISSOURI + + + + + NORTHERN MARIANA ISLANDS + + + + + MISSISSIPPI + + + + + MONTANA + + + + + NORTH CAROLINA + + + + + NORTH DAKOTA + + + + + NEBRASKA + + + + + NEW HAMPSHIRE + + + + + NEW JERSEY + + + + + NEW MEXICO + + + + + NEVADA + + + + + NEW YORK + + + + + OHIO + + + + + OKLAHOMA + + + + + OREGON + + + + + PENNSYLVANIA + + + + + PUERTO RICO + + + + + PALAU + + + + + RHODE ISLAND + + + + + SOUTH CAROLINA + + + + + SOUTH DAKOTA + + + + + TENNESSEE + + + + + TEXAS + + + + + UTAH + + + + + VIRGINIA + + + + + VIRGIN ISLANDS + + + + + VERMONT + + + + + WASHINGTON + + + + + WISCONSIN + + + + + WEST VIRGINIA + + + + + WYOMING + + + + + + + A data type for states. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd new file mode 100644 index 000000000..cc5584b88 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd @@ -0,0 +1,337 @@ + + + Miscellaneous unit of measure codes. +Source: UN Economic Commission for Europe (UNECE); +Publication: UNECE Recommendation No. 20 Revision 8; +Version: Revision 8; +Date: 2012; +http://www.unece.org/tradewelcome/areas-of-work/un-centre-for-trade-facilitation-and-e-business-uncefact/outputs/cefactrecommendationsrec-index/list-of-trade-facilitation-recommendations-n-16-to-20.html + + + + + A data type for units of measurements for a length value. + + + + + micrometre (micron) + + + + + milli-inch + + + + + angstrom + + + + + astronomical unit + + + + + decametre + + + + + femtometre + + + + + fathom + + + + + light year + + + + + nanometre + + + + + picometre + + + + + parsec + + + + + centimetre + + + + + decimetre + + + + + foot + + + + + hectometre + + + + + inch + + + + + kilometre + + + + + micro-inch + + + + + millimetre + + + + + metre + + + + + nautical mile + + + + + mile (statute mile) + + + + + Gunter's chain + + + + + yard + + + + + + + A data type for units of measurements for a length value. + + + + + + + + + + A data type for units of measurement for a weight value. + + + + + megagram + + + + + troy ounce or apothecary ounce + + + + + centigram + + + + + hundred pounds (cwt) / hundred weight (US) + + + + + hundred weight (UK) + + + + + decigram + + + + + decagram + + + + + decitonne + + + + + gram + + + + + grain + + + + + hectogram + + + + + kilogram + + + + + kilotonne + + + + + pound + + + + + ton (UK) or long ton (US) + + + + + microgram + + + + + milligram + + + + + ounce (avoirdupois) + + + + + stone (UK) + + + + + ton (US) or short ton (UK/US) + + + + + tonne (metric ton) + + + + + + + A data type for units of measurement for a weight value. + + + + + + + + + + A data type for units of measurement for a speed or velocity. + + + + + centimetre per second + + + + + metre per minute + + + + + millimetre per second + + + + + foot per minute + + + + + foot per second + + + + + mile per hour (statute mile) + + + + + inch per second + + + + + kilometre per hour + + + + + knot + + + + + metre per second + + + + + + + A data type for units of measurement for a speed or velocity. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd new file mode 100644 index 000000000..2ad3d2dc0 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd @@ -0,0 +1,155 @@ + + + + + + + + + + + + + + + + + + + + + + + + + A tolerance value is a set of durations which indicate the allowed + tolerance for the indicated value, e.g. startafter=PT5M indicates that + 5 minutes late is acceptable. + + + + + + + + + + + + + + + + + + + + + + + + + + + A gluon takes vavailability. + + + + + + + + + + + + + + + + + + + + + + An interval takes no sub-components. + + + + + + + + + + + + + + + + types the content of the xCal attach element + + + + + + + + + + + + + + + + + + + The artifact is here to handle elements that are not proper extensions + of wsCalendar. + + + + + + + + + + + + The artifact Base is here for use in extending by other specifications + allowing attributes from other namespaces to be added to + ws-calendar-based schemas. + + + + + + + The artifact Base is here for use in extending by other specifications, + to to allow attributes from other namespaces to be added to + ws-calendar-based schemas. + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd new file mode 100644 index 000000000..4dc0cc49f --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd @@ -0,0 +1,151 @@ + + + Radiological and Nuclear Code List +Publication: CBRN domain; +Version: 3.0; +Date: Oct 2013; +http://release.niem.gov/niem/3.0/ + + + + + A data type for the states of authentication of credentials. + + + + + The credentials have been authenticated. + + + + + The credentials have not been authenticated. + + + + + + + A data type for the states of authentication of credentials. + + + + + + + + + + A data type that defines the various code values for data types that defines the status of a message + + + + + The message was successfully received by not successfully processed due to an activity code error. + + + + + The message was successfully received by not successfully processed due to a data error. + + + + + The message was successfully received by not successfully processed due to a device error. + + + + + The message was successfully received but not processed since it is a duplicate of a message already processed. + + + + + Acknowledgement of receipt of an error message. + + + + + The message was received, but was not successfully processed due to an invalid schema. + + + + + The message was received, but was not successfully processed due to an invalid message error (invalid Message Type, encoding, format, etc.) + + + + + The message status does not fit any known category. + + + + + The message was sucessfully received and accepted. + + + + + The message was successfully received by not successfully processed due to a system error. + + + + + The message was not successfully received and/or processed due to an unknown error. + + + + + + + A data type that defines the status of a message. + + + + + + + + + + A data type for the operating modes of a system. + + + + + The system is in use by an exercise. + + + + + The system is in live operational use. + + + + + The system is in an unspecified operating mode. A description of this model needs to be provided in the element SystemOperatingModeText. + + + + + The system is in test operations. + + + + + The operating mode of the system is unknown. + + + + + + + A data type for the operating modes of a system. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd new file mode 100644 index 000000000..8d4a6aeb2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd @@ -0,0 +1,30 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/docketcallback + + +The message returned from the Court Record MDE to the Filing Review MDE when the functions of entering information onto the docket or register of actions and commiting a filed document(s) to the official court record have been completed, conveying the results of those functions. + + + + + + + + + + + + + + +The message returned from the Court Record MDE to the Filing Review MDE when the functions of entering information onto the docket or register of actions and commiting a filed document(s) to the official court record have been completed, conveying the results of those functions. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd new file mode 100644 index 000000000..a62bf9db0 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd @@ -0,0 +1,299 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd new file mode 100644 index 000000000..a3197df37 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd @@ -0,0 +1,33 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/wrappers + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd new file mode 100644 index 000000000..87cf879cb --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd @@ -0,0 +1,356 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/policyresponse + + +A value allowed for the parent identified element, and associated information + + + + + + + + + + + + + +Within Court Policy, the policies that are accessed by a person or organization developing an applications or configuring an application to interact with a court for the purpose of structuring the interactions with that court. This information is needed once and is not accessed dynamically while interacting with the court. + + + + + + + + + + + + + + + + + + + + + + + + + +A structure representing a court-specific data structure passed to a particular operation on a particular MDE. + + + + + + + + + + + + + + + +The response to a request for a court Court Policy. + + + + + + + + + + + + + + + + + +An ECF Major Design Element (MDE) + + + + + + + + + + + + + + + + +Within Court Policy, the policies that are accessed dynamically by applications interacting with a court. + + + + + + + + + + + + + + +A structure representing the court-specific extensions for the court associated with this Court Policy. + + + + + + + + + + + + + + + +A structure containing indicators that signal support by the e-filing system for each ECF case type. + + + + + + + + + + + + + +A structure containing indicators that signal support by the e-filing system for optional ECF operations. E.g. particular queries. + + + + + + + + + + + + + +A message profile approved for use with ECF by the OASIS LegalXML Member Section Electronic Court Filing Technical Committee that are supported in a particualr court. Identifiers for supported profiles are set forth in Court Policy. + + + + + + + + + + + + + +A signature profile approved for use with ECF 3.0 by the OASIS LegalXML Member Section Electronic Court Filing Technical Committee that are supported in a particualr court. Identifiers for supported profiles are set forth in Court Policy. + + + + + + + + + + + + + + +Whether the court will accept electronic filing of documents for which the filer requests confidential or sealed treatment by the court. + + + + + +Whether the court will accept electronic filing of documents requiring filing fees. + + + + + +Does court accept placing multiple lead documents in a single message + + + + + +A value allowed for the parent identified element, and associated information. + + + + + +The response to a request for a court Court Policy. + + + + + +The data element for which an allowable set of values is enumerated. + + + + + +A court extension to ECF. + + + + + +A structure representing the specific court extension. + + + + + +The element(s) in the extension schema that are are the root of the extension and substitute for an extension (augmentation) point. + + + + + +An XML Schema document that defines the allowable structure of the court-specific argument to this MDE operation. + + + + + +Indicator whether the filer is required to serve + + + + + +Indicates whether fees may be required for some filings. + + + + + +The response to a request for a court Court Policy. + + + + + +An extension point for the enclosing message. + + + + + +An ECF major design element (MDE) + + + + + +The unique URL location of a major design element. + + + + + +Name of a major design element. + + + + + +The maximum allowed number of pages in an attachment. + + + + + +The maximum allowed attachment size, in bytes. Does not appear if there is no maximum. + + + + + +Maximum allowed size of the Court Filing Message Stream, in bytes. Does not appear if there is no maximum. + + + + + +Indicates whether the e-filing system supports a certain operation. + + + + + +The version of court policy reported by this message. Up to the court to define the format of this, and describe in human-readable court policy. + + + + + +Within Court Policy, the policies that are accessed dynamically by applications interacting with a court. + + + + + +A structure representing the court-specific extensions for this court + + + + + +A list of ECF case types. + + + + + +A structure containing indicators that signal support by the e-filing system for optional ECF operations. E.g. particular queries + + + + + +A signature profile approved for use with ECF by the OASIS LegalXML Member Section Electronic Court Filing Technical Committee that is supported by this court. + + + + + +A signature profile approved for use with ECF by the OASIS LegalXML Member Section Electronic Court Filing Technical Committee that is supported by this court. + + + + + +Whether court allows attachments via remote URLs. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd new file mode 100644 index 000000000..1a127a943 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd @@ -0,0 +1,31 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/caseresponse + + +The response to a GetCaseInformationQuery. + + + + + + + + + + + + + + + +The response to a GetCaseInformationQuery. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd new file mode 100644 index 000000000..6250f485e --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd @@ -0,0 +1,370 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + cutypeparam = "CUTYPE" "=" + ("INDIVIDUAL" ; An individual + / "GROUP" ; A group of individuals + / "RESOURCE" ; A physical resource + / "ROOM" ; A room resource + / "UNKNOWN" ; Otherwise not known + / x-name ; Experimental type + / iana-token) ; Other IANA-registered + ; type + ; Default is INDIVIDUAL + + + + + + + + + + + + + + + + + + + + + + + + + + + + + encodingparam = "ENCODING" "=" + ( "8BIT" + ; "8bit" text encoding is defined in [RFC2045] + / "BASE64" + ; "BASE64" binary encoding format is defined in [RFC4648] + ) + + + + + + + + + + + + + + + + + fbtypeparam = "FBTYPE" "=" + ("FREE" + / "BUSY" + / "BUSY-UNAVAILABLE" + / "BUSY-TENTATIVE" + / x-name ; Some experimental iCalendar free/busy type. + / iana-token) + ; Some other IANA-registered iCalendar free/busy type. + ; Default is BUSY + + + + + + + + + + + + + + + + + + + + + + + partstat-event = ("NEEDS-ACTION" ; Event needs action + / "ACCEPTED" ; Event accepted + / "DECLINED" ; Event declined + / "TENTATIVE" ; Event tentatively + ; accepted + / "DELEGATED" ; Event delegated + / x-name ; Experimental status + / iana-token) ; Other IANA-registered + ; status + ; These are the participation statuses for a "VEVENT". + ; Default is NEEDS-ACTION. + + partstat-todo = ("NEEDS-ACTION" ; To-do needs action + / "ACCEPTED" ; To-do accepted + / "DECLINED" ; To-do declined + / "TENTATIVE" ; To-do tentatively + ; accepted + / "DELEGATED" ; To-do delegated + / "COMPLETED" ; To-do completed + ; COMPLETED property has + ; DATE-TIME completed + / "IN-PROCESS" ; To-do in process of + ; being completed + / x-name ; Experimental status + / iana-token) ; Other IANA-registered + ; status + ; These are the participation statuses for a "VTODO". + ; Default is NEEDS-ACTION. + + partstat-jour = ("NEEDS-ACTION" ; Journal needs action + / "ACCEPTED" ; Journal accepted + / "DECLINED" ; Journal declined + / x-name ; Experimental status + / iana-token) ; Other IANA-registered + ; status + ; These are the participation statuses for a "VJOURNAL". + ; Default is NEEDS-ACTION. + + + + + + + + + + + + + + + + + + + + + + + + + + trigrelparam = "RELATED" "=" + ("START" ; Trigger off of start + / "END") ; Trigger off of end + + + + + + + + + + + reltypeparam = "RELTYPE" "=" + ("PARENT" ; Parent relationship - Default + / "CHILD" ; Child relationship + / "SIBLING" ; Sibling relationship + / iana-token ; Some other IANA-registered + ; iCalendar relationship type + / x-name) ; A non-standard, experimental + ; relationship type + Ws-Calendar adds the values + / "FINISHTOSTART" + / "FINISHTOFINISH" + / "STARTTOFINISH" + / "STARTTOSTART" + + ; Default is PARENT + + + + + + + + + + + Standard values + "CHAIR" + "REQ-PARTICIPANT" + "OPT-PARTICIPANT" + "NON-PARTICIPANT" + + + + + + + + + + + + + + + + + + + + + + + + + + + + + scheduleagentparam = "SCHEDULE-AGENT" "=" + ("SERVER" ; The server handles scheduling + / "CLIENT" ; The client handles scheduling + / "NONE" ; No automatic scheduling + / x-name ; Experimental type + / iana-token) ; Other IANA registered type + ; + ; Default is SERVER + + + + + + + + + + scheduleforcesendparam = "SCHEDULE-FORCE-SEND" "=" + ("REQUEST" ; Force a "REQUEST" + / "REPLY" ; Force a "REPLY" + / iana-token) ; IANA registered method + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd new file mode 100644 index 000000000..3f4092aa3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd @@ -0,0 +1,969 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/ecf + + +The base message for an asynchronous response to a message. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +The core information contained in an ECF 5.0 message. + + + + + + + + + + + + + + + + + + + + + + + + + + + + +The actor who performed the action as set forth in the docket entry. E.g. the person who filed the document. Does not include the name of the court clerk composing the docket entry. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +The actor on whose behalf the filing was submitted to the court as set forth in the docket entry. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Descriptors for a rendition of a Document. This is meant to include all the information about the document that is needed to enter it into the Document Management System. + + + + + + + + + + + + + + + + + + +The disposition of a document after review. + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Information describing or constituting the signature on a document submitted to a court for filing. + + + + + + + + + + + + + + +The docketing status of a document + + + + + + + + + + + + + + + + + + + + + + + + +Information provided by the filing assembly MDE to the court identifying the persons being served electronically with a copy of this filing. This information can constitute the certificate of service for service performed electronically. This information is also provided by the filing assembly MDE to service MDEs to identify persons to whom the service MDEs are required to deliver the filing. + + + + + + + + + + + + + + + +A textual description of the reason for the setting of the status in the filingStatusCode. + + + + + + + + + + + + + + +Insurance coverage for an individual. + + + + + + + + + + + + + + + + + + + + + + + + + +A filing matching the parameters submitted with a FilingListQueryMessage. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +The base message for a synchronous request/query. + + + + + + + + + + + + +The base message for a synchronous response to a request. + + + + + + + + + + + + + + + + + + + + + + + + + + +A document that has been reviewed through the clerk review process, and that potentially has been or will be reocrded in the court record system. + + + + + + + + + + + + + +An augmentation type + + + + + + + + + + + + + + + + + + + + + + + + + + +Identifier recognized by the court as being unique within this case,and used to identify a party other than the filer who is affected by the document. + + + + + +Information about a court case. + + + + + +The type of trial in the lower court (e.g. bench, jury). + + + + + +The legal ground on which the request for relief is based. Allowed values set forth in court policy. Example: the basis(es) for relief in a civil case; the grounds for divorce in a state that does not recognize no-fault divorce; grounds for entry of an order of protection in a domestic violence case. + + + + + +The base message for a message with an asynchronous response. + + + + + +Indicates that the case is new. + + + + + +The role played by an attorney in this case. + + + + + +A type of participant in a court case + + + + + +A person alleged or found to have committed a crime or violation. + + + + + +Person or organization representing themselves, with (e.g. advisory counsel) or without an attorney + + + + + +A party represented by an attorney + + + + + +An abbreviated official name of a Case, usually shortened to contain only the last name of the first listed party on each side of the case. Examples: Smith v. Jones, et al.; State v. Alexander. No title exists when the message is initiating a new case. + + + + + +Court case number. + + + + + +Indicates whether the e-filing system supports electronic filing of a certain case type. + + + + + +The legal ground on which the request for relief is based. Allowed values set forth in court policy. Example: the basis(es) for relief in a civil case; the grounds for divorce in a state that does not recognize no-fault divorce; grounds for entry of an order of protection in a domestic violence case. + + + + + +An entry on the docket or register of actions that is a child of the current docket entry. + + + + + +Indicates whether color is or is not relevant for the presentation of the document. + + + + + +The pleading, motion or order that is the subject of this docket entry. + + + + + +The review process for a connected document + + + + + +The actor who performed the action as set forth in the docket entry. + + + + + +An entry in the docket or register of actions for a case. + + + + + +Date and time of entry into the court record. + + + + + +A textual description of the location in a court of the calendar event. + + + + + +The actor on whose behalf the filing was submitted to the court as set forth in the docket entry. + + + + + +Filter criterion indicating that only calendar entries of a specified type are being requested. + + + + + +A court location + + + + + +This association will be present for each document that the clerk review process approves for sending to the court record system (where it may be rejected or recorded.) + + + + + +Indicator that a document was added curing clerk review + + + + + +A related document that was previously filed in this case. For instance, the document to which this document is a response. + + + + + +The pleading, motion or order that is the main document in a Filing. A Document may have Connected Documents, which are "appendices" or "exhibits" that are intended for filing only in the context of the Lead Document. + + + + + +Code to describe the disposition of the document: accepted or rejected. Allowable values defined in the specification (schema). + + + + + +An attorney, judicial official or a pro se (self-represented) litigant who electronically provides filings (combinations of data and documents) for acceptance and filing by a court, or who has successfully filed filings with a court. + + + + + +A type of related document that was previously filed in this case. For instance, the document to which this document is a response. + + + + + +Descriptors for a rendition of a Document. This is meant to include all the information about the document that is needed to enter it into the Document Management System. + + + + + +A hash of the document as it appears in the court record. This attribute will be populated by either the clerk review process or the court record system. If the latter, then it will be absent in the RecordDocketingMessage. It will also be absent in callbacks for rejected documents. + + + + + +The disposition of a document after review. + + + + + +The status of a document in the filing review process. + + + + + +Code to describe the disposition of the document: accepted or rejected. Allowable values defined in the specification (schema). + + + + + +The entity that reviews and accepts or rejects a filing. + + + + + +Information describing or constituting the signature on a document submitted to a court for filing + + + + + +A status of a document. + + + + + +A type of document + + + + + +Information provided by the filing assembly MDE to the court identifying the persons being served electronically with a copy of this document. + + + + + +A code for the type of relationship between two persons, between two organizations, or between a person and an organization in a case. Allowable values are set forth in Court Policy. Examples include parent/child, subsidiary corporation, and chief executive officer. + + + + + +A code for the reason why a filer does not have to pay an otherwise applicable payment. Allowable values set forth in Court Policy. Examples are in forma pauperis status granted or a fee waiver application submitted with the filing.. + + + + + +Any text needed to support the exemption assertion (reference to a court order, etc.) + + + + + +the date and time at which the Court Record MDE filing process was completed following the acceptance by the Filing Review MDE + + + + + +The docketing status of the filing or document + + + + + +Status of the filing as determined by the system sending the callback. Values: accepted, partially accepted (e.g., some documents but not others), rejected. + + + + + +The status of a filing + + + + + +An augmentation to a property entity + + + + + +A review process for a lead document. + + + + + +The document that is the subject of this query. + + + + + +A value describing the status of electronic service on a particular recipient. + + + + + +The relationship between two organizations. Example: subsidiary corporation. + + + + + +A structure that describes a unit which conducts some sort of business or operations. + + + + + +A unique identifier for an entity participating in a case. + + + + + +The relationship of a person to another person in a case. Allowable values set forth in Court Policy. + + + + + +The person playing a role in a case. + + + + + +A type of person identifier. + + + + + +The relationship of a person to an organization in a case. Allowable values set forth in Court Policy. An example is the relationship between an attorney and the law firm. + + + + + +The location of the service MDE associated with the person receiving service. + + + + + +Code identifying the service interaction profile being used by the receiving MDE. This list should be extensible to accommodate future service interaction profiles. Each code value is specified within the service interaction profile approved for use with ECF. + + + + + +An indicator that sensitive information has been removed from this rendition of the document. + + + + + +Indicator by the filer that the document must be redacted by the court. + + + + + +The docket code used by the court for the type of document submitted. Allowable values set forth in Court Policy. + + + + + +Nature of the relationship between the current case and the related case. Allowable values to be set forth in Court Policy. Examples: associated, consolidated, related. + + + + + +Case or cases sharing characteristics, such as common parties or events, with this case. + + + + + +This association will be present for each document that the clerk review process approves for sending to the court record system (where it may be rejected or recorded.) + + + + + +Additional document information resulting from clerk review. + + + + + +Additional document information resulting from clerk review. + + + + + +Clerk instruction to court record system to seal this document. + + + + + +Location for the MDE to which asynchronous and service messages can be sent. This unique location is self-assigned by the MDE. + + + + + +An identifier, from a list of allowed values defined in the Court Filing specification, of a message profile supported by this court. + + + + + +A value assigned to a person, organization or item entity for the purpose of uniquely specifying the entity within a legal service context with respect to e-filing. The service recipient identifier value must be known and understood by both the service provider and the service requester. + + + + + +Enumerated values: unrecognized - filerID is not recognized, received - filing received by MDE, sent - filing sent by MDE to service recipient Future versions may add additional values, such as: delivered - filing delivered to service recipient. (i.e. under the control of the recipient) opened - filing opened by service recipient + + + + + +The data or information representing this signature. It must be valid according to the profile identified by the associated signatureProfileIdentifier. + + + + + +An identifier from the Court Filing specification that indicates the Signature Profile governing the structure of this signature. + + + + + +Any additional instructions for printing of a document (such as printing on front and back of the same page or printing on a particular color paper). + + + + + +A person or organization alleged or found to have committed a crime or violation. + + + + + +Indicates whether an arrest warrant has been issued against the defendant. + + + + + +Information concerning whether a driver of a motor vehicle possesses proof of insurance coverage required by law. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd new file mode 100644 index 000000000..202632efb --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd @@ -0,0 +1,53 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd new file mode 100644 index 000000000..a5fab52a5 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd @@ -0,0 +1,32 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/datecallback + + +The message returned when the a court date is scheduled, generally in response to a ReserveCourtDateRequest. + + + + + + + + + + + + + + + + +The message returned when the a court date is scheduled, generally in response to a ReserveCourtDateRequest. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd new file mode 100644 index 000000000..c2fd5619a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd @@ -0,0 +1,53 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/filingstatusrequest + + +Criteria limiting the filing status information to be returned. + + + + + + + + + + + + + + + +This is query to get a filing status by Filing Number. + + + + + + + + + + + + + + + +Criteria limiting the filing status information to be returned. + + + + + +This is query to get a filing status by Filing Number. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd new file mode 100644 index 000000000..673dfce25 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd @@ -0,0 +1,37 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/serviceinformationresponse + + +The response to a serviceInformationQueryMessage, setting forth the requested information. + + + + + + + + + + + + + + + +The response to a serviceInformationQueryMessage, setting forth the requested information. + + + + + +An extension point for the enclosing message. + + + + + +The entity to be served in this case. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd new file mode 100644 index 000000000..860cc08b9 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd @@ -0,0 +1,44 @@ + + + Crime reporting codes from Uniform Crime Reporting. +Source: FBI Crminal Justice Information Systems (CJIS) Division; +Publication: CJIS Div UCR Program - +NIBRS Technical Specification; +Version: 1.0; +Date: 16 April 2012; +http://www.fbi.gov/about-us/cjis/ucr/nibrs_technical_specification_version_1.0_final_04-16-2012.pdf + + + + + A data type for kinds of cultural lineages of a person. + + + + + Hispanic or Latino + + + + + Not Hispanic or Latino + + + + + Unknown + + + + + + + A data type for kinds of cultural lineages of a person. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd new file mode 100644 index 000000000..9ca454c9a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd @@ -0,0 +1,31 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/feesrequest + + +This query is a request for the total amount of court fees required for filing of one or more documents in a case. + + + + + + + + + + + + + + + +This query is a request for the total amount of court fees required for filing of one or more documents in a case. + + + + + +An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl new file mode 100644 index 000000000..b5ae00f1d --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl @@ -0,0 +1,50 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd new file mode 100644 index 000000000..b5ae00f1d --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd @@ -0,0 +1,50 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl new file mode 100644 index 000000000..be39a3fd9 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl @@ -0,0 +1,70 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file From 39be836722ad4e1edf298fc0ff8e08831b1e0cf8 Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 11:51:36 -0500 Subject: [PATCH 03/12] For Court Record MDE --- .../wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd | 142 + .../wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd | 118 + .../wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd | 59403 ++++++++++++++++ .../wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd | 32 + .../wsdl/v2024_6/ecfv5-72279195b089f802.xsd | 41993 +++++++++++ .../wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd | 428 + .../wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd | 43090 +++++++++++ .../wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd | 1100 + .../wsdl/v2024_6/ecfv5-f92089dccb563884.xsd | 27 + .../v2024_6/illinois-ECF5-CourtRecordMDE.wsdl | 173 + 10 files changed, 146506 insertions(+) create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-72279195b089f802.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f92089dccb563884.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd new file mode 100644 index 000000000..86d25a369 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd @@ -0,0 +1,142 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/appellate + + +Party added to the appeal that was not a party in the original case. For instance, the attorney in the original case may appeal sanctions against the attorney by the court. + + + + + + + + + + + + + + +Party to the original case that is not party to the appeal. + + + + + + + + + + + + + + +Additional information specific to court rule appellate cases. + + + + + + + + + + + + + + +An augmentation type + + + + + + + + + + + + + + + + + + + + + +Indicator that the appellant is currently in custody. + + + + + +Party added to the appeal that was not a party in the original case. For instance, the attorney in the original case may appeal sanctions against the attorney by the court. + + + + + +The basis for the jurisdiction of the appellate court in the case. + + + + + +The reason a party is being added to the appeal. + + + + + +The reason a party is being removed from the appeal. + + + + + +Party to the original case that is not party to the appeal. + + + + + +A request for diversion to a settlement program in the appellate court. + + + + + +Additional information specific to court rule appellate cases. + + + + + +Additional information specific to appellate cases. + + + + + +Indicator that filing fees were waived or deferred in the case in the lower court. + + + + + +An organized set or book of rules of the court that include the rule(s) in question. + + + + + +A rule number (including rule subsection) in question. Each rule number must refer to a specific rule within the rule collection. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd new file mode 100644 index 000000000..711cf8952 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd @@ -0,0 +1,118 @@ + + + Schema for namespace https://docs.oasis-open.org/legalxml-courtfiling/ns/v5.0/civil + + + + + + + + + + + + + + + + + + + + +Information about a case administering and distributing the assets of a testate or intestate decedent. + + + + + + + + + + + + + + + +Information about a guardianship, conservatorship, trust, or mental health case. + + + + + + + + + + + + + + +The amount set forth in an ad damnum clause in a complaint, counter claim, or cross complaint. + + + + + +Information required to initiate a new civil case in a court. "Civil" includes conservatorships, guardianships, mental health and probate. + + + + + +Whether the filer is requesting that this case proceed as a class action. + + + + + +The deceased person who estate is the subject of a court case. + + + + + +Information about a case administering and distributing the assets of a testate or intestate decedent. + + + + + +InfInformation about a guardianship, conservatorship, trust, or mental health case. + + + + + +Legal description of the role of a fiduciary. Examples: guardian, trustee, conservator of the person, conservator of the estate. + + + + + +The grounds for invoking the jurisdiction of a limited jurisdiction court. Allowed values set forth in Court policy. Not used in general jurisdiction courts. + + + + + +Whether filer invokes the right to trial by jury. + + + + + +Indicator of the type of relief requested in the case, e.g., damages, equitable relief (injunction). Allowable values defined in Court Policy. + + + + + +Date on which the will of the decesaed person was filed in the court. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd new file mode 100644 index 000000000..7291c4077 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd @@ -0,0 +1,59403 @@ + + + FBI code lists for the National Crime and Information Center (NCIC-2000). +Source: FBI Crminal Justice Information Systems (CJIS) Division; +Publication: leo.gov database; +https://www.leo.gov + + + + + A data type for 2.2: Country Codes + + + + + MACAU (FORMERLY MACAO) + + + + + NORFOLK ISLAND, TERRITORY OF (AUSTRALIAN EXTERNAL TERRITORY) + + + + + OKINAWA + + + + + OMAN + + + + + ANGOLA + + + + + ALBANIA + + + + + ANDORRA + + + + + ANGUILLA (FORMERLY ST. KITTS-ANGUILLA, ST. KITTS - AW) + + + + + AFGHANISTAN + + + + + ASHMORE AND CARTIER ISLANDS, TERRITORY OF (AUSTRALIAN EXTERNAL TERRITORY) + + + + + ANTIGUA AND BARBUDA (FORMERLY ANTIGUA) + + + + + ARUBA (NOW INDEPENDENT OF NETHERLANDS ANTILLES) + + + + + ALGERIA + + + + + ARMENIA + + + + + AZORES ISLANDS + + + + + AUSTRALIA (PRE 1995 RES BOAT FILE CODE FOR AMERICAN SAMOA, SEE AM) + + + + + ARGENTINA + + + + + AUSTRIA + + + + + AZERBAIJAN + + + + + BRITISH INDIAN OCEAN TERRITORY (DEPENDENT TERRITORY OF UNITED KINGDOM) + + + + + BARBADOS + + + + + BAHAMAS, THE + + + + + BAHRAIN/BAHREIN + + + + + BASSAS DA INDIA (FRENCH POSSESSION) + + + + + BELGIUM + + + + + BELIZE (FORMERLY BRITISH HONDURAS) + + + + + BURUNDI + + + + + BANGLADESH + + + + + BERMUDA + + + + + BHUTAN + + + + + BOSNIA AND HERZEGOVENIA (HERZEGOVENIA HC REFERENCE ONLY) + + + + + BOUVET ISLAND (NORWEGIAN TERRITORY) + + + + + BURMA + + + + + SOLOMON ISLANDS (FORMERLY BRITISH SOLOMON ISLANDS) + + + + + BOTSWANA + + + + + BULGARIA + + + + + BOLIVIA + + + + + BALEARIC ISLANDS + + + + + BRUNEI + + + + + BELARUS + + + + + BRAZIL + + + + + COLOMBIA, REPUBLIC OF + + + + + CUBA, REPUBLIC OF + + + + + CANADA (USE WHEN PROVINCE IS NOT LISTED) + + + + + CHAD (PRE 1995 RES BOAT FILE CODE FOR CALIFORNIA, SEE CA) + + + + + CAMBODIA (FORMERLY KHMER REPUBLIC AND KAMPUCHEA) + + + + + CAMEROON + + + + + CAYMAN ISLANDS (DEPENDENT TERRITORY OF UNITED KINGDOM) + + + + + CHILE + + + + + COSTA RICA + + + + + CYPRUS, REPUBLIC OF + + + + + CAPE VERDE ISLANDS + + + + + CENTRAL AFRICAN REPUBLIC + + + + + SRI LANKA (FORMERLY CEYLON) + + + + + CLIPPERTON ISLAND (FRENCH POSSESSION) + + + + + COCOS (KEELING) ISLANDS (AUSTRALIAN DEPENDENCY) + + + + + COMOROS (FEDERAL ISLAMIC REPUBLIC OF THE) + + + + + BENIN (FORMERLY DAHOMEY) + + + + + COOK ISLANDS + + + + + CORAL SEA ISLANDS (AUSTRALIAN TERRITORY) + + + + + DENMARK, KINGDOM OF + + + + + DOMINICA + + + + + DJIBOUTI, REPUBLIC OF + + + + + DOMINICAN REPUBLIC + + + + + ETHIOPIA + + + + + EQUATORIAL GUINEA + + + + + EL SALVADOR + + + + + ENGLAND (ALSO UN FOR UNITED KINGDOM) + + + + + EUROPA ISLAND (FRENCH POSSESSION) + + + + + ESTONIA + + + + + ERITREA + + + + + ECUADOR + + + + + EGYPT (FORMERLY UNITED ARAB REPUBLIC - UA REFERENCE ONLY) + + + + + CZECH REPUBLIC + + + + + FAROE ISLANDS + + + + + FALKLAND ISLANDS, UK DEPENDENCY (ISLAS MALVINAS) + + + + + FINLAND + + + + + FRENCH GUIANA (DEPARTMENT OF FRANCE) + + + + + FIJI + + + + + FRANCE + + + + + FRENCH POLYNESIA, TERRITORY OF (FRENCH OVERSEAS TERRITORY) + + + + + FRENCH SOUTHERN AND ANTARTIC LANDS, TERRITORY OF THE FRENCH OVERSEAS TERRITORY) + + + + + MICRONESIA, FEDERATED STATES OF + + + + + GLORIOSO ISLANDS (FRENCH POSSESSION) + + + + + GABON + + + + + GREECE + + + + + GEORGIA (FORMERLY GRUZINSKAYA) + + + + + GERMANY (EAST GERMANY: 1945-1989 -EM)(WEST GERMANY: 1945-1989, SEE GW AND WG) + + + + + GUERNSEY, BAILIWICK OF (BRITISH CROWN DEPENDENCY) + + + + + GHANA + + + + + GUINEA + + + + + GRENADA + + + + + GAMBIA, THE + + + + + GREENLAND + + + + + GUADELOUPE, OVERSEAS DEPARTMENT OF FRANCE + + + + + SOUTH GEORGIA AND SOUTH SANDWICH ISLANDS + + + + + GUATEMALA + + + + + GUYANA + + + + + GAZA + + + + + HERZEGOVENIA (FOR REFERENCE ONLY) AND BOSNIA BP + + + + + HONDURAS + + + + + HEARD ISLAND AND MCDONALD ISLAND. TERRITORY OF (AUSTRALIAN EXTERNAL TERRITORY) + + + + + HONG KONG + + + + + VANUATU, REPUBLIC OF (FORMERLY NEW HEBRIDES) + + + + + CHRISTMAS ISLAND, TERRITORY OF (AUSTRALIAN EXTERNAL TERRITORY) + + + + + SAINT HELENA + + + + + HAITI + + + + + HUNGARY + + + + + INDONESIA (INCLUDES PORTUESE TIMOR) + + + + + MAN, ISLE OF (BRITISH CROWN DEPENDENCY) + + + + + ICELAND + + + + + IRELAND (DOES NOT INCLUDE NORTH IRELAND) + + + + + INDIA (INCLUDING SIKKIM-SK FOR REFERENCE ONLY) + + + + + MADEIRA ISLANDS + + + + + IRAQ + + + + + IRAN + + + + + ISRAEL + + + + + ITALY (INCLUDES SICILY AND SARDINIA) + + + + + NIUE + + + + + IVORY COAST (COTE D'LVOIRE) + + + + + JORDAN + + + + + JAPAN + + + + + JERSEY, BAILIWICK OF (BRITISH CROWN DEPENDENCY) + + + + + JAMAICA + + + + + JAN MAYEN (NORWEGIAN TERRITORY) + + + + + JUAN DE NOVA ISLAND + + + + + SOUTH KOREA + + + + + KIRIBATI (FORMERLY GILBERT ISLANDS, ELLICE ISLAND SEE TV) + + + + + CROATIA + + + + + KENYA + + + + + MANAHIKI ISLAND + + + + + KOREA - NORTH KOREA + + + + + KAZAKHSTAN + + + + + KUWAIT + + + + + KOSOVO + + + + + KYRGYZSTAN + + + + + SLOVENIA + + + + + LIBERIA + + + + + MOLDOVA + + + + + LESOTHO + + + + + SLOVAKIA + + + + + LITHUANIA + + + + + LIECHTENSTEIN + + + + + LEBANON + + + + + LAOS + + + + + LATVIA + + + + + SAINT LUCIA + + + + + LUXEMBOURG + + + + + LIBYA + + + + + MALAWI + + + + + MONGOLIA + + + + + MONACO + + + + + MALI + + + + + MEXICO (SEE SEPARATE LIST OF MEXICAN STATES; USE CODE MM ONLY WHEN STATE IS UNKNOWN) + + + + + MADAGASCAR (INCLUDED IN MALAGASY REPUBLIC) + + + + + MOROCCO + + + + + MAURITANIA + + + + + MALDIVES + + + + + MALTA + + + + + MALAYSIA + + + + + PAPAU NEW GUINEA (FORMERLY NEW GUINEA) + + + + + NETHERLANDS (HOLLAND) + + + + + NIGERIA + + + + + NORTHERN IRELAND (USE UN FOR UNITED KINGDOM) + + + + + NIGER + + + + + NEPAL + + + + + NEW CALEDONIA AND DEPENDENCIES, TERRITORY OF (FRENCH OVERSEAS TERRITORY) + + + + + NAURA + + + + + NICARAGUA + + + + + NORWAY + + + + + NETHERLANDS ANTILLES (BONAIRE AND CURACAO) + + + + + NEW ZEALAND + + + + + POLAND + + + + + PITCAIRN, HENDERSON, DUCIE, AND OENO ISLANDS (DEPENDENT TERRITORY OF UNITED KINGDOM) + + + + + PALAU, REPUBLIC OF + + + + + PARACEL ISLANDS + + + + + GUINEA-BISSAU (FORMERLY PORTUGUESE GUINEA) + + + + + PHILIPPINES + + + + + PAKISTAN + + + + + PANAMA + + + + + SAINT PIERRE AND MIQUELON, TERRITORIAL COLLECTIVITY OF + + + + + PORTUGAL + + + + + PERU + + + + + PARAGUAY + + + + + QATAR + + + + + RUSSIA (FORMERLY USSR) + + + + + CONGO, REPUBLIC OF (BRAZZAVILLE CAPTIAL) + + + + + CHINA - PEOPLE'S REPUBLIC OF CHINA + + + + + REUNION, DEPARTMENT OF + + + + + RUSSIAN FEDERATION + + + + + GIBRALTAR (DEPENDENT TERRITORY OF UNITED KINGDOM) + + + + + ZIMBABWE, REPUBLIC OF (FORMERLY RHODESIA) + + + + + MONTSERRAT (DEPENDENT TERRITORY OF UNITED KINGDOM) + + + + + WESTERN SAHARA (FORMERLY SPANISH SAHARA) + + + + + ROMANIA/RUMANIA + + + + + VIETNAM, SOCIALIST REPUBLIC OF (FORMERLY VIETNAM-VM REFERENCE ONLY) + + + + + RWANDA + + + + + YEMEN, REPUBLIC OF (PEOPLE'S DEMOCRATIC REPUBLIC OF YEMEN-ST AND YEMEN ARAB REPUBLIC-YE, UNIFIED IN 1990) + + + + + SIERRE LEONE (SIERRA LEONE) + + + + + SAUDI ARABIA + + + + + SEYCHELLES + + + + + SOUTH AFRICA + + + + + SENEGAL + + + + + SAN MARINO + + + + + NAMIBIA (SOUTH-WEST AFRICA) + + + + + SOMALIA + + + + + SPAIN + + + + + SWEDEN + + + + + SINGAPORE + + + + + SCOTLAND OR UN FOR UNITED KINGDOM + + + + + SUDAN + + + + + SVALBARD (NORWEIGAN TERRITORY) + + + + + SWAZILAND + + + + + SYRIA + + + + + SWITZERLAND + + + + + TOGO + + + + + UNITED ARAB EMIRATES (FORMERLY TRUCIAL STATES) + + + + + TRUST TERRITORY OF THE PACIFIC ISLANDS + + + + + SPRATLY ISLANDS + + + + + TUAMONTU ARCHIPELAGO + + + + + TONGA + + + + + THAILAND + + + + + TAJIKISTAN + + + + + TOKELAU (NEW ZEALAND TERRITORY) + + + + + TROMELIN ISLAND (FRENCH POSSESSION) + + + + + SAO TOME AND PRINCIPE + + + + + TONGAREVA + + + + + TURKS AND CACOS ISLANDS (DEPENDENT TERRITORY OF UNITED KINGDOM) + + + + + SAINT CHRISTOPHER (OR SAINT KITTS) AND NEVIS + + + + + TRINIDAD AND TOBAGO + + + + + TUNISIA + + + + + TUVALU (FORMERLY ELLICE ISLAND, GILBERT ISLANDS KB) + + + + + TAIWAN, REPUBLIC OF CHINA + + + + + TURKEY + + + + + TANZANIA, UNITED REPUBLIC OF + + + + + UGANDA + + + + + UKRAINE + + + + + MAURITIUS + + + + + UNITED KINGDOM (ENGLAND-EN, SCOTLAND-SS, WALES-WL, NORTH IRELAND-NI, GREAT BRITIAN FOR REFERENCE ONLY) + + + + + TURKMENISTAN + + + + + USA - USED: 1. LIS FIELD OF PLATES ISSUED BY US GOVT, US MILITARY PLATES AND US CIVILIAN AIRCRAFT, 2. RES OF BOATS THAT ARE USCG DOCUMENTED, 3. GUN MAK FIELD UNKN, MFD IN US, NOT US MIL WEAPON, 4. III POB NAT AMER IF STATE IS UNKN + + + + + BURKINA FASO (KNOWN AS BURKINA,FORMERLY UPPER VOLTA) + + + + + URUGUAY + + + + + UZBEKISTAN, REPUBLIC OF + + + + + BRITISH VIRGIN ISLANDS + + + + + SAINT VINCENT AND THE GRENADINES + + + + + VATICAN CITY + + + + + VENEZUELA, REPUBLIC OF + + + + + WEST BANK + + + + + WALLIS AND FUTUAN (FRENCH TERRITORY)(FRENCH OVERSEAS TERRITORY) + + + + + WALES (ALSO UN FOR UNITED KINGDOM) + + + + + WEST INDIES (FOR WEST INDIES ISLANDS NOT SEPARATELY LISTED) (PRE 1995 RES BOAT FILE CODE FOR WASHINGTON, SEE WA) + + + + + WESTERN SAMOA (PRE 1995 RES BOAT FILE CODE FOR WISCONSIN, SEE WI) + + + + + SERBIA + + + + + MONTENEGRO + + + + + UNKNOWN PLACE OF BIRTH (FOR USE IN III RECORDS ONLY) + + + + + MAYOTTE, TERRITORIAL COLLECTIVITY OF + + + + + YUGOSLAVIA + + + + + UNLISTED (ANY FOREIGN COUNTRY/DEPENDENCY/TERRITORY NOT INCLUDED IN THE ABBREVIATION LIST) + + + + + MOZAMBIQUE + + + + + MARTINIQUE + + + + + SURINAM + + + + + MACEDONIA + + + + + SOUTH SUDAN + + + + + CANARY ISLANDS + + + + + ZAMBIA, REPUBLIC OF (FORMERLY CONGO KINSHASA) + + + + + CONGO, DEMOCRATIC REPUBLIC OF, CAPITAL KINSHASA (FORMERLY ZAIRE) + + + + + + + A data type for 2.2: Country Codes + + + + + + + + + + A data type for 20 - Warrants Extradition Limitation (EXL) Field Codes + + + + + 1 - FULL EXTRADITION + + + + + 2 - LIMITED EXTRADITION SEE MIS FIELD + + + + + 3 - EXTRADITION - SURROUNDING STATES ONLY + + + + + 4 - NO EXTRADITION - INSTATE PICK-UP ONLY. SEE MIS FIELD FOR LIMITS + + + + + 5 - EXTRADITION ARRANGEMENTS PENDING SEE MIS FIELD + + + + + 6 - PENDING EXTRADITION DETERMINATION + + + + + A - FULL EXTRADITION + + + + + B - LIMITED EXTRADITION SEE MIS FIELD + + + + + C - EXTRADITION - SURROUNDING STATES ONLY + + + + + D - NO EXTRADITION - INSTATE PICK-UP ONLY. SEE MIS FIELD FOR LIMITS + + + + + E - EXTRADITION ARRANGEMENTS PENDING SEE MIS FIELD + + + + + F - PENDING EXTRADITION DETERMINATION + + + + + + + A data type for 20 - Warrants Extradition Limitation (EXL) Field Codes + + + + + + + + + + A data type for 4 - Eye Color (EYE) and Person with Information Eye Color (PEY) Field Codes + + + + + BLACK + + + + + BLUE + + + + + BROWN + + + + + GREEN + + + + + GRAY + + + + + HAZEL + + + + + MAROON + + + + + MULTICOLORED + + + + + PINK + + + + + UNKNOWN + + + + + + + A data type for 4 - Eye Color (EYE) and Person with Information Eye Color (PEY) Field Codes + + + + + + + + + + A data type for 5 - Hair Color (HAI) and Person with Information Hair Color (PHA) Field Codes + + + + + ORANGE + + + + + BLACK + + + + + BLOND OR STRAWBERRY + + + + + BLUE + + + + + BROWN + + + + + GREEN + + + + + GRAY OR PARTIALLY GRAY + + + + + PURPLE + + + + + PINK + + + + + RED OR AUBURN + + + + + SANDY + + + + + WHITE + + + + + UNKNOWN OR COMPLETELY BALD + + + + + + + A data type for 5 - Hair Color (HAI) and Person with Information Hair Color (PHA) Field Codes + + + + + + + + + + A data type for 19 - Protection Order Conditions (PCO) Field Codes + + + + + 01 - THE SUBJECT IS RESTRAINED FROM ASSAULTING, THREATENING, ABUSING, HARASSING, FOLLOWING, INTERFERING, OR STALKING THE PROTECTED PERSON AND/OR THE CHILD OF THE PROTECTED PERSON. + + + + + 02 - THE SUBJECT MAY NOT THREATEN A MEMBER OF THE PROTECTED PERSON S FAMILY OR HOUSEHOLD. + + + + + 03 - PROTECTED PERSON IS GRANTED EXCLUSIVE POSSESSION OF THE RESIDENCE OR HOUSEHOLD. + + + + + 04 - THE SUBJECT IS REQUIRED TO STAY AWAY FROM THE RESIDENCE, PROPERTY, SCHOOL, OR PLACE OF EMPLOYMENT OF THE PROTECTED PERSON OR OTHER FAMILY OR HOUSEHOLD MEMBER. + + + + + 05 - THE SUBJECT IS RESTRAINED FROM MAKING ANY COMMUNICATION WITH THE PROTECTED PERSON INCLUDING BUT NOT LIMITED TO, PERSONAL, WRITTEN, OR TELEPHONE CONTACT, OR THEIR EMPLOYERS, EMPLOYEES OR FELLOW WORKERS, OR OTHERS WITH WHOM THE COMMUNICATION WOULD BE LIKELY TO CAUSE ANNOYANCE OR ALARM THE VICTIM. + + + + + 06 - THE SUBJECT HAS VISITATION OR CUSTODY RIGHTS OF THE CHILD(REN)NAMED. + + + + + 07 - THE SUBJECT IS PROHIBITED FROM POSSESSING AND/OR PURCHASING A FIREARM OR OTHER WEAPONS AS IDENTIFIED IN THE MISCELLANEOUS FIELD. + + + + + 08 - SEE THE MISCELLANEOUS FIELD FOR COMMENTS REGARDING THE TERMS AND CONDITIONS OF THE ORDER. + + + + + 09 - THE PROTECTED PERSON IS AWARDED TEMPORARY EXCLUSIVE CUSTODY OF THE CHILD(REN) NAMED. + + + + + + + A data type for 19 - Protection Order Conditions (PCO) Field Codes + + + + + + + + + + A data type for 3 - Race (RAC), Protected Person Race (PPR), and Person with Information Race (PIR) Field Codes + + + + + ASIAN OR PACIFIC ISLANDER - A PERSON HAVING ORIGINS IN ANY OF THE ORIGINAL PEOPLES OF THE FAR EAST, SOUTHEAST ASIA, THE INDIAN SUBCONTINENT OR THE PACIFIC ISLANDS. + + + + + BLACK - A PERSON HAVING ORIGINS IN ANY OF THE BLACK RACIAL GROUPS OF AFRICA. + + + + + AMERICAN INDIAN OR ALASKAN NATIVE - A PERSON HAVING ORIGINS IN ANY OF THE ORIGINAL PEOPLES OF THE AMERICAS AND MAINTAINING CULTURAL IDENTIFICATION THROUGH TRIBAL AFFILIATIONS OR COMMUNITY RECOGNITION. + + + + + UNKNOWN. + + + + + WHITE - A PERSON HAVING ORIGINS IN ANY OF THE ORIGINAL PEOPLES OF EUROPE, NORTH AFRICA, OR MIDDLE EAST. + + + + + + + A data type for 3 - Race (RAC), Protected Person Race (PPR), and Person with Information Race (PIR) Field Codes + + + + + + + + + + A data type for 2 - Sex, Sex of Victim (SOV), and Protected Person Sex (PSX) Field Codes + + + + + FEMALE + + + + + MALE + + + + + UNKNOWN + + + + + + + A data type for 2 - Sex, Sex of Victim (SOV), and Protected Person Sex (PSX) Field Codes + + + + + + + + + + A data type for 7 - Scars, Marks, Tattoos, and Other Characteristics (SMT) and Person with Information SMT (PSM) Field Codes + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + EYE DISORDERS + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + EYE DISORDERS + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DRUGS OF ABUSE + + + + + DEAFNESS + + + + + DEAFNESS + + + + + DEAFNESS + + + + + DEAFNESS + + + + + DEAFNESS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + DEFORMITIES + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + SKIN DISCOLORATIONS (INCLUDING BIRTHMARKS) + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + FRACTURED BONES + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + EYE DISORDERS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + HEALED FRACTURED BONES + + + + + DEFORMITIES + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MOLES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MEDICAL CONDITIONS AND DISEASES + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + MISSING BODY PARTS AND ORGANS + + + + + DEFORMITIES + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + NEEDLE ("TRACK") MARKS + + + + + SCARS + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + REMOVED TATTOOS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + SCARS + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + DEFORMITIES + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + TATTOOS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + THERAPEUTIC DRUGS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + OTHER PHYSICAL CHARACTERISTICS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + ULTRAVIOLET TATTOOS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + ARTIFICIAL BODY PARTS AND AIDS + + + + + MEDICAL DEVICES AND BODY IMPLANTS + + + + + + + A data type for 7 - Scars, Marks, Tattoos, and Other Characteristics (SMT) and Person with Information SMT (PSM) Field Codes + + + + + + + + + + A data type for 5 - Vehicle Color (VCO) Field Codes + + + + + ORANGE + + + + + AMETHYST (PURPLE) + + + + + BEIGE + + + + + BLACK + + + + + BLUE + + + + + BROWN + + + + + BRONZE + + + + + CHROME + + + + + CAMOUFLAGE + + + + + COPPER + + + + + CREAM + + + + + DARK BLUE + + + + + DARK GREEN + + + + + GOLD + + + + + GREEN + + + + + GRAY + + + + + LAVENDER-PURPLE + + + + + LIGHT BLUE + + + + + LIGHT GREEN + + + + + MAROON + + + + + MULTI COLORED + + + + + MAUVE + + + + + PURPLE + + + + + PINK + + + + + RED + + + + + SILVER + + + + + TAN + + + + + TEAL + + + + + TAUPE + + + + + TURQOISE + + + + + WHITE + + + + + YELLOW + + + + + + + A data type for 5 - Vehicle Color (VCO) Field Codes + + + + + + + + + + A data type for 2.1: Vehicle Make (VMA) and Brand Name (BRA) Field Codes by Manufacturer + + + + + OAK COACH CO. + + + + + OAKLAND + + + + + OASIS TRAVEL TRAILER + + + + + OBERLIN TRAILERS, INC. + + + + + OBRECT TRAILER + + + + + 0RANGE C0UNTY CH0PPERS + + + + + OCI MANUFACTURING CO.; OREGON, IL + + + + + OCKELBO INDUSTRY AB + + + + + CLASSIC MANUFACTURING, INC.OR OWENS-CLASSIC MANUFACTURING,INC STURGIS, MI + + + + + OCEAN PERFORMANCE TRAILERS + + + + + OCTANE TRAILERS / OCTANE TRAILERS, LLC; WHITE PIGEON, MI + + + + + ODOM BOYD TRAILER MFG. CO.CONROE, TEXAS + + + + + ODDI CYCLES LLC, NEW HAVEN, CT + + + + + ODELL MANUFACTURING COMPANY; LARGO,FL + + + + + ARGO SEE ONTARIO DRIVE & GEAR LTDD + + + + + ODYSSEY + + + + + ODYSSEY TRAILER CO. + + + + + OELRICH MFG. CO. + + + + + OFFICE MASTER, INC. HAMPSHIRE, TN + + + + + OFFICER, THE ELKHART, IN + + + + + OHIO FLUID PRODUCTS COMPANY, GRAND RAPIDS OHIP + + + + + OGLE + + + + + OHIO BODY MFG. CO.NEW LONDON, OHIO + + + + + OLINGHOUSE STEEL OKLAHOMA TRAILERS & TRUCK BODIES + + + + + OHTA + + + + + OILFIELD MANUFACTURERS WAREHOUSE, INC.GREAT BEND, KANSAS TRAILERS + + + + + OAK CREEK HOMES, INC + + + + + OK HORSE TRAILER + + + + + OAK & IRON, INC; COLUMBIA FALLS, MONTANA _TRAILERS (VARYING SIZE, SHAPE & PURPOSE) + + + + + OKLAHOMA HORSE TRAILER + + + + + OKLAHOMA TRAILER, INC.MFRS. BOAT TRAILERS--KINGFISHER,OKLAHOMA + + + + + OLSON OWLSEY ENTERPRISES, LLC; PHOENIX, ARIZONA _TRAILERS + + + + + OLATHE MFG. CO., INC. + + + + + OLDENKAMP INC.; IOWA + + + + + OLD PINE COMPANY NAMIQUIPA, CHIH + + + + + OLDSMOBILE + + + + + OLDS TRAILS TRAILER + + + + + OLGEN MFG. CO. + + + + + OLIVER + + + + + OLMAX FABRICATION, LLC RUDOLPH WI + + + + + OLSON + + + + + OLIVER FIBERGLASS PRODUCTS; HOHENWALD,TN TRAILERS/SHELLS + + + + + OLYMPIA MOTOR HOME + + + + + OLYMPIC TRAILERS + + + + + OLYMPUS TECHNOLOGIES INC (OTI) OLYMPUS TRAILERS; EUGENE,OR + + + + + OMAHA STANDARD TRAILERS & TRUCK BODIES & HOISTS PURCHASED FONTAINE TRUCK EQUIPMENT (VMA/F0NA) BIRMINGHAM, AL + + + + + OMAHA TANK AND EQUIPMENT, INC; OMAHA, NEBRASKA - TANKER TRAILERS + + + + + BOAT TRAILERS, WAUKEGAN, ILLINOIS + + + + + OMICRON ; MINIBIKES, ATV'S, POCKET BIKES, ENDURO BIKES + + + + + OMC JOHNSONBOAT TRAILERS WAUKEGAN, IL + + + + + OMEGA (ITALIAN) + + + + + OMEGA RV, LLC; CALDWELL, IDAHO TRAILERS + + + + + O.J.M.C. SIGNAL, INC; WATERLOOO, IOWA TRAILER MOUNTED PORTABLETRAFFIC LIGHTING AND SIGNALING EQUIP + + + + + OMING MOTORCYCLE CO., LTD. OR TAIZHOU OMING MOTORCYCLE CO.,LTDTAIZHOU ZHEJIANG, CHINA + + + + + OMNI MOTOR SPORTS, OMX500, OMX600 MODELS + + + + + OMSTEEL PRODUCTS CORP. + + + + + ONO, INC. + + + + + ONAN CORP.MINNEAPOLIS, MINNESOTA + + + + + O'NEAL TRAILERS, LLC; ALAMO, TENNESSEE TRAILERS + + + + + ONEIDA COACH MFG.GRAND LEDGE, MICHIGAN + + + + + ORANGE BLOSSOM TRAILERS, INC; HAMER SOUTH CAROLINA TRAILERS & CAR HAULERS + + + + + ONNEN TRAILERS TANKER TRAILERS + + + + + ON THE ROAD, WARREN, MAINE + + + + + ONE STOP TRAILER FONTANA, CA + + + + + ONTARIO, INC; BRANTFORD, ONTARIO CANADA _TRAILERS _(DBA - MATRIXX SPECIALIZED TRAILERS) + + + + + ORION BUS IND.INC OR ONTARIO BUS IND. INC; CANADA BUSES_HYBRID BUSES & SHUTTLES ** 2006 COMPANY CHANGED NAME TO: DAIMLER CHRYSLER COMMERCIAL BUSES NORTH AMERICA ** (WMI/2B1, 2BA & 1VH) VIN LABEL- DAIMLERCHRYSLER COMMERCIAL BUSES + + + + + ONYX FLYER + + + + + OPAL TRAILERS CO; AUSTRALIA + + + + + BOLENS MFD BY OUTDOOR POWER EQUIPMENT DIV.FMC + + + + + OPEL IMPORTED BY BUICK + + + + + OPEN ROAD INDUSTRIES + + + + + OPEN ROADSTERS OF TEXAS + + + + + OPEL + + + + + OPEN ROAD CAMPERS, INC. + + + + + 0PTIMA INDUSTRIES, LLC; EASTMAN,GE0RGIA + + + + + OPTIMA BUS LLC WICHITA, KANSAS; BUSES, STREET CARS + + + + + OPUS CAMPER; PITTSBURG, CALIFORNIA, AFRICA, AUSTRALIA, NEW ZEALAND, UNITED KINGDOM, USA + + + + + OQUIRRH MOUNTAIN MANUFACTURING; TOOELE, UTAH + + + + + OQUAWAK BOATS & FABRICATION, LTD. OQUAWKA, ILLINOIS TRAILER AND BOAT MANUFACTURING + + + + + OPEN RANGE; MFG BY OPEN ROAD RV COMPANY + + + + + ORBIT INDUSTRIES, INC. + + + + + ORCON INCUSTRIES + + + + + MANGMFD. BY OREGON MFG. CO., INC. + + + + + OREION MOTORS, LLC ; ALBUQUERQUE, NEW MEXICO _LOW SPEED OFF-ROAD / ON-ROAD VEHICLES + + + + + ORIOLE TRAILER MFG. CO. + + + + + ORIGINAL EQUIPMENT MANUFACTURING, LTD.SUDBURY, ONTARIO + + + + + JOURNEYER MFG BY OPEN ROAD RC COMPANY + + + + + ORLANDO BOAR CO. + + + + + LIGHT; MFG BY OPEN ROAD RV COMPANY + + + + + ORLAND MANUFACTURING, LLC; MONTROSE, SOUTH DAKOTA TRAILERS + + + + + MESA RIDGE; MFG BY OPEN ROAD RV COMPANY + + + + + OREGON MACHINE WORKS ; CANBY, OREGON FABRICATION SERVICES + + + + + ROAMER; MFG BY OPEN ROAD RV COMPANY + + + + + RESIDENTIAL; MFG BY OPEN ROAD RV COMPANY + + + + + OPEN RANG RV COMPANY; INDIANA + + + + + ORST TRAILERS, INC.; VERMONT + + + + + ORTHMAN MFG., INC. + + + + + OREGON TRAILER, LLC; EUGENE, OREGON TRAILERS + + + + + OUTDOORS RV MANUFACTURING (TRAILERS & MOTORHOMES) BRANDS; CREEKSIDE, TAMARACK TRAIL, TIMBER RIDGE & WIND RIVER OWNED BY NORTH MFG.LAGRNADEOREGON + + + + + OSAGE TRAILER MFG. CO., INC. + + + + + C. D. OSBORN & SON GRAND RAPIDS MI + + + + + OSCA + + + + + OSCHOOL CHOPPERS, LLC ; LAS VEGAS, NV MOTORCYCLES + + + + + OSHKOSH MOTOR TRUCK CO./ OSHKOSH TRUCK CORP OSHKOSH WI + + + + + OSI + + + + + OSSA SPAIN + + + + + OSHKOSH TRAILER DIVISION BRADENTON,FL TRAILERS + + + + + OSW EQUIPMENT & REPAIR, INC; SNOHOMISH, WASHINGTON _TRAILERS + + + + + OTOSAN + + + + + OTASCO + + + + + OUTLAW TRAILER, MFG.; ST. JOSEPH, MO + + + + + OUTDOOR POWER EQUIPMENT + + + + + OTTERBACHER MFG., INC.CRESTLINE, OHIO + + + + + 0TTAWA TRUCK, INC; KANSAS + + + + + OUTBACK SPECIALTIES, LLC; GRAND JUNCTION, COLORADO TRAILERS; ADDED/ASSIGNED 9/2/14 + + + + + OUTDOOR EQUIPMENT + + + + + OUTKAST KUSTOM CYCLES, INC; MELBOURNE, FLORIDA _MOTORCYCLES + + + + + OUTLAW; MFG BY THOR MOTOR COACH INC. + + + + + EVINRUDE SEE OUTBOARD MARINE CORPORATION + + + + + OVERBUILT INC, HURON, SOUTH DAKOTA - PORTABLE CAR CRUSHER + + + + + OVERBILT TRAILER COMPANY DRUMRIGHT, OK + + + + + OVERLAND MFG. CO. + + + + + OVERLAND + + + + + OVER-LOWE CO. + + + + + OWATONNA MANUFACTURING CO., INC. + + + + + OWEN DIV., ANVIL ATTACHMENTS, INC. + + + + + MIGHTY MIDGETMFD. BY OWENS-CLASSIC, INC. + + + + + OWNAHOME, INC. + + + + + OWENS CARGO, INC., INDIANA; UTILITY & BOAT TRAILERS + + + + + OWENS MFG. CO. + + + + + OWEN TRAILERS, INC; RIVERSIDE, CA MFG OF AMUSEMENT, CONCESSION,UTILITY TRAILERS-BATHROOM,TEMP PORTABLE OFFICES + + + + + OWENS & SONS MARINE, INC (ALUMINUM SLIDE ON TRAILERS) _ST. PETERSBURG, FLORIDA + + + + + OX INDUSTRIAL, LLC; RIGBY, IDAHO TRAILER + + + + + OLYMPIC TRAILER MANUFACTURING TUMWATER WASHINGTON PARENT COMPANY CAPITAL INDSUTRIAL INC VMA/CAPA + + + + + OZARK TRAILER & MOBILE HOMES + + + + + OZBIKE; CYCLE IMPORTS; MIAMI,FL + + + + + OZ-TRIKES PTY. LTD; AUSTRALIA TRIKES,MOTORCYCLES + + + + + APIARIES & ORCHARD FORKLIFT, INC (DBA-A&0 FORKLIFT) _MANUFACTURER & DISTRIBUTOR OF HUMMERBEE FORKLIFTS + + + + + A-0K TRAILERS; DELAND, FL + + + + + A-1 CUSTOM TRAILER MFG INC TEXAS + + + + + AAA MOBILE HOME MFG. CO. + + + + + AAA RAFT TRAILERS, INC.DENVER COLORADO + + + + + A.A.B. CO., INC. + + + + + AMERICAN AUSTIN CAR COMPANY-INDEPENDANT SUBSIDIARY OF AUSTIN VEHICLES BUILT 1929-1934 BECAME BANTAM IN 1935 + + + + + AALITE CO. + + + + + AAPEX TRAILERS, INC.; CHICAGO, IL + + + + + ALL AMERICAN RACERS SANTA ANA, CA + + + + + AARDVARK CO.WAXAHACHIE, TEXAS + + + + + A & A STEEL ENTERPRISES CANADA + + + + + AA SCREEN SUPPLY, INC SAN DIEGO + + + + + AIRSTREAM AVENUE TOURING COACH; MFG BY AIRSTREAM, INC + + + + + ALL-AMERICAN TRAILER MFG. CO., INC.; SELMA, AL + + + + + AAA TRAILER SALES MT. PLEASANT TEXAS + + + + + ARMET ARMORED VEHICLES, LARGO, FLORIDA & ONTARIO CANADA + + + + + A-A WELDING SERVICE MOUNT PLEASANT, TX OR CLINT R.WOODS INC + + + + + ABARTH + + + + + ABBOT, PAUL CO., INC. + + + + + ABBY MANUFACTURING COMPANY WALNUT MS + + + + + ABC (ALUMINUM BODY CORP.) + + + + + ABCO TRAILER MFG. CO. + + + + + ABC COACH CO.FROM 1960 ON, SEE VOUGHT INDUSTRIES + + + + + ABC HOMESDIV. DIVCO-WAYNE INDUSTRIES + + + + + ABC POWDER COATING CENTRAL POINT, OREGON + + + + + ABERDEEN BOAT TRAILER + + + + + ABF, INDUSTRIES; NEBRASKA + + + + + ABI LEISURE INC.ONTARIO + + + + + A AND B INDUSTRIES BEAUMONT, TEXAS + + + + + AMCO BOAT TRAILER + + + + + A & B TRAILER MFG. CO., INC.CROWN POINT, INDIANA + + + + + ABOUT SALES, INC ANDERSON, CALIFORNIA + + + + + ABU TRAILERS; NORTH DAKOTA + + + + + A C (GREAT BRITIAN) + + + + + ACORN EQUIPMENT CORP. + + + + + ACADIAN (GM OF CANADA) + + + + + ACADEMY MOBILE HOME CORP. + + + + + ANTIQUE & C0LLECTIBLE AUT0S, INC; BUFFAL0, NY- REPLICAS + + + + + AC CUSTOMS, INC MANCHESTER, NEW HAMPSHIRE + + + + + ATLANTIC COAST CUSTOM TRIKES; MYRTLE BEACH, SOUTH CAROLINA MOTORCYCLES/TRIKES + + + + + ACCU-TEK,INC.; SHREWSBURY, MASSACHUSETTS + + + + + ACE TRAILER OF AMERICA + + + + + ACE TRAVELER CORP. + + + + + ACE ENTERPRISES, INC.MIAMI, FLORIDA + + + + + ACCURATE CYCLE ENGINEERING INC., FLORIDA + + + + + ACE MANUFATURING CO. WALLA WALLA WASHINGTON + + + + + AMERICAN CARRIER EQUIPMENT, INC FRESNO CA + + + + + ACE; MFG BY THOR MOTOR COACH, INC + + + + + AMERICAN CUSTOM GOLF CARS AND NEIGHBORHOOD ELECTRIC VEHICLE CALIFORNIA _ + + + + + A & C KNIGHT, LTD. + + + + + ACME TRAILER MFG. CO. + + + + + ACME MFG. CO., INC. + + + + + SOUDURE ACNS, INC QUEBEC CANADA + + + + + ACRO TANK CO.SPRINGFIELD, MISSOURI + + + + + ACTON MOBILE INDUSTRIES, INC.ELBURN, ILLINOIS + + + + + ACTION INDUSTRIES + + + + + ACTIVE HOMES CORP. + + + + + ACCELERATED TANKS AND TRAILERS; FORT WAYNE, INDIANA + + + + + ACTIVITY TRAILER, LLC; ARIZONA + + + + + ACURA + + + + + A1 CYCLES, INC; WEST PALM BEACH, FLORIDA + + + + + ADA HORSE TRAILER + + + + + ADAK ADVENTURE TRAILERS, LLC, ST AUGUSTINE, FLORIDA + + + + + ADAMS BROTHERS OHIO ANTIQUE TRUCKS + + + + + A D B0IVIN + + + + + ADVANCED COMPOSITES & TOOLING; FLIPPIN, ARKANSAS + + + + + ADDISON HOMES DIV OF PENTHOUSE INDUSTRIES, INC.ADDISON, ALABAMA + + + + + ADVANCED ENGINEERED PRODUCTS, LTD., CANADA + + + + + ADETTE + + + + + AMERICAN DREAM HOT DOG CARTS,INC DBA-DREAMMAKER HOT DOG CARTS + + + + + ADLER + + + + + ADLY MOTO LLC, PRODUCED BY HER CHEE INDUSTRIAL CO.,LTD TAIWAN + + + + + ADCOCK MANSELL ENTERPRISES; CALIFORNIA + + + + + ADMIRATION HOMES ELKHART INDIANA + + + + + ADMIRAL DRIVE SYSTEMS, INC ONTARIO, CANADA + + + + + ADAMS ENGINEERING CO. + + + + + ADAMS TRAILER MFG. + + + + + ADRENALINE TRAILERS (HRM UNLIMITED, LLC) LAKE HAVASU CITY AZ + + + + + ADSPA MOBILE HOME MFD BY AD SPACE, INC., POMONA, CA + + + + + ADVANCED TECHNOLOGIES AUTOMOTIVE CO.LLC AUBURN HILLS, MI + + + + + THE AMERICAN DREAM TRAILER COMPANY, LLC PORTLAND, OR + + + + + ADVANTAGE TRAILER, MFG; ONTARIO, CANADA + + + + + ADVANCE MFG. CO. + + + + + ADVANCED CONTAINMENT SYSTEMS, INC; TEXAS + + + + + ADVENTURE WHEELS MOTOR HOME + + + + + ADVENTURER LP; YAKIMA, WASHINGTON + + + + + ADVANCE MACHINE CO. + + + + + ADVANCE PUMP AND EQUIPMENT INC., PEOSTA, IOWA + + + + + ADVANCED VEHICLE SYSTEM CHATTANOOGA,TN + + + + + ADVANCE TRAILER MFG; ONTARIO, CANADA + + + + + AEON MOTOR CO., LTD., ATV'S (TAIWAN) + + + + + AMERICAN EAGLE (ALSO SEE MAKE EAGLE) + + + + + A AND E CUSTOM DESIGN TRAILERS + + + + + AERO LINER CO. + + + + + AEP NORTH AMERICA; PNOENIX, ARIZONA + + + + + AIRCRAFT (SEE OPERATING MANUAL,PART 1, SECTION 2.) + + + + + AEROCAR + + + + + AERO GLASS BOAT CO. + + + + + AEROIL PRODUCTS CO., INC.BENSENVILLE, ILLINOIS + + + + + AERMACCHI; ITALY + + + + + AETA + + + + + AFAB PETROLEUM & STEEL FABRICATION OR AFFORDABLE FABRICATION, INC; LANSING, IOWA + + + + + ACIER FABREX, INC + + + + + AIRSTREAM FLYING CLOUD TRAVEL TRAVEL, MFG BY AIRSTREAM, INC. + + + + + AFFORDABLE TRAILERS; LUBBOCK, TEXAS + + + + + A & F TRAILER MFG + + + + + AGCO INC. FORMERLY ALLIS CHALMERS & K-H DEUTZ OF GERMANY + + + + + AG-CHEM EQUIPMENT CO. INC.EDINA, MN + + + + + ARAGON DISTRIBUTING CO., INC. + + + + + AIR NATI0NAL GUARD (ILLIN0IS) + + + + + AGROLINA SA MEXACALI, BAHA, CA + + + + + AG-RAIN, INC. + + + + + AGRIFLEET LEASING CORP AUBURNDALE, FL + + + + + AGRI-SUPPLY CO. + + + + + AGRI PLASTICS MFG; ONTARIO, CANADA + + + + + AG-SYSTEMS, INC.HUTCHINSON, MINNESOTA + + + + + AG-TRONIC, INC. + + + + + ARGYLE + + + + + AFTER HOURS BIKES,INC; POMPANO BEACH, FLORIDA + + + + + AHRENS / AHRENS-FOX; OHIO + + + + + BASECAMP; BRAND MFG BY AIRSTREAM INC. + + + + + AMERICAN IRONHORSE MOTORCYCLES FT. WORTH, TEXAS + + + + + AINLEY KENNELS & FABRICATION; DUBUQUE, IOWA + + + + + LAND YACHT; MFG BY AIRSTREAM + + + + + AIM-EX VEHICLES ALSO TAOTAO INDUSTRY CO. LTD. OR ZHEJIANG TAOTAO INDUSTRY CO.LTD + + + + + PENDLETON; BRAND MFG BY AIRSTREAM, INC + + + + + AIR-O-MOTOR HOME + + + + + AIRCAP MANUFACTURERS, INC.TUPELO, MISSISSIPPI + + + + + AIRE-LINE MOBILE HOMES + + + + + AIRFLYTE MFG. CO. + + + + + AIR SUPPORT INDUSTRIES GLASSBORO NEW JERSEY + + + + + AIR-FLO MFG. CO., INC.FORT WORTH, TEXAS + + + + + AIR-O-CORP. + + + + + AIRSTREAM TRAVEL TRAILERS + + + + + AIRSTREAM INTERSTATE TOURING COACH; MFG BY AIRSTREAM, INC + + + + + AJAX TRAILER CO.WARREN, MICHIGAN + + + + + A & J INDUSTRIES CUSTOM FIBERGLASSING + + + + + AJP MOTOS LDA / AJP MOTOS SA PORTUGAL IMPORTS + + + + + AJS (UNITED KINGDOM) + + + + + A. J. TRAVELUTE TRAILER MFG. CO. + + + + + AJW + + + + + AJAX ELECTRIC MOTOR CORP. + + + + + AJAX TOOL COMPANY LAKESIDE, CA. + + + + + OUTPOST MODEL, MFG BY ADAK ADVENTURE TRAILERS, LLC (VMA/ADAK) + + + + + AK CONTAINER CABINS, LLC; WASILLA, AK + + + + + AKUMA MOTORS + + + + + ALASKA XTREME TRAILERS + + + + + AMERICAN LOCOMOTIVE CO; NEW YORK + + + + + ALOHA TRAILER CO. + + + + + ALOUTTE + + + + + ALLOY CUSTOM PRODUCTS INC;OR ALLOY CUSTOM VACUUM PRODUCTS INC + + + + + AMERICAN ALLEGIANCE MFG BY; ALLIED RECREATION GROUP,INC VMA/ALRG + + + + + ALABAMA TRAILER CO.BIRMINGHAM, ALABAMA + + + + + ALL A CART MANUFACTURING, INC.; COLUMBUS, OHIO + + + + + ALADDIN TRAILER CO. + + + + + AMERICAN EAGLE, MFG BY ALLIED RECREATIONAL GROUP + + + + + AMERICAN LAFRANCE, LLC; SOUTH CAROLINA + + + + + ALAIR COACH CORP. + + + + + ALL AMERICAN MANUFACTURING, LLC; WYOMING + + + + + ALLEN CAMPER MFG., CO., INC; ALLEN OKLAHOMA + + + + + ALL AROUND HORSE TRAILER + + + + + ALASKAN CAMPER + + + + + AUGUSTA LINE, MFG BY ALLIED RECREATION GROUP FORMERLY FLEETWOOD AUGUSTA LX LINE + + + + + ALBERTA TRAILER CO., LTD. + + + + + ALBRIGHT TRAILER MFG; LEBANON, TENNESSEE + + + + + ALCOA TRAILER + + + + + ALCAN AMERICAN, INC. + + + + + ALLEN COACHWORKS INC.(MEXICAN MANUFACTURER) + + + + + ALCOM, INC., MAINE + + + + + ALCAN TRAILERS, LLC; ANCHORAGE, ALASKA + + + + + ADMIRAL MODEL; MFG BY ALLIED RECREATIONA; GROUP, INC + + + + + AMERICAN DREAM; BRAND MFG BY ALLIED RECREATION GROUP + + + + + ALLIED + + + + + ALLEN ENGINEERING CORP. + + + + + ENDEAVOR XE; BRAND MFG BY ALLIED RECREATION GROUP (VMA/ALRG) + + + + + ALEXANDER-REYNOLDS CORP. + + + + + ALFORGE METALS CORP.ONTARIO, CANADA + + + + + ALFA ROMEO_ CHRYSLER GROUP CHANGES NAME TO FCA US, LLC 2015 + + + + + ALFAB INC. + + + + + ALFRED INDUSTRIES; HENDERSON, COLORADO + + + + + FLAIR MODEL, MFG BY ALLIED RECREATIONAL GROUP, INC. + + + + + ALFA OR ALFA LEISURE + + + + + ALLIED + + + + + ALJODIV. SKYLINE HOMES + + + + + ALJON, INC. IOWA + + + + + ALOIS KOBER (AL-KO) + + + + + ALL AMERICAN CAMPERS + + + + + ALLOY TRAILERS, INC.SPOKANE, WASHINGTON + + + + + ALLARD + + + + + ALLIED AMERICAN BUILDERS CORP. + + + + + ALLIED MFG. CO. + + + + + ALLIED PRODUCTSDIV. LONERGAN CORPORATION + + + + + ALLEGRO MOTOR HOME; MFG BY TIFFIN MOTORHOMES RED BAY ALABAMA + + + + + ALLISON'S FIBERGLASS MFG.,INC. + + + + + ALLEGHENY TRAILERS (AKA) INDUSTRIAL CORPORATION OF AMERICA CLEVELAND, OHIO + + + + + ALLIS-CHALMERS + + + + + ALL LAKES TRAILER + + + + + ALLIED LEISURE, INC. + + + + + ALL STEEL MFG. CO. + + + + + ALLOY MACHINE PRODUCTS CORP. + + + + + ALL PURPOSE TRAILER CO., INC.JEFFERSON, SOUTH DAKOTA + + + + + ALL STAR COACH, INC. + + + + + ALL STATE + + + + + ALL-STATE TRAILER CO. + + + + + ALL STATES TRAILER CO. + + + + + ALL VEHICLE REG SERVICES, SACRAMENTO, CALIFORNIA + + + + + ALLENTOWN BRAKE & WHEEL SERVICE, INC.ALLENTOWN, PENNSYLVANIA + + + + + ALMA + + + + + AL-MAC PRODUCTS, INC. + + + + + ALLMAND, INC.HOLDREGE, NEBRASKA + + + + + ALMA TRAILER CO. + + + + + ALMAC INDUSTRIES, LTD.VILLE D'ANJOU, QUEBEC + + + + + ALUM-LINE, INC CRESCO IA + + + + + ALUMNA-WELD, INC.FRIENDSHIP, ARKANSAS + + + + + ALMAR MANUFACTURING (SPA DOLLY) AKA BCI MANUFACTURING BULTMAN COMPANY INC KANSAS + + + + + ALUMCAR USA, LLC TAMPA, FLORIDA + + + + + ALUMAX TRAILERS & MFG; BECKER, MINNESOTA + + + + + ALUMINA, INC; HURON, OHIO + + + + + ALLEN MANUFACTURING, INC; F0RT M0RGAN, C0 + + + + + NAVIGATOR EX; BRAND MFG BY ALLIED RECREATION GROUP (VMA/ALRG) + + + + + ALLIANZ SWEEPERS, CHINO , CALIFORNIA FORMERLY KNOWN AS JOHNSTON SWEEPERS VMA/JSWP + + + + + ALPINE MFG. CO. + + + + + ALPHA PRODUCTS INTERNATIONAL, INC + + + + + ALPINE + + + + + ALPINA SNOWMOBILES + + + + + ALPINA USA, LLC / ALPINA BURKHARD BAVENSIEPEN GMBH; GERMANY + + + + + ALL PRO OF YULEE INC (DBA) ALL PRO TRAILERS, JACKSONVILLE, FL + + + + + ALLIED RECREATION GROUP, INC. FORMERLY FLEETWOOD RECREATION, INC + + + + + ARV; BRAND MFG BY THE ALUMINUM TRAILER COMPANY + + + + + SCEPTER; MFG BY ALLIED RECREATIONAL GROUP (VMA/ALRG) + + + + + ALL SEASONS MOTOR HOME + + + + + ALSPORT/STEEN (ALSO SEE TRI-SPORT/STEEN) + + + + + ALLIED STEEL AND TRACTOR PRODUCTS,INC. + + + + + ALTA + + + + + THE ALUMINUM TRAILER COMPANY; NAPPANEE, INDIANA + + + + + ALTEC INDUSTRIES INDIANAPOLIS INDIANA + + + + + ALUMINUM TRAILER GROUP; OCALA, FLORIDA + + + + + ALLIED TANK + + + + + ALTEC ENVIRONMENTAL PRODUCTS, LLC CREEDMOOR NC + + + + + TREK, MFG BY ALLIED RECREATIONAL GROUP, INC + + + + + ALTURDYNE; SAN DIEGO, CALIFORNIA + + + + + ALUMINUM BOAT TRAILERS / WEST COAST ALUMUNUM BOAT TRAILERS CALIF. + + + + + ALUMA CRAFT + + + + + ALOUETTESEE ALOUETTE RECREATION PRODUCTS, LTD. + + + + + ALUMA, LTD; BANCROFT, IOWA + + + + + ALUMINUM TRAILERS; MFG BY KIBBI,LLC + + + + + ALUTREC INC. STE-AGATHE, QUEBEC CANADA + + + + + ALVIS + + + + + VESTA; BRAND MFG BY ALLIED RECREATIONAL GROUP + + + + + ALLOWAY MFG. CO., INC. + + + + + ALY TRAVEL TRAILERS DIV. OF LAYTON HOMES CORP + + + + + A AND M BOAT TRAILER + + + + + AMERICAN AUGERS, INC. + + + + + AMBASSADOR + + + + + AMERICAS BEST CORPORATION; CROSSVILLE, TENNESSEE + + + + + AMC TRAILER + + + + + A & M COACH + + + + + AMERICAN CLIPPER CORP.MORGAN HILL, CALIFORNIA + + + + + AMERI-CAN ENGINEERING, ARGOS, INDIANA + + + + + AMERI-CAMP; SYRACUSE, IN + + + + + AMCO PRODUCTS + + + + + AMERICAN CRUISER MOTORHOME, NAPPANEE, IN + + + + + AMERICAN DIRT BIKE, INC.; CALIF0RNIA + + + + + AGRICULTURAL MACHINERY DIV.DIV FMC + + + + + AMAR MOTOR DEVELOPMENT / AMD HOLLYWOOD,FL + + + + + AMERICAN TRAILERS, INC.DIV. POLAR MFG. CO. + + + + + AMERICAN BEAUTYMFD. BY AMERICAN SHELTER SYSTEMS, INC. + + + + + AMERICAN BODY & TRAILER CO. + + + + + AMERICAN ALUMINUM CO. + + + + + AMERICAN COACH CO.DIV. ALLIED RECREATION GROUP (VMA/ALRG) FORMERLY - FLEETWOOD (VMA/FTWD) + + + + + AMERICAN DURALITE CORP. + + + + + AMERICAN PRIDE HOMES DIV CHALLENGER HOMES + + + + + AMERICAN PIPE & STEEL CORP. + + + + + AMERICAN ECONOMOBILE HILIF + + + + + AMERICAN TRAILER & MFG. CO.SEE ALSO TRANSPORTER, DOWNEY, CALIFORNIA + + + + + AMEN + + + + + AMERICAN WAY HOMES CORP. + + + + + AMERICAN MOTORS (SEE MAKE RAMBLER FOR RAMBLERS MANUFACTURED PRIOR TO 1966 + + + + + AMERIGO TRAVEL TRAILER + + + + + AMERICAN TRAILER SPECIALISTS + + + + + AMF, INC + + + + + AMERICAN DREAM MFG BY AMERICAN FAMILY HOMES, INC. + + + + + AMERICAN FARRIER SYSTELS, LLC; TALKING ROCK, GEORGIA + + + + + AMERICAN FREEDOM TRAILERS, INC; RIVERSIDE, CALIFORNIA + + + + + AM GENERAL CORPORATION + + + + + AMERICAN HOIST & DERRICK CO. + + + + + AMERICAN HAULER INDUSTRIES; ELKHART, IN + + + + + AMERICAN MICROCAR, INC. + + + + + AMIDA INDUSTRIES, ROCK HILL, SOUTH CAROLINA + + + + + ADVANCE MIXER FORT WAYNE, INDIANA + + + + + AMERICAN JENBACH CORP. + + + + + AMERLITE; MFG BY GULF STREAM COACH, INC + + + + + AMERICAN MANUFACTURING OPERATIONS, INC; TOLEDO, OHIO + + + + + AMERIND-MACKISSIC, INC. + + + + + AMMEX + + + + + AMERICAN MACHINE AND TOOLS CO + + + + + AMPCO MFG. + + + + + AMERICAN PERFORMANCE CYCLE;BULLHEAD CITY, AZ; SPIRIT AND BIG BOY CYCLES + + + + + AMPHICAR + + + + + AMERICAN MADE PRODUCTS, INC., DELAND FLORIDA + + + + + AMPHICAT + + + + + AMERIQUIP; LAVERNE, CALIFORNIA + + + + + AMERICAN QUANTUM CYCLES, INC. ; MELBOURNE, FL + + + + + AMERICAN ROAD MACHINERY, INC. + + + + + AMERICAN REDI-BUILT , TENNESSEE + + + + + AMERICAN COUPLER SYSTEMS, INC. + + + + + AMRAD PRODUCTS & SUPPLY SNOWMOBILE + + + + + AMERICANA MOBILE HOMES, INC. + + + + + AMREP, INC, ONTARIO, CALIFORNIA + + + + + AMERITRANS BY TMC GROUP; ELKHART, INDIANA + + + + + AMERICAN SIGNAL CO ATLANTA, GEORGIA + + + + + MM SPIRIT (DBA) AMERICAN SPIRIT, SYRACUSE, NEW YORK + + + + + AMERICAN SURPLUS & MANUFACTURING, INC; MONTEVIDEO, MN + + + + + AMERICAN STEEL WORKS + + + + + AMTEC TRAILER + + + + + AMERITRAIL BELLVILLE, TX + + + + + AMERICAN TRANSPORTATION CORP. + + + + + AMERITEK + + + + + AMTHOR INTERNATIONAL, INC. GRETNA, VIRGINIA + + + + + A M TRIKES GERMANY + + + + + AMERA TRAIL AMERA-TRAIL TRAILERS + + + + + AMERICAN TRENCHER, INC. + + + + + AMERICAN TRACTOR EQUIPMENT CORP. + + + + + AMERICAN TRAVEL SYSTEMS, INC.; ELKHART, IN + + + + + AMUSEMENT DEVICES & MANUFACTURING, LLC AKA-AMUSEMENTS UNLIMITED; IOWA + + + + + AMERICAN UTULITY TRAILERS; TRACY, CALIFORNIA + + + + + AMERICAN WELDING SERVICE, INC.; BUFFALO, NEW YORK + + + + + AMERICAN YARD PRODUCTS, RIDING MOWERS, MOWERS;WEEDEATER & ELECTROLUX BRAND PRODUCTS + + + + + AMAZE-N-TOW INC; COLUMBUS, GEORGIA + + + + + ANA-LOG + + + + + AHOY MFD BY ANCHOR HOMES, INC. + + + + + ANDER-ETT, INC. + + + + + ANDERSON COACH CO. + + + + + ANDERSON MOBILE HOMES MFG. CO. + + + + + ANDREA MOBILE HOMES + + + + + ANDREWS PAYLOADER + + + + + ANDERSON MANUFACTURING; CAMILLA, GA + + + + + ANGELUS TRAILER MFG. CO. + + + + + ANGEL + + + + + ANSER IND.INC; BRITISH COLUMBIA, CANADA _ + + + + + ANTON MFG. CO. + + + + + ANTARES TRAILERS, LLC (ACQUIRED BY DIRECT TRAILER LP; TX) + + + + + ANTHONY CO. + + + + + ANVIL TRAILER, LLC DOUGLAS GA + + + + + APOLLO HOMES + + + + + APACHE COACH CO. + + + + + APACHE CORP. + + + + + APACHEON COACH CO. + + + + + APACHE TRAILERS (PARENT COMPANY-WORKFORCE TRAILERS, INC) FONTANA, CA + + + + + APECO MOBILE HOMES DIV APECO CORP. + + + + + APEX TRAVELERS, INC.ELKHART, INDIANA + + + + + CIVIAL AIR PATR0L (ILLIN0IS) + + + + + ALPINE INDUSTRIAL, LLC DEARY, IDAHO + + + + + APJ TRAILER WORKS, LLC ODESSA FL + + + + + APOLLO CHOPPERS II LLC, KENTUCKY + + + + + APPLETON TRAILER + + + + + APLUS / A PLUS TRAILERS, INC.SOUTHWEST RANCHES, FLORIDA + + + + + APPALACHIAN MFG. INC.;ELKHART, IN + + + + + APPLEBY CAMPER TRAILER + + + + + APPLE TRAILERS; HOT SPRINGS, ARKANSAS + + + + + APPLESTONE VEHICLE CO., LTD OR ZHEJIANG APPLESTONE VEHICLE CO., LTD - ZHEJINAG, CHINA - OFF ROAD UTV & ATV ADDED/ASSIGNED 5/6/14 + + + + + APRILIA MOTORCYCLES + + + + + APOLLO SPORTING PRODUCTS CO., LTD OR ZHEJIANG APOLLO SPORTING PRODUCTS CO., LTD OR ZHEJIANG JIAJUE APOLLO SPORTING PRODUCTS CP., LTD; CHINA (NOT SAME AS JIAJUE MOTORCYCLE MFG CO LTD/SHEJIANG JIAJUE) + + + + + APPLE VALLEY CARGO; GEORGIA + + + + + APEX MOTOR USA; CHANDLER, ARIZONA + + + + + AQUA CRUISER, INC.COLUMBIA, TENNESSEE + + + + + AQUAFORGE WENTZVILLE, MISSOURI + + + + + AQUALAND TRAILERS DIV MID-ATLANTIC METAL DISTRIBUTORS + + + + + AERO MANUFACTURING, INC. SYRACUSE, INDIANA + + + + + AROS + + + + + ARABI HOMES, INC.ARABI, GEORGIA + + + + + ARBOC SPECIALITY VEHICLES; INDIANA + + + + + ARCOS BOAT TRAILER + + + + + ARCTIC CAT + + + + + ARCTCO, INC.SEE ARCTIC ENTERPRISES + + + + + ARCWELD INC.DADE CITY, FLORIDA + + + + + ARDIE MOTORCYCLES GERMANY + + + + + ARDON TRAILERS; CALIFORNIA + + + + + AMERICAN ROAD EQUIPMENT OMAHA, NB + + + + + ARGONAUT STATE LIMOUSINE + + + + + ARG0 ALL TERRAIN & AMPHIBI0US VEHICLES + + + + + ARGOSY TRAVEL TRAILER VERSALLIES OHIO + + + + + ARGO TRAILER CORP. + + + + + ARISTOCRAT TRAILER SALES DIV I. B. PERCH COMPANY + + + + + ARIEL (BRITISH) LICENSED PRODUCTION TO BRAMMO PRODUCTION TAKEN FROM BRAMMO AND LICENSED TO TRAK MOTORSPORTS INC (TMI) + + + + + ARISTOCRAT INDUSTRIES, INC.; GOSHEN, IN + + + + + ARIENS CO. + + + + + ARISTOCRAT MOTOR HOME + + + + + ARISTA + + + + + ARLBERG + + + + + ARMOR MOBILE HOMES MFG. CO.SUBSIDIARY MAGNOLIA MOBILE HOME + + + + + ARMADILLO TRAILERS, INC. DEPORT, TEXAS + + + + + ARMOR CHASSIS, LLC; RIDGELAND, SC + + + + + ARMOR HOMES OF VIRGINIA + + + + + ARMOR LITE TRAILER MANUFACTURING, LLC; SIKESTON, MO + + + + + AIRMAN INC. TRAILERS + + + + + ABS REMORQUES, INC / ABS TRAILERS QUEBEC CANADA + + + + + ARMOR MOBILE + + + + + ARMSTRONG SIDDELEY + + + + + AMERICAN ROAD TRAILER CAMPER + + + + + A.R.M. LTD; UNITED KINGDOM + + + + + ARNOLT-BRISTOL + + + + + ARNADA DIO + + + + + ARNOLD TRAVEL TRAILER MFG. CO. + + + + + ARNE'S WELDING, LTD; WINNIPEG CANADA TRAILERS + + + + + ARISING INDUSTRIES, INC HAZELHURST, GEORGIA + + + + + ARN0LD MANUFACTURING C0.; PENSAC0LA, FL (N0T SSAME AS ARN0LD TRAVEL TRAILER MFG.) + + + + + ARNDT TRAILERS HORSE TRAILERS + + + + + ARPS DIV.DIV. CHROMALLOY AMERICAN CORP. + + + + + AMERICAN TRANSPORTATION; BUS + + + + + ARROW + + + + + ARROW CAMPERS, INC. + + + + + ARROW MOTOR HOMES + + + + + ARROW TRAILERS, INC.AFFILIATED WITH GREAT DANE TRAILERS MEMPHIS TN + + + + + ARROWHEAD TRAILERS + + + + + ASCORT + + + + + ARSENAL TRAILER MANUFACTURING, INC; HARRIS0NBURG, VA + + + + + ART JAMES MFG. + + + + + ARTCRAFT OF GEORGIA + + + + + ARTCRAFT MOBILE HOMES MFG. CO. + + + + + ARTIE + + + + + ART IN MOTION, LLC, FLORIDA + + + + + ARTEX FABRICAT0RS. LTD. + + + + + ASA + + + + + ASBURY INDUSTRIES, INC. + + + + + ASHBY BROTHERS + + + + + ASCEND TRAILERS MFG BY EVERGREEN RECREATIONAL VEHICLES + + + + + ALL SOUTH EQUIPMENT CORPORATION BLUFFTON, SC + + + + + ASHCROFT ENTERPRISES,LLC SALEM, OREGON + + + + + ASHDOWN MFG. CORP.ASHDOWN, ARKANSAS + + + + + ASHLEY + + + + + ASHTON TRAILER + + + + + ASI TRAILER + + + + + ASHLAND INDUSTRIES, INC. + + + + + ASIAWING MOTORS CO., LTD OR SHANDONG ASIAWING MOTOR CO.LTD SHANDONG PROVINCE, CHINA MOTORCYCLES + + + + + AS MOTORS; FRANCE + + + + + AMERICAN STAR METAL FABRICATION, LLC; TIGARD, OREGON + + + + + ASM TRAILERS; M0UNTAINBURG, AR + + + + + ASPEN CUSTOM TRAILERS; ALBERTA, CANADA + + + + + ASPEN CAMPER, INC.;(FORMERLY KNOWN AS ASPEN METAL PRODUCTS & FABRICATORS) + + + + + ASPLUNDH MANUFACTURING DIV.,ASPLUNDH TREE EXPERT CO. + + + + + ASPEN TRAILER INC, LITCHFIELD, MN + + + + + ASPES + + + + + ASPT + + + + + AMERICAN SPORTWORKS, LLC / ASW LLC (PARENT CO MANCO) + + + + + ASTON-MARTIN + + + + + ASTORIA; MFG BY THOR MOTOR COACH, INC + + + + + AMERICAN SPORT TRAILER COMPANY, LLC; AZUSA, CALIFORNIA + + + + + ALL STEEL TRAILERS, LLC; JACKSONVILLE, FLORIDA + + + + + ALL STAR TRAILERS; HIALEAH, FLORIDA + + + + + ASTRO MOBILE HOMES MFG. CO. + + + + + AIRSTREAM SPORT TRAVEL TRAILER; MFG BY AIRSTREAM, INC + + + + + ASUNA + + + + + ASSEMBLED VEHICLE SEE OPER MAN FOR DESCRIPTION + + + + + A-T-O CONSTRUCTION EQUIPMENT DIV.,A-T-O, INC. + + + + + ATLAS + + + + + ATLAS COPCO, INC.WAYNE, NEW JERSEY + + + + + ATTACHMENT TECHN0L0GIES, INC; ATI ALS0 INCLUDES;BRADC0, MAJ0R,MCMILLEN,PENG0,BADGER & C&P ATI ACQUIRED BY N0RWEST EQUITY PARTNERS + + + + + ALL TERRAIN CAMPERS, INC; SACRAMENTO, CALIFORNIA + + + + + ALLTECH COMMUNICATIONS, LLC; TULSA, OKLAHOMA + + + + + ATCS AMERICAN TOWER CUSTOMER SERVICE OKLAHOMA + + + + + ACME TOW DOLLY COMPANY; KERNERSVILLE, NORTH CAROLINA _TRAILER / TOW DOLLY'S + + + + + ATEK, LLC; NEW HAMPSHIRE + + + + + ATTEX + + + + + ATHEY PRODUCTS CORP. + + + + + ATHENS PARK HOMES LLC; ATHENS TEXAS + + + + + ATK AMERICA INC + + + + + ATOKA TRAILER & MFG., LLC ATOKA, OKLAHOMA + + + + + ATLANTIC COAST CAMPER + + + + + ATLANTIC MOBILE CORP. + + + + + ATLAS DIVISIONDIV. LONERGAN CORPORATION + + + + + ATLAS ENTERPRISES, INC; GREENVILLE, SOUTH CAROLINA _TRAILERS; ASSIGNED/ADDED 10/31/14 + + + + + ATLANTIC INDUSTRIES, INC.; HARDEEVILLE, SOUTH CAROLINA + + + + + ATLANTIC MOBILE SALES + + + + + ATLAS HOIST & BODY, INC. + + + + + ATLAS TOOL & MFG. CO. + + + + + ATLAS SPECIALITY PRODUCTS + + + + + ASSOCIATED TRUCK & TRAILER TIGARD, OREGON + + + + + ADVANCED TRANSPORTATION TECHNOLOGY R & D CO. KOREA + + + + + ALL TERRAIN VEHICLE (FURTHER EXPLANATION SEE OPERATING MANUAL PART 1, SECTION 2) + + + + + ATWOOD MOBILE HOMES OR ATWOOD MOBILE PRODUCTS, INDIANA + + + + + ALUMA TOWER COMPANY, INC; VERO BEACH, FLORIDA + + + + + ATW OHIO, LLC; MOUNT ORAB, OHIO + + + + + AMBITION BRAND, MFG BY AUGUSTA RV, LLC + + + + + AUBURN HOMES + + + + + AUBURN + + + + + AUDI + + + + + FLEX MFG BY AUGUSTA RV, LLC, BRISTOL INDIANA + + + + + AUGUSTANA + + + + + AUGUSTA RV, LLC; BRISTOL INDIANA + + + + + AUTOHAUS OF COLORADO NORTH GLENN CO + + + + + AUSTIN-HEALY + + + + + AUTOMOTIVE INNOVATIONS INC SMYRNA BEACH FL + + + + + AUTOKRAFT + + + + + AULICK MANUFACTURING SCOTTSBLUFF, NEBRASKA + + + + + LUXE MODEL, MFG BY AUGUSTA RV + + + + + HONGDOU-AUPA MOTORCYCLE CO., LTD OR HONGDOU GROUP CHITUMA MOTORCYCLE COMPANY + + + + + AUSTIN PRODUCTS, INC.SUBSIDIARY AUSTIN INDUSTRIES, INC. + + + + + AURORA MOBILE HOMES + + + + + AURANTHETIC CHARGER + + + + + AURORA + + + + + AUSTIN + + + + + AUTOCAR & AUTOCAR LLC + + + + + AUTOBIANCHI + + + + + AUTOBIEU + + + + + AUTOMATIC EQUIPMENT CO; PENDER, NEBRASKA - TOW DOLLY/CAR DOLLY + + + + + AUTO HOMES INDUSTRIES + + + + + AUTO TRAILER CO. + + + + + AUTO-MATE + + + + + AUTOCARRIER AND A.C. + + + + + AUTO SKI INCLEVIS, QUEBEC + + + + + AUTOMATIC DRILLING MACHINES, INC. + + + + + AUTO UNION + + + + + AUTO TOW; AUTO/CAR TOW DOLLY + + + + + AUSTIN-WESTERN DIV.CLARK EQUIPMENT CO. + + + + + AVA TRAVEL TRAILER + + + + + AVALON MOBILE HOMES + + + + + AVALAIR CORP. + + + + + AVAILABLE + + + + + AVANTI CYCLES + + + + + AVCO CORP. + + + + + AVENGER + + + + + AVENGER CORPORATION; MICHIGAN + + + + + AVION COACH CORP. + + + + + AVIA + + + + + AVALLONE CARS; BRAZIL + + + + + AVANT T0W D0LLY + + + + + AVERA MOTORS INC; FLORIDA + + + + + ADVENTURE SPORTS PRODUCTS INC, CO + + + + + AVTOVAZ RUSSIA + + + + + AVANTI + + + + + AWAY WE GO TRAVEL TRAILER + + + + + ALL WHEEL DRIVE EQUIP. MFG.;INC, TULSA , OKLAHOMA + + + + + AWARD RECREATIONAL VEHICLES, INC; ONTARIO, CANADA OREV KNOWN AS (ABI LEISURE PRODUCTS VMA/ABIA) COMPANY FORMED IN 1996 FROM ABI + + + + + AXIS CORPORATION; OHIO + + + + + AXLE & EQUIPMENT SALES CO.NAPERVILLE, INDIANA + + + + + AYR-WAY CAMPERSDIV. K. V. MOLDED PRODUCTS, INC. + + + + + AZALEA HOMES + + + + + AZCAL TRAILERS + + + + + A-Z MANUFACTURING; MADERA, CA + + + + + ARIZONA METAL PRODUCTS PHOENIX, AZ + + + + + AZTEC PRODUCTS INC.MANSFIELD, TEXAS + + + + + AZTEC MOBILE HOMES + + + + + ARIZONA TRAILER MANUFACTURING, INC, BUCKEYE, ARIZONA TRAILERS + + + + + ARIZONA TRAILER SPECIALIST, INC.; TUCSON, ARIZONA + + + + + AZTEC TRAILER, INC - WEST VALLEY CITY, UTAH + + + + + AZTEX 0R AZ-TEX TRAILERS; F0NTANA CALIF0RNIA + + + + + AZURE DYNAMICS; OAK PARK, MICHIGAN - ELECTRIC COMMERCIAL VANS + + + + + BOOM TRIKES USA (AKA) AXCO OF FLORIDA LLC FT. MEYERS, FLORIDA + + + + + BOONE TRAILERS, INC.PALMER, MASSACHUSETTS + + + + + BOANZA MOBILE HOMES + + + + + BOARDMAN CO. + + + + + ALSPORTSEE BOA-SKI ALSPORT LTD. + + + + + BOATEL SKI + + + + + BOB S TRAILER + + + + + BOBBI-KAR + + + + + BOB COONS + + + + + BOBKO, INCMICHIGAN CITY, INDIANA + + + + + BOBBY'S CUSTOM CAMPER MFG. + + + + + BOCAR + + + + + BROCE MANUFACTURING CO. + + + + + BOCK PRODUCTS, INC.ELKHART, INDIANA + + + + + BO CATS, INC.GARDEN CITY, KANSAS + + + + + BOD-EZE BOAT TRAILERS ETC, MERCED, CA + + + + + B0ERNE TRAILER MANUFACTURING; B0ERNE, TX + + + + + BOHNENKAMP'S WHITEWATER CUSTOMS, INC.; MERIDIAN, IDAHO TRAILERS AND BOATS + + + + + BOISE CASCADE MOBILE HOMEBOISE, IDAHO + + + + + BOLES-AERO, INC. + + + + + BOLINGER FLATBED TRAILER + + + + + BOLER MANUFACTURING, LTD WINNIPEG MANITOBA, CANADA (TRAILERS) + + + + + BO-MAR MFG. CO. + + + + + BOMBARDIER SKI DOO + + + + + BOMFORD & EVERSHED, LTD. (ENGLAND) + + + + + BOMAG TRAILER + + + + + BON-AIRE HOMES, INC. + + + + + BONANZA TRAVEL COACH, INC. + + + + + BOND + + + + + BOND MOBILE HOMES, INC. + + + + + BONNIEVILLE MFG. CO. + + + + + BORG CO. + + + + + BORN FREE MOTORCOACH - HUMBOLDT, IOWA HBF INVESTMENTS LLC + + + + + BORGWARD + + + + + BOSS MOTORSPORTS MOTORCYCLES + + + + + BOSS POWEWRSPORTS; ATV'S, DIRT BIKES, POCKET BIKES, MOTORCYCLES, MINI CHOPPERS & GO KARTS _(AKA-BOSS MOTORSPORTS) + + + + + BOSS HOSS CYCLE, INC. ; DYERSBURG, TN + + + + + BOATEL TRAILER + + + + + BOULDER TRAILER + + + + + BOURG DISTRIBUTING, INC; BEAUMONT, TEXAS + + + + + BOWERS MFG. CO. + + + + + BOWIE INDUSTRIES CORP.BOWIE, TEXAS + + + + + BOWLUS ROAD CHIEF, LLC MALIBU, CA + + + + + BOWMAN & SONS + + + + + BOWEN MOBILE HOMES, INC.MFD. BY BOWEN MOBILE HOMES, INC. + + + + + BOWSMAN TRAILERSTHREE RIVERS, MICHIGAN + + + + + BOXER TRAILER + + + + + BOYD, E.G., TRAILER CO. + + + + + BOYESEN, INC - LENHARTSVILLE, PA PARTS FOR MOTORBIKES ATV'S, SNOWMOBILE, GO CARTS- PAST MFG OF MOTORHOMES + + + + + BOYLAND SALES, INC (DBA-BOYLAN GOLF CARS) LOW SPEED VEHICLES DELRAY BEACH, FLORIDA + + + + + BOYER INDUSTRIES + + + + + BONANZA & RAWHIDE TRAILER CO; ARKANSAS TRAILERS + + + + + BAODI SPECIAL AUTOMOBILE MANUFACTURE CO OR YINGKOU BAODI _SPECIAL AUTOMOBILE MANUFACTURE CO; CHINA + + + + + BAOTIAN MOTORCYCLE INDUSTRIAL CO., LTD OR JIANGMEN _SINO-HONGKONG BAOTIAN MOTORCYCLE INDUSTRIAL CO., LTD. - JIANGMEN CITY CHINA _MOTORCYCLES, SCOOTERS, ELECTRIC CARS CUBS + + + + + BABCOCK'S MOBILE HOME MFG. CO. + + + + + BAR-BEL FABRICATING CO., INC / BARBEL; WISCONSIN TANKER TRAILERS + + + + + BAR-C HORSE TRAILER + + + + + BACKYARD CHOPPERS, LLC DUNNELLON, FL + + + + + BACKROAD CHOPPERS OR BACK ROAD CHOPPERS, LLC; DENAIR, CALIF + + + + + BADD ASS INDUSTRIES, LLC; ENGLEWOOD, COLORADO MOTORCYCLES, FRAMES ETC + + + + + BAD 2D BONE TRAILERS, INC; POMPANO BEACH, FLORIDA + + + + + BADGER CONSTRUCTION EQUIPMENT CO.,DIVISION OF BURRO-BADGER CORP. + + + + + BALDERSON, INC. + + + + + BADGER TRAILER CO. + + + + + BADGER MACHINE DIV.RONCO ENGINEERING CO. + + + + + BAE SYSTEMS LAND AND ARMAMENTS COMBAT VEHS,ARTILLERY,NAVAL GUNS,MISSILE LAUNCHERS,PRECISION MUNITIONS PREV BOWEN MCLAUGHLIN YORK HARSCO CORP. FOOD MACHINERS CORP UNITED DEFENSE BOFORMS WEAPON SYSTEMS + + + + + BAGGETTS TRAILER CONECTION; ALABAMA + + + + + THE BAG LADY, INC (MEGGA BAGGER); PUYALLUP, WASHINGTON PORTABLE & TRAILER MOUNTED BAGGER (SANDBAGGERS) TRAILERS & CONSTRUCTION EQUIP ENTRY IN CODE MANUAL + + + + + BEIJING AUTOMOTIVE INDUSTRY HOLDING CO.XUANWU DISTRICT BEIJING CHINA-TRUCKS + + + + + BAILLIE'S TRI-R WELDING + + + + + BAINBRIDGE MOTOR HOME + + + + + BAJA USA MOPEDS, CYCLES & 3 WHEELERS; DIRT RUNNER MODEL BAJA MOTORSPORTS + + + + + BAJAJ AUTO, LTD - INDIA MOTORCYCLES + + + + + BAKER BOAT TRAILERS INC OR BAKER TRAILERS, R & D BAKER TRAILERSPRINGFIELD, OREGON + + + + + BAKER EQUIPMENT & ENGINEERING CO. + + + + + BAKER TRAILER & BODY CO. + + + + + BAKER MATERIAL HANDLING CORP. + + + + + BALBOA MOTOR HOME + + + + + BALDWIN ENTERPRISES + + + + + BALEMUVR + + + + + BALKO, INC. + + + + + BALKAN + + + + + BALLIEN MFG. CO. + + + + + BALTZ INDUSTRIES, INC.POCAHONTAS, ARIZONA + + + + + BALZER MANUFACTURING CORP. + + + + + BADGER-NORTHLAND, INC.SUBSIDIARY MASSEY-FERGUSON, INC. + + + + + BARON MOTORCYCLES COMPANY, MINNESOTA (ZHONGNENG MOTORCYCLE CO)MANUFACTURER & IMPORTER + + + + + BAME THREE AXLE TRAILER + + + + + BARRINGTON HOMES SUBSIDIARY FLEETWOOD ENTERPRISES + + + + + BANDERA TRAILER + + + + + BANENS TRAILERS, EL PASA TEXAS & MEXICO + + + + + BANKHEAD ENTERPRISES, INC.ATLANTA, GEORGIA + + + + + BANKHEAD WELDING SERVICE + + + + + BSA BANTAM (BIRMINGHAM SMALL ARMS) + + + + + BANNER INDUSTRIES, INC. + + + + + SCHIELD-BANTAM DIV OF KOEHRING CO + + + + + BARON HOMES, INC. (OLD CODE CGC)FORMERLY C&G CORP., ELKHART INDIANA + + + + + BAR-A-HORSE TRAILER + + + + + TELSMITH DIV., SUBSIDIARY OF BARBER-GREENE CO. + + + + + BARCRAFT HOMES, INC. + + + + + BARRETT TRAILERS, INC.OKLAHOMA CITY, OKLAHOMA--(SEE CIRCLE BLIVESTOCK TRAILER) + + + + + BARTH CORP; MOTORHOMES + + + + + BARRENTINE MFG. CO.GREENWOOD, MISSISSIPPI + + + + + BARKER TRAILER MANUFACTURERS, INC.PHOENIX, ARIZONA + + + + + BARTLETT TRAILER CORP.CHICAGO, ILLINOIS--PREDECESSOR TOBARTLETT LIFTING DEVICES + + + + + BARNES PUMP DRAIN UNIT + + + + + BARRET + + + + + BARTOLINI CHASSIS TRAILER + + + + + BASHAN MOTOR OR BASHAN MOTORCYCLE; CHONGQING ASTRONAUTICAL BASHAN MOTORCYCLE MANUFACTURE CO., LTD. CHINA + + + + + BASS TRAIL TRAILER CO., INC.MFRS. BOAT TRAILERS--MIDWAY, ARKANSAS + + + + + BATAVIA TRAILERS, INC. + + + + + BAT CUSTOM TRAILERS AND WELDING ROBER; FORT WORTH, TEXAS + + + + + B & A TRAILERS; SOUTH CAROLINA + + + + + BANTAM CAMP TRAILER + + + + + BATTISTI CUSTOMS; ELKHART, INDIANA SPRINTER VAN CONVERSIONS BUILT ON MERCEDES BENZ CHASSIS + + + + + BAUER LIMITED PRODUCTION AUTO KIT CAR + + + + + BAUGHMAN MFG. CO. + + + + + BAUER COMPRESSORS; NORFOLK, VIRGINIA + + + + + BAY TRAILERS + + + + + BAY CITY SHOVELS, INC. + + + + + BAYOU TRAILERS, LLC; OCEAN SPRINGS, MS + + + + + BAD BOY BUGGIES, NATCHEZ, MS; BY E-Z-GO (DIV OF TEXTRON) + + + + + BARE BONES BOBBERS AND CHOPPERS; WILSONVILLE, OREGON + + + + + BOBBER SHOP / BOBBER MOTORCYCLES CUSTOM MANUFACTURER OR MOTORCYCLE KITS + + + + + B.B'S TRAILERS, MESA, ARIZONA + + + + + B & B CUSTOM BUILT TRAILERS NEWPORT ARKANSAS + + + + + BIG BOAR CUSTOM CYCLES; NEW JERSEY + + + + + B & B COZY-HOME + + + + + BOBCAT; MFG BY LAYTON HOMES CORP (DIV OF SKYLINE) + + + + + BEEBEE SALES CO. + + + + + B & B ENTERPRISES; ARIZONA TRAILERS + + + + + BEST BUILT TRAILER (PARENT COMPANY CL WHIGHAM, INC.) GROVETOWN, GEORGIA + + + + + B & B MANUFACTURING INC, GRANBY MISSOURI, KIT VEHICLES + + + + + BAD BOY MOWERS; BATESVILLE, ARKANSAS; RIDING MOWERS ALSO MFG ATV VEHICLES + + + + + BIG BEND TRAILERS; TEXAS, COLORADO TRAILERS + + + + + BIKER BARN OR BIKER BARN CYCLES; NEW YORK + + + + + B & B TRAILER MFG., INC.WAPANUCK, OKLAHOMA + + + + + BOURGET'S BIKE WORKS + + + + + BROWNELL BOAT WORKS INC., MATTAPOISTETT, MASSACHUSETTS + + + + + BUDGET CUSTOM GOLF CARS LLC, VERO BEACH, FLORIDA + + + + + BACCIO; MOPEDS, SCOOTERS & CYCLES PARENT COMPANY- WANGYE POWER CO, LTD OR ZHEJIANG TAIZHOU WANGYE POWER CO, LTD + + + + + BCI OR BUS AND COACH INTERNATIONAL; CHINA ALSO KNOWN AS DONGFENG YANGTSE MOTOR (WUHAN) CO., LTD + + + + + BECK CORPORATION; ELKHART, INDIANA + + + + + THE BUCKMOBILE CO; UTICA,NEW YORK (ANTIQUE VENICLES 1900-1904) + + + + + BACKYARD TRAILERS, LLC; SOUTH CAROLINA + + + + + BEACON METAL WORKS + + + + + BLASTCRETE EQUIPMENT COMPANY; ALABAMA TRAILER MOPUNTED COEQ PUMPS,MIXERS, ETC. + + + + + BCI TRAILER MANUFACTURING, LLC SUMNER, TX + + + + + BULLDOG CARTS; BUFORD, GEORGIA LOW SPEED VEH'S,CARTS,LIMOS, MULTI USE + + + + + BAD BOY,INC; MELBOURNE, ARKANSAS LOW SPEED/NEV'S PER RHONDA NORVOLD UTILITY DIV SEPARATED OUT TO BECOME OWN COMPANY INTIMIDATOR INC NEW COMPANY NAME 6/2013 SEE VMA/ITMD FOR INTIMADATOR + + + + + BENDER-FLORIN + + + + + BEDARD TANKERS, INC. CANADA TANKER TRAILERS + + + + + BEACHCOMBER INDUSTRIES LTD.MORDEN, MANITOBA + + + + + BEARDMORE + + + + + BEAVER MONTEREY MOTOR HOME + + + + + BEAIRD PAYLINER SHREVEPORT LOUISIANA + + + + + BEALL, INC.BILLINGS, MONTANA + + + + + BEACH-CRAFT MOTOR HOMES CORP.ELKHART, INDIANA + + + + + BEAR INDUSTRIAL TRAILERS + + + + + MOTOR HOMES OF AMERICA, INC. + + + + + BEALL TRANS-LINER, INC.PORTLAND, OREGON + + + + + BEAVER TRAILER + + + + + BEE BOB TRAILERS + + + + + BEBE + + + + + BECK CAMPING TRAILER + + + + + BECKER, CHARLES H., INC. + + + + + BEDELL TRAILERS + + + + + BEDFORD + + + + + BENDIX CORP.MFR. OF MOBILE HOMES AND RECREATIONALVEHICLES + + + + + BEECHCRAFT MOBILE HOME + + + + + BEECHWOOD INDUSTRIES, INC. + + + + + BEE-LINE TRAVEL TRAILERS OR MOBILE HOMES INC. + + + + + BEEMER & GRUBB ENTERPRISES + + + + + BEECHWOOD MOTOR HOME + + + + + BEE TRAILERS INC; CLIMAX, GEORGIA + + + + + BEEMER TRAILER MFG. & SALES + + + + + BEEAT TRUCK MOUNT CAMPER + + + + + BEILER HYDRAULICS. INC.; LE0LA,PA-R00FING BUGGY + + + + + BEIJING JEEP + + + + + BEL-AIRE CAMPERS OR COACHES + + + + + BEL-AIRE MOBILE HOMES + + + + + BELL MFG. CORP. + + + + + BELSHE TRAILERTECUMSEH, OKLAHOMA + + + + + BELLA CASA CO. + + + + + BELLAMY'S MFR. & RESEARCH PRODUCTSHILTONS, VIRGINIA + + + + + BELLAIRE PRODUCTS + + + + + BELLEW'S PERRIS BALLEY CAMPERS + + + + + BELL'S CAMP TRAILERS + + + + + BELL'S CUSTOM COACHES + + + + + BELARUS MACHINERY, INC. + + + + + BELVEDERE MOBILE HOMES + + + + + BENOTTO / MOTOCICLI BENOTTO SPA; ITALY + + + + + BENDRON ENTERPRISES; DOUGLAS, GEORGIA + + + + + BENELLI/BENELLI AMERICA LLC/BENELLI Q.J. SRL + + + + + CHANGLING BENJIAN VEHICLE CO.LTD OR ZHEJIANG CHANGLING BENJIANVEHICLE CO. LTD + + + + + BENLO CO. + + + + + BENNCHE + + + + + BENSON TRUCK BODIES, INC.MINERAL WELLS, WEST VIRGINIA + + + + + BENTLEY + + + + + BEAIRD-POULAN DIV., EMERSON ELECTRIC CO + + + + + BERTONE + + + + + BERKELEY PUMP CO. + + + + + BERGANTINE + + + + + BERKSHIRE INDUSTRIES + + + + + BERKLEY + + + + + BERMAR MFG. CORP. + + + + + BERING + + + + + BERTRAN TRAILER + + + + + BER-VAC (CANADA) + + + + + BESASIE AUTOMOBILE CO., INC + + + + + BESCO TRAILERS (MADE BY - GERMAIN & LEJOUR S.A.) FRANCE + + + + + BEST LANE ENTERPRISES INC (DBA - RAMP FREE) DEERFIELD BEACH, FLORIDA TRAILERS + + + + + BETA / BETAMOTOR SPA - ITALY; BETA USA, INC. MOTORCYCLES ETC + + + + + BETTEN FRANCE TRANSPORTATION KENTUCKY + + + + + BETHANY FELLOWSHIP + + + + + BETTER BUILT + + + + + BEAVER MFG. CORP. + + + + + B.FOSTER & COMPANY, INC.; WAYNESBORO,PA + + + + + B & F SPECIALTIES CO. (CAMP TRAILER) + + + + + BIG BEE TRAILERS OR BIGBEE METAL MANUFATURING CO., INC + + + + + BIG CHIEF MOTORSPORTS (MOTORCYCLES. SCOOTERS, ETC) + + + + + BIG BEAR CHOPPERS + + + + + BIG DOG CUSTOM MOTORCYCLES, INC. + + + + + BINGHAM + + + + + BIGLUG TRAILER WORKS; MARION, WISCONSIN + + + + + B & G TRAILERS + + + + + BRIDGEVILLE MFG, LLC; ELKHART, INDIANA + + + + + BIG WATER TRAILERS; PIERCE, IDAHO + + + + + BURLINGTON HOMES OD MAINE, MODULAR MOBILE HOMES + + + + + BEHNKE ENTERPRISES, INC; FARLEY, IA + + + + + B H WORKMAN & SONS, INC OR WORKMAN & SONS; PRINEVILLE, OREGON TRAILERS & TRUCKS + + + + + BIOHAZARD CYCLES INC; FLORIDA; CUSTOM CYCLES + + + + + BIOT CAMPING TRAILER + + + + + BIANCHI + + + + + BIBB WELDING & TRAILERS, LLC; MAC0N, GE0RGIA + + + + + BIG INCH BIKES ( KC CREATIONS ) KANSAS + + + + + BIDDLE (AUTOMOBILE/CARRIAGE ANTIQUE VEH'S) + + + + + BIEWER INDUSTRIES + + + + + BIG BUBBA'S; 0GDEN, UTAH + + + + + BIG COUNTRY MFG BY HEARTLAND RECREATIONAL VEHICLES,ELKHART, IN + + + + + BIGFOOT INDUSTRIES (2010), INC. BRITISH COLUMBIA, CANADA **FORMERLY-BIGFOOT INDUSTRIES, INC + + + + + BIG HORN TRAILER + + + + + BIG WELL INDUSTRIES + + + + + BIG JOE MANUFACTURING CO. + + + + + BIGMAN ELECTRIC VEHICLES (BARTON INVESTMENT GROUP MFG B.I.G. MAN ELEC POWERED (LSV) + + + + + BIG TEX + + + + + BIG VALLEY TRAILERS, INC.WYNNE, ARKANSAS + + + + + BIG W SALES OR BIGW SALES; STOCKTON, CALIFORNIA TRAILER + + + + + BIG JOHN MFG. CORP HEBER SPRINGS, ARKANSAS + + + + + BILTMORE MOBILE HOMES + + + + + BILKEN ENTERPRISES MFG OF SPECIALTY TRAILER (BOUGHT OUT BY AMERICAN ENTERPRISES + + + + + BILLS WELDING MODEL TRAILER + + + + + BILTRITE MOBILE HOMES + + + + + BILTWELL (OR BUILTWELL) + + + + + BI-MOTOR STALLION + + + + + BIMOTA MOTORCYCLES + + + + + BINKLEY CO., THE + + + + + BINKS MFG. CO.FRANKLIN PARK, ILLINOIS + + + + + BINTELLI MOTORSCOOTERS & CYCLES MANUFACTURED BY EITHER ZIEJIANG OR ZHONGNENE GRP OT TAO TAO GRP CO VMA/ZHNG OR TAOI + + + + + BIRD + + + + + BIRD ENGINEERING, INC. + + + + + BIRKIN CARS (PTY) LTD; SOUTH AFRICA + + + + + BIRMINGHAM MFG. CO., INC.SPRINGFIELD, ALABAMA + + + + + BISCUTER; PEGASIN, ZAPITALLA, FURGONETA & COMMERCIAL MODELS + + + + + BISON MANUFACTURING, LLC / BISON COACH, LLC MILFORD, INDIANA + + + + + BITTER + + + + + BIVOUAC INDUSTRIES, INC.VANDALIA, MICHIGAN + + + + + BIVOUAC CAMPING TRAILERS, LLC ARIZONA TRAILERS ADDED/ASSIGNED 2/25/16 + + + + + BIZZARRINI + + + + + BAJA CUSTOM TRAILERS + + + + + BJ'S CUSTOM TRAILERS; WOODSTOCK, AL + + + + + B & J ENTERPRISES, INC.SIKESTON, MO; MFG. UTILITY TRAILERS + + + + + BJ MFG. CO.HARRISON, ARKANSAS + + + + + BILL JAMES TRAILER SALESWINFIELD, TEXAS + + + + + BIG JOHN TRAILERS; GEORGIA; FORESTRY / LOGGING TRAILERS + + + + + BUCK DANDY COMPANY; TEXAS + + + + + BECKHAM TRAILERS, INC.; WICHITA , KANSAS + + + + + BACK TRACK TRAILERS; ARKANSAS + + + + + BLOOM, INC. + + + + + BLOOMER TRAILER MANUFACTURING INC.LAMARQUE, TX + + + + + BALLOT, FRANCE - FOUNDED 1905 + + + + + BLAW-KNOX CONSTRUCTION EQUIPMENT CO.DIV. OF WHITE CONSOLIDATED INDUSTRIES,INC. MATOON, ILLINOIS + + + + + BLACK BUILT + + + + + BLACK DIAMOND TRAILER, INC.NEW TAZEWELL, TENNESSEE + + + + + BLADE + + + + + BLAZER + + + + + BLANCHARD FOUNDRY CO. + + + + + BLAIR HORSE TRAILER + + + + + BLACK DIAMOND ENTERPRISES + + + + + BLAZE INDUSTRIES + + + + + BLAINE'S CUSTOM MFG. SERVICEJACKSON, MISSISSIPPI + + + + + BLACKWELL BURNER CO.SAN ANTONIO, TEXAS . + + + + + BLAZON MOBILE HOMES CORP. + + + + + BLACK BROTHERS TRAILERS + + + + + BOULDER BOAT WORKS, INC; BOULDER COLORADO TRAILER; ADDED/ASSIGNED 4/4/14 + + + + + BUILDERS CHOICE; ANCHORAGE ALASKA; MOBILE/TEMPORARY OFFICE, SCHOOL, MAN CAMP TRAILERS + + + + + BLACK AND DECKER + + + + + BULLDOG TRAILERS SALES, INC; CHELLAS, WASHINGTON STARTED OUT OF WILSON TRAILERS + + + + + BLADEMOR (GRADER) + + + + + BLUE GATOR BOAT TRAILER + + + + + BLUGRASS TRAILER SALES, INC (DBA-BLUEGRASS TRAILER MFG.) LEBANON JUNCTION, KENTUCKY + + + + + BLUE GRASS TRAILERS, INC.; BLUE GRASS, IOWA + + + + + B-LINE FARM EQUIP.MFRS. CAR TOW & SNOWMOBILE TRAILERS BRISTOL VIRGINIA + + + + + BLITZ MFG. CO. + + + + + BLIX COACH + + + + + BLIZZARD MANUFACTURING; B00NEVILLE, NY; TRAILERS + + + + + BLACK JACK CHOPPERS, INC; HIALEAH GARDENS, FLORIDA MOTORCYCLES + + + + + BIL-JAX, INC; OHIO + + + + + BLACK BEAR MANUFACTURING; WEST VIRGINIA + + + + + BLACK DOG FABRICATING, LLC BANCROFT ID + + + + + BULK EQUIPMENT MFR. INC.BULKINER FEED TRAILER + + + + + BLACKHAWK MOTOR WORKS, INC; FLORIDA + + + + + BULK INTERNATIONAL PRODUCTION FACILITY / BULK SOLUTIONS _BULK INTERNATIONAL S. DE R.L.DE C.V - MEXICO + + + + + BULK SOLUTIONS, LLC OR BULK TANK INTERTNATIONAL; DALLAS, TEXAS + + + + + BLACKSTONE TRAILER COMPANY, LP - FORT WORTH, TEXAS - TRAILERS + + + + + BELLUES WELDING + + + + + BELLVIEW CAMPER + + + + + BELM0NT MACHINE; G0RD0NVILLE, PA + + + + + B-LINE / B-LINE OF COLORADO; GREELEY, COLORADO + + + + + BLUE RIDGE TRAILERS + + + + + BLUE ROCK MFG., INC.; LONG PRAIRIE, MINNESOTA TRAILERS + + + + + BLR MOTORS LINITED; UNITED KINGDON; REPLICA OF LAND ROVER DEFENDER ETC VEH'S + + + + + BILT-RITE TRAILERS INC; SIKESTON, MO; FLATBED, GOOSENECK & UTILITY TRAILERS _ + + + + + BLAKE TRAILERSSTAR, IDAHO + + + + + BLAIR TRAILERS, INC; ERIE, KANSAS TRAILERS + + + + + BLACK TIE PRODUCTS, LLC; ELKHART, INDIANA TRAILERS; ADDED/ASSIGNED 9/2/14 + + + + + BULLET TRAILERS, INC.BOAT TRAILERS, GLEN BURNIE, MARYLAND + + + + + BLUE BIRD BODY CO. + + + + + BLUE DIAMOND TRAILERS, INC DIAMOND, MO + + + + + BLUE RIBBON COACH CO. + + + + + BLUE-RIDGE PRE-BUILT MOBILE HOMES + + + + + BLUEBIRD INTERNATIONAL + + + + + BLUE, JOHN CO.HUNTSVILLE, ALABAMA + + + + + BLUELINE MANUFACTURING CO., INC; MOXEE, WASHINGTON TRAILERS + + + + + BLUM TRAILERS SAINT JOSEPH MO + + + + + BLU LINE INDUSTRIES, LLC; LONGWOOD, FLORIDA DUNE BUGGY; LOW SPEED VEHICLES + + + + + BLUE RIBBON TRAILERS LTD., OKLAHOMA CITY, OK _*** MOVED TO NORTH JACKSON, OHIN, 2008 *** + + + + + BIG LOWBOY S DE R.L DE C.V.SAN NICOLAS, MEXICO _COMMERCIAL TRAILERS + + + + + BILLY DOZIER TRAILERS; CHARLESTON, MISSOURI TRAILERS + + + + + BLUE MOUNTAIN OUTFITTERS, INC.; PENNSYLVANIA + + + + + B-M-B. MFG. CO. + + + + + BOMBARDIER INC.VALCOURT, QUEBEC; SKI-DOO/MOTO SKI + + + + + B M C + + + + + BMC MOTORCYCLE COMPANY, BEND, OREGON (ORIGINALLY WAS BIG MIKE CHOPPERS) + + + + + BOISE MOBILE EQUIPMENT; FIRE APPARATUS + + + + + BMF TRAILER WOORKS, LLC. WISCONSIN + + + + + BIRMINGHAM MOTORCYCLE COMPANY, LLC MOTORCYCLES MOTUS MOTORCYCLES BRAND MFG BY ABOVE + + + + + B & M MFG. CO.SOUTH CAMDENTON, MISSOURI + + + + + BEATRICE MOTOR MART, MFG; MAKER OF EASY-HAUL TRAILERS _ + + + + + BMS MOTORSPORTS; CITY OF INDUSTRY, CALIFORNIA ATV, DUNE BUGGY, GO KART, SCOOTER, UTV + + + + + BOATMATE TRAILERS, INC., MARYVILLE, TN + + + + + BOAT MASTER TRAILERS FT MYERS FLORIDA + + + + + BMW + + + + + BMX ATV'S , MOTORBIKES ETC + + + + + BOUNDER MOTOR HOME MFG BY FLEETWOOD DECATUR, INDIANA + + + + + BANDIT INDUSTRIES; MICHIGAN + + + + + BEN HUR + + + + + BENLEE, INC; ROMULUS, MICHIGAN TRAILERS + + + + + BROWN LENOX & CO. , LTD; UNITED KINGDOM - MINING EQUIPMENT + + + + + B N M TRAILER SALES INC; MICHIGAN (PADDLE KING) + + + + + B & S BOAT TRAILER MFG. CO.GAINESVILLE, FLORIDA + + + + + AMERICAN BANTAM (PREV AMERICAN AUSTIN) + + + + + BONANZA + + + + + BENZHOU VEHICLE INDUSTRY GROUP., CO., LTD; ZHEIJIANG, CHINA MOTORCYCLES, SCOOTERS, ETC.PARENT COMPANY OF SCHWINN MOTOR SCOOTERS VMA/SHWI + + + + + BQ GRILLS; ELM CITY, NORTH CAROLINA (PORTABLE/TRAILER MOUNTED GRILLS/SMOKERS, ETC) + + + + + BROOKLYN TRAILER + + + + + BROADLANE HOMES, INC. OF INDIANA + + + + + BROBTS & ASSOCIATES + + + + + BROCKWAY DISCONTINUED PRODUCTION IN 1977 + + + + + BROADMORE MOBILE HOMES SUBSIDIARY FLEETWOOD TRAILERS & MOBILE HOMES + + + + + BROOTEN FABRICATING, INC. + + + + + THE BROYHILL CO. + + + + + BROKEN ARROW MOBILE HOME + + + + + BRONCCO (ITALY) + + + + + BROCK STAR TRAILER + + + + + BROS. DIV.AMERICAN HOIST DERRICK CO., ST. PAUL,MINNESOTA + + + + + BROOKS BROTHERS TRAILERS, INC. + + + + + BROUGHAM INDUSTRIES, INC. + + + + + BROWN TRAILER DIV CLARK EQUIPMENT CO. + + + + + BROWN INDUSTRIES + + + + + BRACO CUSTOM PRODUCTS CASSOPOLIS MICHIGAN + + + + + BRANDT TRAILERS, INC. + + + + + BRADFORD INDUSTRIES BRADFORD ILLINOIS + + + + + BRALL MOTOR HOME + + + + + BRAMMO, INC; ASHLAND, OREGON, (ELECTRIC MOTORCYCLES) + + + + + BRANSTRATOR ENGINEERING CORP. + + + + + BRASINCA + + + + + BRANTLEY MFG. CO.FREDRICK, OKLAHOMA + + + + + BRAUGHMS TRAVEL TRAILER + + + + + BRAVO TRAILER + + + + + BRANDYWINE TRAVEL TRAILER + + + + + BRAY TRAILERS; TRENT0N, FL + + + + + BRAZOS TRAILER MANUFACTURING, LLC WILLS POINT TEXAS TRAILERS ADDED/ASSIGNED 1/4/16 + + + + + BROTHERS BODY AND EQUIPMENT, LLC; GALION, OHIO + + + + + BERRIEN BUGGY INC., MICHIGAN, DUNE BUGGYS, SAND RAIL VEH'S AND KIT CARS + + + + + BARCO MFG. CO.JOHNSTOWN, PENNSYLVANIA + + + + + BROCK'S TRAILERS, INC OR BROCK'S FIELD SERVICE & FABRICATION BAKERSFIELD, CALIFORNIA - TRAILERS + + + + + BEAR CAT MFG., INC.WICKENBURG, ARIZONA + + + + + BROWN CARGO VAN, INC.; LAWRENCE, KS + + + + + BRADCO; DIVISION OF ATTACHMENT TECHNOLOGIES, INC.IOWA + + + + + BRIDGER FIRE INC.; MONTANA - FIRE APPARATUS / EQUIPMENT + + + + + BROOKS HORSE TRAILER + + + + + BRADLEY GT + + + + + BRODERSON MANUFACTURING CORP. + + + + + BREEDLOVE MOTOR WORKS, INC / VX UNLIMITED; GREER, SOUTH CAROLINA - MOTORCYCLES + + + + + BORCO EQUIPMENT COMPANY, INC. PENNSYLVANIA + + + + + BREEZE MOTOR HOME + + + + + BRENT INDUSTRIES SHELL ROCK, IOWA + + + + + BREAK + + + + + BREMEN SPORT EQUIPMENT, INC.(BREMEN,IN) + + + + + BRENNER TANK, INC.FOND DU LAC, WISCONSIN + + + + + BROTHERS EQUIPMENT INC; CLEVELAND, OHIO - TRAILERS + + + + + BRENTWOOD MOBILE HOMESSUBSIDIARY DEROSE INDUSTRIES, INC. + + + + + BREWER UTILITY + + + + + BREEZE CAMPING TRAVEL TRAILER + + + + + BROUGH / BROUGH SUPERIOR ENGLAND + + + + + BRIDGERS COACHES, INC (AMBULANCES) BECAME TAYLOR MADE AMBULANCES IN 1988 NEWPORT, ARKANSAS + + + + + BRIGGS MANUFACTURING, INC. + + + + + BRIGHT TRAILER MANUFACTURING; DENISON, TEXAS + + + + + BRIDGEVILLE TRAILERS; ELBA, ALABAMA + + + + + BRAHMAN BODIES INC; BOONEVILLE, MISSISSIPPI _TRAILERS + + + + + BRISTOL HOMESDIV. TIDWELL IND., INC., GOSHEN, INDIANA + + + + + BRIANS CHOPPERS; PHOENIZ, ARIZONA + + + + + BRICKLIN + + + + + BRIDGESTONE + + + + + BRIDGE MFG. AND EQUIPMENT CO.WOODBURN, INDIANA + + + + + BRIGADIER MOBILE HOMESDIV. BRIGADIER INDUSTRIES, INC. + + + + + BRIGHTON BUILT TRAILERS BRIGHTON IOWA + + + + + BRILLION IRON WORKS DIV., BEATRICEFOODS CO. + + + + + BRITISH RACING MOTORS / BRM RACING AUTOMOBILES + + + + + BRISTOL + + + + + BRISTOL MFG. CO. + + + + + BARKO HYDRAULICS, LLC; WISCONSIN - MULCHERS, TRACTORS, CRAWLERS + + + + + BROCKHOFF MANUFACTURING, INC SABETHA, KS + + + + + BURKHOLDER MANUFACTURING; PENNSYLVANIA + + + + + BROOK LINE MANUFACTURING INC. BLANCHARD, OKLAHOMA + + + + + BARKAS / BARKAS PROSPEKTE + + + + + BROOKVILLE ROADSTER BROOKVILLE,OH - REPRODUCTION AUTO BODIES + + + + + BROOKWOOD MOBILE HOME + + + + + J.G. BRILL COMPANY; PHILADELPHIA (MERGED WITH AMERICAN CAR ANDFOUNDRY/ACF IN 1944 TO BECOME ACF-BRILL. MFG BUSES,STREETCARS,TROLLEYS AND RAILROAD CARS + + + + + BORELLA + + + + + BRI-MAR MANUFACTURING; CHAMBERSBURG, PA + + + + + BRUNO INDEPENDENT LIVING AIDS, INC.; OCONOMOWOC, WISCONSIN _(HANDICAP SCOOTER/POWER CHAIR TRAILER) + + + + + THE BRAUN CORPORATION; WINAMAC, INDIANA _ MULTIPURPOSE PASSENGER / DISABILITY TRANSPORT VEHICLES + + + + + BRANDY INDUSTRIESCOLON, MI; WHITE TAIL CAMPING TRAILERS. + + + + + BERING TRUCK DISTRIBUTION, LLC FRONT ROYAL, VA + + + + + BARRON FABRICATION, INC (TRAILERS & FARM EQUIPMENT) MINNESOTA + + + + + BRENDERUP TRAILERS INC.; TEXAS + + + + + BURRO, TRAVEL TRAILERS ESCONDIDO CALIFORNIA + + + + + BRAUN INDUSTRIES, INC. AMBULANCES; OHIO + + + + + BARRO TRAILER MANUFACTURING; MODESTO, CALIFORNIA _TRAILERS - ADDED/ASSIGNED 4/30/14 + + + + + BARRY'S TRAILERS; SARASOTA, FLORIDA - TRAILERS + + + + + BRISTER'S DESIGN AND MANUFACTURING CO., INC. _ROSELAND, LOUISIANA - CYCLES, ATV'S UTV'S ETC + + + + + BRUSH ROADSTER + + + + + BRANSON TRAILER MFG., OZARK, MISSOURI + + + + + BRIGGS & STRATTON CORP. + + + + + BERTOLINI CONTAINER CO.BUTLER, NEW JERSEY + + + + + BOS RADIATEUREN SERVICE EN TRIKE-BOUW BV; NETHERLANDS + + + + + BRUTE EQUIPMENT INC.GLEN ALAN, MISSISSIPPI + + + + + BRAE TRAILERS, INCSTOUGHTON, WI; PIGGYBACK SEMI-TRAILERS + + + + + BEAR TRACK PROD. INC TRAILERS + + + + + BARTELL / BARTELL MORRISON USA, NEW JERSEY COEQ,TRAILER TRAILER MOUNTED CONCRET MIXER ETC + + + + + BARRETO MANUFACTURING, INC; LAGRANDE, OREGON TRAILERS AND FARM & GARDEN EQUIP; ADDED/ASSIGNED 5/6/14 + + + + + BEAR TRAILER MFG., INC.LEBANON, MISSOURI + + + + + BARETTA + + + + + BRUNSWICK TRAVEL TRAILER + + + + + BRUTON EASY PULL TRAILER + + + + + BRUTT + + + + + BRUTANZA BRUTANZA ENGINEERING, INC. + + + + + BR0WARD TRAILER; 0AKLAND PARK, FL + + + + + BROWN + + + + + BRAWLEY WELDING & TRAILER MFG.,INC VANCOUVER, WA + + + + + BOBSHOP MILWAUKEE WI + + + + + BSA (UNITED KINGDOM) + + + + + BUSSE BROWN TRAILER + + + + + BUSHTEC PRODUCTS CORPORATION; JACKSBORO, TENNESSEE TRAILERS + + + + + BOSSKI INC., CALDWELL, IDAHO + + + + + BISMARCK TRAILER SALES; BISMARCK, ARKANSAS + + + + + BESTBILT TRAILERS (HARBBRO LLC); MOUNT PLEASANT, TEXAS *** HARBBRO LLS IS DOING BUSINESS AS BESTBILT TRAILERS + + + + + BEST TRAILER INC; CALIFORNIA + + + + + BESTWAY INC., HIAWATHA, KANSAS + + + + + BATTECH ENTERPRISES DBA-DARTRON INC.INC. PORTABLE AMUSEMENT RIDES + + + + + BOAT TRAILERS DIRECT, INC; PLANT CITY, FLORIDA _(BOAT TRAILERS) + + + + + BRADTEC, LTD.; DERBY, KS + + + + + BOOTHILL CUSTOM TRAILERS; SIKESTON, MISSOURI + + + + + BEUTHLING, WISCONSIN CONST EQUIP - ASPHALT & PAVING EQUIP + + + + + BUTLER TRAILER MFG., WEST, INC; OROFINO, IDAHO TRAILERS + + + + + PELLETIER MANUFACTURING, INC; MILLINOCKET, ME - TRAILERS + + + + + BOATMATE TRAILERS, INC - MARYVILLE, TN + + + + + BIG TONY'S CHOPP SHOP, INC.; CRETE,ILLINOIS + + + + + BOAT TRAILERS PACIFIC, INC TRAILERS + + + + + BEAR TRACK PRODUCTS, INC; MINNESOTA; TRAILERS + + + + + BATAVUS MO-PED + + + + + BUSHBABBY CHOPPERS; NAMPA, IDAHO + + + + + BUCKO, INC.BUHL, INDIANA + + + + + BUCCANEER MOBILE HOMES DIV BRIGADIER INDUSTRIES, INC. + + + + + BUCITA POP TOP TRAILER + + + + + BUCK CAMPER CO. + + + + + BUCKEYE MOBILE HOMES, INC. + + + + + BUCKEYE FLATBED TRAILER + + + + + BUCKSKIN TRAILER MFG. CO.BOOSIER CITY, LOUSISIANA + + + + + BUCYRUS-ERIE CO. + + + + + BUDD CO. TRAILER DIVISION, FORMERLY GINCHY MFG. CORP. DOWNINGTOWN PENNSYLVANIA + + + + + BUDDY MOBILE HOMES, INC.DIV. SKYLINE HOMES + + + + + BUDGER MFG. CO. + + + + + BUDMASH KIEV, UKRAINE TRAILERS + + + + + BUCK DRAGSTER FLATBED + + + + + BUDSON KNOBBY FLATBED TRAILER + + + + + BUELL MOTOR CO.BECAME ERIK BUELL RACING, LLC AS OF 2003 BUELL IS 51 PERCENT OWNED BY HARLEY DAVIDSON BUELL RACING EBR VMA/EBRR IS SEPARATE MFG NOT ASSOC WITH PREVIOUS BUELL MOTOR CO'S + + + + + BUFFALO-BOMAG DIV.DIV. OF KOEHRING CO. + + + + + BUG + + + + + BUGATTI + + + + + BUHL MACHINE WORKS + + + + + BUICK + + + + + BUILT RITE TRAILER + + + + + BULK-HAULER TRAILER SEE KELLEBREW MFG CO. + + + + + BULLMOBILE TRAILER, INC.CALDWELL, KANSAS + + + + + BULK MANUFACTURING COMPANY; PLANT CITY, FLORIDA + + + + + BULLETTPROOF TRAILERS (BULLETT PROOF TRAILERS) PARENT COMPANY BANR MANAGEMENT, LLC; FAIRBANKS, ALASKA + + + + + BULK RES0URCES,INC.; LAS VEGAS, NV (DBA) D0ING BUSINESS AS BULK MANUFACTURING COMPANY; NOT SAME AS BULK MANUFACTURING CO; PLANT CITY,FL + + + + + BULTACO (SPAIN) + + + + + BULLSEYE TRAILERS; GEORGIA TRAILERS + + + + + BUNKER-TRIKE S.L. BARCELONA, SPAIN + + + + + BUNTON COMPANYLOUISVILLE, KENTUCKY + + + + + BUNYAN, PAUL CO. + + + + + BURRITO (ALSO SEE MAKE J.C.PENNEY) + + + + + BURCH TRAILER + + + + + BURKEEN EQUIPMENT & SUPPLY CO.MEMPHIS, TENNESSEE + + + + + BURLEY IRON WORKS; BURLEY, IDAHO TRAILERS + + + + + BURKHART TRAILER MFG. CO. + + + + + BURLINGTON MFG. CO. + + + + + BURNUP AND SIMS, INC.WEST PALM BEACH, FLORIDA + + + + + BURRIS STOCK TRAILER + + + + + BUSHOG DIV.SUBSIDARY OF ALLIED PRODUCTS CORP.SELMA, ALABAMA + + + + + BUSHCRAFT TRAILER + + + + + BUFFALO-SPRINGFIELD DIV.DIV. OF KOEHRING CO. + + + + + BUTLER, L. T. + + + + + BUTLER MFG. CO. + + + + + BUSHTREE MANUFACTURING; ORLAND, CALIFORNIA _TRAILER + + + + + BUTTERFIELD MUSKETEER + + + + + BEAVER CREK ENT. ; MOKENA, IL + + + + + BETTER-WAY PRODUCTS, INC; INDIANA (BISSON) + + + + + BROADWAY CHOPPERS; SCHENECTADY, NEW YORK _MOTORCYCLES + + + + + BLACK WIDOW CUSTOM MOTORCYCLE WORKS, INC., ODESSA, FLORIDA + + + + + B & W CUSTOM TRAILERS; FORT WORTH, TX + + + + + BETTER WEIGH MANUFACTURING; TOLEDO, WASHINGTON - TRAILERS + + + + + B & W HOMES, INC. + + + + + BWISE TRAILERS ALSO - ALTERNATE HEATING SYSTEMS, LLC CHAMBERSBURG, PENNSYLVANIA + + + + + BOWEN MCLAUGHLIN YORK (BMY) DIV OF HARASCO NOW VMA/BAE SYSTEMS VMA/BAES + + + + + BWS MANUFACTURING LTD.; CANADA + + + + + BAKER-YORK FORKLIFT + + + + + BYD AUTO OR VYD AUTO CO., LTD; CHINA & U.S.A HYBRID & ELECTRICVEHICLES,AUTOS,SUV'S,BUSES,MPV'S + + + + + BYERLY TRAILER & MFG. CO. + + + + + BAY HORSE INNOVATIONS, INC.; CYNTHIANA, KENTUCKY + + + + + BOYDSTUN METAL WORKS, INC.PORTLAND, OREGON + + + + + BUYANG GROUP CO., LTD., CHINA; ATV'S, POCKET BIKES, MOTORCYCLES; ALSO ASUN BRAND (DISTRIBUTES MOTOBRAVO BRAND) + + + + + BYERS MFG. INC.LAWTON, MICHIGAN + + + + + BYERS + + + + + BYE-RITE CORPORATION, ROBERTSDALE, ALABAMA - TRAILERS + + + + + BYS0N TRAILERS + + + + + BAY STAR & BAY STAR SPORT; MFG Y NEWMAR CORP + + + + + B & Z ELECTRIC CAR CO. + + + + + BILLS RAZORBACK TRAILER CO; OZARK, ARKANSAS + + + + + COOL CITY,INC.(COOL CITY AVIONICS) COOL, TEXAS _MOTORCYCLES + + + + + COOSE TRAILER MFG. CO.LOCKWOOD, MISSOURI + + + + + COOK SEMI TRAILER + + + + + COOLSTER MOTORSCOOTERS BY MAXTRADE + + + + + COON CUSTOM COACH MFG. + + + + + COOPER + + + + + COOS-BILT TRAILERS + + + + + COACH CRAFT, INC. + + + + + COACHMEN HOMES CORP.SUBSIDIARY COACHMEN INDUSTRIES,INC. MIDDLEBURY, IN + + + + + COACH HOUSE,INC.; NOKOMIS,FL;CLASS B MOTORHOME + + + + + MIDDLEBURYMFD. BY COACHMEN HOMES DIV.COACHMAN INDUSTRIES, INC. + + + + + COASTAL TRAILER CORP. + + + + + ARRIVA MODEL, MFG BY COACH HOUSE, INC.VMA/COAI + + + + + COBRA MOTORCYCLES + + + + + AC COBRA + + + + + COBURN INDUSTRIES, INC. + + + + + CONMACO, INC. + + + + + COUNTRY COMFORT TRAILERS + + + + + COCHRAN WESTERN CORP.SUBSIDIARY OF WESTERN GEAR CORP. + + + + + C0UNTRY CLIPPER; RIDING M0WERS; JAZEE M0DEL DIVISI0N 0F SHIVVERS MANUFACTURING + + + + + CONCEPTOR INDUSTRIES, INC. + + + + + CODA AUTOMOTIVE, INC., SANTA MONICA , CALIFORNIA - ELECTRIC VEHICLES + + + + + CODY MOTORCYCLE TRAILER + + + + + UNPUBLISHED CONSTRUCTION EQUIPMENT MFR.SEE OPERATING MANUAL, PART 1,SECTION 2 + + + + + GALLERIA; BRAND MFG BY COACHMEN + + + + + COKER ENTERPRISES; TYLER TEXAS + + + + + COLORADO MOBILE HOMES + + + + + COLUMBIA MFG. CO. (SUBSIDIARY YARD-MAN CO. COLUMBIA COMMUTE + + + + + COLE MOTOR CAR COMPANY; INDIANAPOLIS ANTIQUE MOTOR VEHICLES + + + + + COLEMAN CAMPING TRAILERS + + + + + COLONIAL MOBILE HOMES MFG. + + + + + COLONY MFG. & SALES CORP. + + + + + COLLINS BUS; ACQUIRED MID BUS CORPORATION IN 2007 + + + + + COLUMBIA TRACTOR MOWER + + + + + COLUMBIA NORTHWEST, INC, MAMMOTH, PA MAKER OF ALINER, SPORTLINER,SCOUT, ALITE 300 400, CABIN A RETREAT & TWIST TRAILERS + + + + + COLT CAMPER, INC. + + + + + COLUMBIA MOBILE HOMES, INC. + + + + + COLT + + + + + COLUMBINE CAMP & COACH + + + + + COLEMAN'S CUSTOM WELDING, INC (C.C.W.INC) TEXAS + + + + + COMET MOBILE HOMES + + + + + COMANCHE MOBILE HOMES + + + + + COMBS TRAILER MANUFACTURING OR COMBS MANUFACTURING CONWAY, SOUTH CAROLINA + + + + + COMANCHE TRAILER CORP. + + + + + COMMANDER MOTOR HOME + + + + + COMET CORP.SPOKANE, WASHINGTON + + + + + COMFORTS OF HOME SERVICES, INC MONTGOMERY, ILLINOIS + + + + + COMPETITIVE BOAT TRAILER + + + + + COMMERCIAL STRUCTURES ANPPANEE,INDIANA + + + + + COM-CAMP + + + + + COMET CONSTRUCTION CO. + + + + + COMMODORE CORP.SYRACUSE, INDIANA + + + + + COMMERCIAL VEHICLES, INC.TULSA, OKLAHOMA + + + + + COMET RIDING MOWER + + + + + COMMUTER INDUSTRIES, INC. + + + + + COMMUTER VEHICLES, INC. + + + + + COMMUNE MFD BY COMMUNITY HOMES, INC. + + + + + CONDOR COACH + + + + + CONSTRUCTORS AND ASSOC; LANG LAKE, MINNESOTA COMMERCIAL TRAILERS + + + + + CONCORD MOBILE HOMES + + + + + CONDOR + + + + + CONCORD TRAVELERS + + + + + CONFEDERATE MOTOR WORKS, INC. + + + + + CONESTEGA MFG. CO. + + + + + CONDOR MOTOR HOME + + + + + CONESTOGA MOBILE HOMES + + + + + CONNELL INDUSTRIES, INC.PHIL CAMPBELL, ALABAMA + + + + + CONTEMPORI MOBILE HOMES, INC. + + + + + CONNAUGHT + + + + + CONSOLIDATED MOBILE INDUSTRIES + + + + + CONQUEST TRIKE OF TAMPA BAY, LLC - CLEARWATER FLORIDA + + + + + CONNER INDUSTRIES, INC. + + + + + CONTESSA + + + + + CONTINENTAL + + + + + CONSULIER + + + + + CONTINENTAL OF COLORADO, INC. + + + + + CONTINENTAL HOMES, INC. + + + + + CONTINENTAL MFG. CO., INC. + + + + + CONY TRUCK (JAPAN) + + + + + CONVERTO COMBRIDGE CITY,INDIANA DIV. GOLAY &CO., INC. + + + + + COOPER ALPINE MOTOR HOME + + + + + COPCO STEEL & ENGINEERING SOUTHBEND, INIANA + + + + + COPPERSTATE COACH CO. + + + + + COPY CATT TRAILERS; HUGO, OKLAHOMA TRAILERS + + + + + CORONA COACH CO. + + + + + CORAS WELDING SHOP, INC; STREATOR, ILLINOIS _TRAILERS + + + + + CORBITT + + + + + CORD + + + + + CORE MOTOR HOME & CORE TRAILERS; MFG BY KIBBI,LLC RENEGADE + + + + + CORDER MFG. CO., INC. + + + + + CORN BELT MANUFACTURING, INC.EARLY, IOWA + + + + + CORRECT CRAFT, INC. + + + + + CORSAIR DIV.DIV. DIVCO-WAYNE INDUSTRIES + + + + + CORTEZ HOUSE TRAILER + + + + + CORVETTE TRAVEL TRAILER + + + + + C0REY ENTERPRISES, INC; LA GRANGE ME; C0REY/REDLINE TRAILERS + + + + + COSMO + + + + + CONCRETE SURFACING MACHINERY DIV.,STEWART INDUSTRIES, INC. + + + + + CORNER UTILITY TRAILER + + + + + CARRY ON TRAILER CORP + + + + + COTTON + + + + + COTTAGE-ETTE MFG. + + + + + CORTEZ MOTOR HOME + + + + + COUNTRY-AIRE TRAVEL TRAILER + + + + + C0UNTRY BLACKSMITH LLC + + + + + COUNTRYSIDE INDUSTRIES, INC. + + + + + COUNTRYSIDE MANUFACTURING, LLC; FLORALA, ALABAMA + + + + + COUNTRY SQUIRE TRAVEL TRAILER + + + + + COURTHOUSE CAMPER TRAILER + + + + + COVINGTONS CYCLE CITY, LLC, OKLAHOMA MOTORCYCLES + + + + + COVERED WAGON TRAILER + + + + + COVENANT OR COVENANT CARGO; DOUGLAS GEORGIA + + + + + CONTINENTAL WORLD MARINE MEXICO TRAILERS + + + + + CONWAY + + + + + COX TRAILERS + + + + + COYOTE MFG. CORP.CORONA, CALIFORNIA + + + + + COYNCO PRODUCTS + + + + + COZAD TRAILER SALESSTOCKTON, CALIFORNIA + + + + + COZY TRAILER, WAKARUSA, IN + + + + + CARABELA (MEXICO) + + + + + CARROCERIAS AYATS, S.A.; ESPANA BUSES PLATINUM,ATLANTIS,ATLAS2,BRAVO IR,BRAVO II,CITY USA,BRAVO I CITY MODELS + + + + + CABANA MOTOR HOME + + + + + CAMPUS BIKE + + + + + CABLE CAR CONCEPTS; CAPE MAY, NEW JERSEY + + + + + CAR CADDY + + + + + CALLAHAN CUSTOM CHOPPERS, INC., CLERMONT, FLORIDA CUSTOMIZED BUILT MOTORCYCLES/CHOPPERS + + + + + CAN-CAR CANADIAN CAR TRAILER SALES DIV.REXDALE, ONTARIO--DIV.OF HAWKER-SIDDELEY, CANADA + + + + + CLASSIC ACQUISITIONS/CLASSIC VENTURES; HERNANDO,FLORIDA + + + + + CAPER CYCLE + + + + + CADET COACH CORP. + + + + + CADILLAC FABRICATION INC + + + + + CADILLAC + + + + + CADMAN POWER EQUIPMENT LIMITED, ONTARIO, CANADA + + + + + CAPE ADVANCED VEHICLES (PTY) LTD-CAPE TOWN SOUTH AFRICA + + + + + CAROLINA EQUIPMENT SALES, INC. FORT MILL SOUTH CAROLINA _TRAILERS + + + + + CALIFFO + + + + + CAGIVA OR CAGIVA MOTOR S.P.A. + + + + + CAMPBELL-HAUSFELD DIV., SCOTT & FETZER CO + + + + + CAJUN CARGO TRAILERS LLC; PEARSON, GEORGIA TRAILERS- ADDED/ASSIGNED 10/9/14 + + + + + CAPRIOLO + + + + + CALIBER TRAVEL TRAILER MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + CALCINATOR + + + + + E. L. CALDWELL & SONS, INC. + + + + + CALIFORNIA CAMPER MFG. + + + + + CALIFORNIA MOBILE HOMES + + + + + CALVIA BROTHERS TRAILER MFG. + + + + + CALLAHAN ENGINEERING CO. + + + + + CALUMET CO., INC. + + + + + CALLEN CAMPER CO. + + + + + CALTHORPE MOTORCYCLE CO OR CALTHORPE MOTOR CO; BIRMINGHAM, ENGLAND - MOTORCYCLES AND MOTORCARS; ESTABLISHED 1904 + + + + + CALIS TRAVEL TRAILER + + + + + CAL TRAILER MANUFACTURINGSAN FERNANDO, CALIFORNIA + + + + + CALUMET COACH CO. + + + + + CALDWELD DIV., SMITH INTERNATIONAL,INC. + + + + + CALYPSO + + + + + CAMPER CORP. OF AMERICA + + + + + CAMBRIDGE HOMES, INC. + + + + + CAMBRIDGE MFG. CO., INC. + + + + + CAMP CRUISER MFG. CO. + + + + + CAMEL CAMPER TRAILER + + + + + CAMP EQUIPMENT CO., INC + + + + + CAMP FOUR INDUSTRIES, INC. + + + + + CAM-PACT CO., INC. + + + + + CAMP-A-WHILE HOMES MFG. CO. + + + + + CAMPER CITY COACH CRAFT + + + + + CAMPER DE VILLE, INC. + + + + + CAMPERS, INC. + + + + + CAMPERS UNLIMITED + + + + + CAMELOT CAMPER TRAILER + + + + + CAMP-MOR, INC. + + + + + CAMP-N-ALL CO. + + + + + CAM-O-TEL CORP. + + + + + CANOGA MFG. CO., INC.MFG. CEMENT MIXER + + + + + CAN-AM ATV'S + + + + + CAN-CAR INC.TREE-FARMING EQUIPMENT DIV HAWKER-SIDDELEY ONTARIO, CANADA + + + + + CANADIAN TRAILMOBILE LTD. + + + + + CANE RIVER TRAILER CO., INC.NATCHITOCHES, LOUISIANA + + + + + CANOGA CLASSIC CAMPERS + + + + + CANNONDALE CORPORATION, MOTORCYCLES + + + + + C & S + + + + + CANTON TRAILER CO. + + + + + CANADIAN ELECTRIC VEHICLES LTD. ALTERNATIVE FUEL VEHICLES AND PARTS FOR CONVERTING VEHICLES TO ELECTRIC POWER _ + + + + + CANYON STAR; MFG BY NEWMAR CORP + + + + + CAPRI (IMPORTED BY MERCURY PRIORTO 1979) + + + + + CAPONES STREET ROD MOTORCYCLES; SHELBYVILLE, INDIANA MOTORCYCLES + + + + + CAPITAL INDUSTRIES, INC. + + + + + CAPCO FLATBED + + + + + CAPRECARROCERIAS PRECONSTRUIDAS SASAN NICHOLAS, MEXICO, BUS TRAILERS + + + + + CATAPHOTEDIV. FERRO CORP., JACKSON, MISSISSIPPI + + + + + CAPITOL + + + + + CAPITOL TRAILER COACH CO. + + + + + CAPRICE HOMES MFS. CO. + + + + + CAPRI + + + + + CAPACITY OF TEXAS, INC.LONGVIEW, TEXAS SUBSIDIARY OF COLLINS BUS INC (VMA/COLL) + + + + + CAROLINA TRAVEL TRAILERS + + + + + CAR CAMP + + + + + CARAVAN INDUSTRIES + + + + + CARTER TRAILER CO., INC.NEWPORT, ARKANSAS + + + + + CARAVEL INDUSTRIES WYLLIESBURG VIRGINIA + + + + + CARDINAL INDUSTRIES + + + + + CARE-FREE CAMPER MFG. CO. + + + + + CARRIAGE, INC.(C-FORCE AKA CENTER FORCE 5TH WHEEL) + + + + + CARDINAL HOMES, INC. + + + + + CARIBOU CRAFT PICKUP CAMPER & TRAILERMFG. CO. + + + + + CARLEY + + + + + CARLISLE + + + + + CARMA MFG. CO. + + + + + CAROLINA MOBILE HOMES + + + + + CARPENTER MANUFACTURING, INCMITCHELL, IN + + + + + CARRIE-CRAFT DIV.DIV. THRIFT CTS. OF AMERICA + + + + + CARRY CRAFT TRAILERS + + + + + CAR-TEL CORP. + + + + + CARNES WELDING & FABRICATING CO.CRESCENT, OKLAHOMA + + + + + CAREY TRAILERS, INC.WEATHERFORD, TEXAS + + + + + CASA MANANA MFG. CORP. + + + + + CASCADE CORP. + + + + + CASE, J. I., CO.SUBSIDIARY TENNECO. INC. + + + + + CASCADE COACH CO. + + + + + CASITA ENTERPRISES, INC.; TEXAS + + + + + CASAL + + + + + CASCADE CUSTOM MANUFACTURING, INC; CASCADE, IOWA TRAILERS + + + + + CASH TRAILERS, INC.TROY, ALABAMA + + + + + CASTLE ENTERPRISES, INC. + + + + + CASUAL MOTORHOMES + + + + + CONVEYOR APPLICATION SYSTEMS (DBA-CAS); EUGENE, OREGON _CONVEYOR SYSTEMS; COEQ & FARM/GARDEN EQUIP- ADDED/ASSIGNED 9/29/14 + + + + + CATERPILLAR TRACTOR CO. + + + + + CATOLAC CORP. + + + + + CATALINA AMPHIBIOUS HOMES + + + + + CLASSIC ALUMINUM TRAILER CORP, LITTLESTOWN,PA + + + + + CATERHAM CARS; UNITED KINGDOM + + + + + CARSON TRAILER INCCARSON, CA; UTILITY TRAILERS + + + + + CATALINA MOTOR HOME + + + + + CAT + + + + + CALKINS BOAT TRAILER / CALKINS MANUFACTURING; SPOKANE, WA + + + + + CAVALIER HOMES, INC. + + + + + CAVALIER TRAILER MFG. CO. + + + + + CAVEMAN INDUSTRIES + + + + + CALVACADE INDUSTRIES, INC.WHITE PIGEON, MICHIGAN + + + + + C-HAWK TRAILERS + + + + + CAZZANI CUSTOM CYCLES, INC; CRANSTON, RHODE ISLAND _MOTORCYCLES + + + + + C & B CUSTOM MODULAR, INC.; BRISTOL, TENNESSEE + + + + + COLUMBIA BODY & EQUIPMENT COMPANY PORTLAND, OR + + + + + CSTOM BUILT GOOSENECK TRAILERS, INC. SULPHUR SPRINGS, TEXAS + + + + + C. B. MFG. CO., INC. + + + + + COLORADO BUILT MANUFACTURING, INC; BURLINGTON, COLORADO _TRAILERS & CAR HAULERS + + + + + C & B QUALITY TRAILER WORKS, INC., CALDWELL, IDAHO (TRAILERS) + + + + + CARTER BR0THERS + + + + + COBRA TRAILERS, GERMANY; ALFRED SPINDELBERGER + + + + + C B REPAIR AND TRAILER MAINTENANCE, INC PELL CITY, AL + + + + + CRUSTBUSTER SPEED KING, INC.; DODGE CITY, KANSAS + + + + + CUSTOM BUILT TRAILERS OR CUSTOM TRIKES, INC. _ARIZONA TRIKES & ACCESSORIES, INC. - PHOENIX AZ + + + + + CUSTOM BUILT TRAILER SALES; LUBBOCK, TEXAS + + + + + BUTLER, C. TRAILER MFG. CO.GREENSBORO, NORTH CAROLINA + + + + + COULSON COMMANDER TRAILERS; IDAHO + + + + + CUSTOM COTTAGES, INC SHAKOPEE, MN + + + + + CEN-CAL TRAILER; FRESNO, CALIFORNIA + + + + + CCC CRANE CARRIER-A CCI CO + + + + + CHARLOTTE COUNTY CUSTON CYCLES; PORT CHARLOTTE, FLORIDA CUSTOM MOTORCYCLES + + + + + CIRCLE CITY CHOPPERS, LLC; INDIANAPOLIS, INDIANA - MOTORCYCLES + + + + + CAREFREE CUSTOM CYCLES, LLC + + + + + C & C DISTRIBUTORS, INC.; WINSLOW, ME + + + + + CAL CENTRAL CATERING TRAILERS; MODESTO, CA + + + + + CUSTOM CHROME; CALIFORNIA - MOTORCYCLES (KIT-STREET USE) + + + + + CART CONCEPTS INTERNATIONAL, LLC; MANCHESTER, CONNECTICUT _TRAILERS / FOOD VENDING CARTS - ADDED/ASSIGNED 12/4/14 + + + + + C&C MANUFACTURING & FAB; HAZLETON, PA + + + + + CC MANUFACTURING INC. ELKHART, IN + + + + + COUNTRY COACH MOTOR HOMEJUNCTION CITY, OREGON + + + + + CAROLINA CUSTOM PRODUCTS, INC, UNION GROVE, NORTH CAROLINA _MOTORCYCLES + + + + + CALCROSS S DE R.L DE C.V.; MEXICO + + + + + CC RIDER TRAILER CO; REIDSVILLE, NORTH CAROLINA + + + + + C & C TRAILERS, INC. NORMAN OKLAHOMA + + + + + CREATE-A-CUSTOM CYCLE; TOMBSTONE,AZ + + + + + CUSTOM CHOPPERWERKS, INC, FLORIDA + + + + + CC CYCLES, SPENCERPORT, NY + + + + + CEDARRAPIDS (DIV OF TEREX) + + + + + FRANKLIN RETREATS BRAND; MFG BY C3 DESIGNS, INC + + + + + C3 RETREATS BRAND; MFG BY C3 DESIGN, INC + + + + + C3 DESIGN, INC; MISSISSIPPI + + + + + EAGLE & EAGLE LITE; MFG BY CAHRIOT EAGLE INC + + + + + CECO EQUIPMENT, INC; KILGORE, TEXAS + + + + + CREATIVE & ELEGANT DESIGNS, INC. OLDSMAR, FLORIDA TRAILERS - ADDED/ASSIGNED 9/3/14 + + + + + EAGLE CREEK MODEL; MFG BY CHARIOT EAGLE, INC (CEWI) _TRAILER + + + + + CZ ENGINEERING, INC.DIXON, MISSOURI + + + + + HAWK SERIES; MFG BY CHARIOT EAGLE, LLC VMA/CEWI HAWK CLASSIC HAWK LITE, ETC + + + + + CEI EQUIPMENT COMPANY, INC; CEDAR RAPIDS, IA + + + + + CENTRAL INDUSTRIES, INC. + + + + + CENTRAL HITCH & EQUIPMENT, INC., GREENWELL SPRINGS,LA + + + + + CENTURION INTERNATIONAL, INC.WACO, TEXAS + + + + + CENNTRO AUTOMOTIVE CORPORATION CENTRO MOTOR CORPORATION ELEC PASS CARS AND TRUCKS NEW JERSEY,NEVADA + + + + + CENTRAL PURCHASING, INC; CALIFORNIA + + + + + CENTURY AUTO BODY & TRAILER MFG. CO. + + + + + CENTAUR + + + + + CENTURION TRAVEL TRAILER + + + + + CENTURY ENGINEERING CORP. + + + + + CERTIFIED BOAT TRAILER + + + + + C E SMITH CO., INC; NORTH CAROLINA + + + + + TROPHY PARK MODEL; MFG BY CHARIOT EAGLE, LLC (VMA/CEWI) + + + + + CEVA MFG. CO. + + + + + CHARIOT EAGLE, INC (FL) CHARIOT EAGLE WEST, INC (AZ) FLORIDA & ARIZONA_(CHARIOT EAGLE LITE, CHARIOT EAGLE KOA) _(PURCHASED BY PALM HARBOR HONES, INC - 2015) + + + + + CEZETTA + + + + + CAM FAB, INC; MICHIGAN TRAILERS + + + + + CUSTOM FAB BODY BODIES ANDTRAILERS, INC.INDIANA, PENNSYLVANIA + + + + + CRAFCO, INC.; CHANDLER, ARIZONA TRAILERS + + + + + COLONY FACTORY CRAFTED HOMES SHIPPENSVILLS, PA + + + + + CHUNFENG HOLDING GROUP CO., LTD.; CHINA MOTORCYCLES OR CF MOTO/ CFMOTO + + + + + RAD CUSTOMS, LLC (DBA-CENTRAL FLORIDA CHOPPERS) LONGWOOD, FLORIDA ADDED/ASSIGNED 9/5/14 + + + + + CENTRAL FLORIDA TRAILER SALES, INC.; HERNANDO, FLORIDA WMI-1C9/961 + + + + + CF'S WELDING SERVICE AND CUSTOM PRODUCTS; ALEXANDRIA,LA + + + + + CARGOMATE TRAILER ; CAMPING + + + + + CGS PREMIER INC. NEW BERLIN, WI + + + + + J & L'S CARGO EXPRESS, INC.OR CARGO EXPRESS; BRISTOL, INDIANA + + + + + CHRYSLER OUTBOARD CORPORATIONHARTFORD, WI + + + + + CHOICE TRAILER MANUFACTURING, LTD; HOUSTON, TEXAS - TRAILERS + + + + + CHOPPER NATION INC. MIAMI, FLORIDA MOTORCYCLES + + + + + CHA0ZHONG INDUSTRIAL CO., LTD OR ZHEJIANG CHAOZHONG INDUSTRIAL CO., LTD, CHINA; MOTORCYCLES, DIRTBIKES & ATV'S + + + + + CHALLENGE-COOK BROTHERS, INC.INDUSTRY, CALIFORNIA + + + + + CHALLENGER HOMES, INC.COLUMBIA, TENNESSEE + + + + + CHARGER PICK-UP CAMPERS + + + + + CHARMAC TRAILERS + + + + + CHAIKA + + + + + CHAMBERLIN TRAILERS; HAMPTON, IOWA + + + + + CHAMPION HOME BUILDERS CO.DRYDEN, MICHIGAN + + + + + CHANG JIANG (MOTORCYCLES) DONG TIAN ENTERPRISES + + + + + CHAPARRAL + + + + + CHARLAMOR CORP. + + + + + CHATEAU MFG. CO., INC. + + + + + CHAUSSE MANUFACTURING CO., INC. + + + + + CHATTIN BOAT TRAILERS; IDAHO TRAILERS + + + + + CHAMP CORP. + + + + + CRAFTSMAN MODEL; MFG BY CHANPION HOME BUILDERS + + + + + CHANCE COACH INC. WICHITA,KS, CITY TRANSIT BUSES + + + + + CHEMICAL CONTAINERS INC. FLORIDA + + + + + COUNTRYSIDE; BRAND MFG BY CHINOOK MOTOR COACH, LLC + + + + + CHEROKEE CAMPER + + + + + CHECKER + + + + + CHERNE INDUSTRIAL, INC.EDINA, MINNESOTA + + + + + CHEM-FARM, INC. + + + + + CHENEY WEEDER, INC. + + + + + CHEVRON CORP.ELKHART, INDIANA + + + + + CHEROKEE MOBILE HOMES + + + + + CHESAPEAKE MOBILE HOMES + + + + + CHESTON & ESHELMAN CO. + + + + + CHEVROLET + + + + + CHEVELLE MOBILE HOMES, INC. + + + + + CHER0KEE FABRICATI0N, INC.0CALA, FL + + + + + APH-GRAND PARK (ATHENS PARK HOMES-NOW MFG BY CHAMPION HOME BUILDERS, INC; VMA/CHAM) + + + + + CHICAGO PNEUMATIC TOOL CO. + + + + + CHIBI + + + + + CHICKASHA MOBILE HOMES + + + + + CHIEF OCALA TRAILER MFG. + + + + + BONNAVILLA MFG BY CHIEF INDUSTRIES + + + + + CHILTON TRAILER CO., INC. + + + + + CHIPMORE MFG. CO., INC.MFRS. CHIPPERS BAY CITY, MICHIGAN + + + + + CHING-KAN-SHAN + + + + + CHIPPEWA MOBILE HOMES CORP. + + + + + CHISOLM TRAILERS, INC.CHICKASHA, OK + + + + + CHEROKEE MANUFACTURING COMPANY; SWEETWATER, TN + + + + + CHASSIS KING, LLC; CLEARWATER, FL + + + + + CHALLENGER TRAILER + + + + + CAHLLENGER; MFG BY THOR MOTOR COACH INC. + + + + + CHANGSHU LIGHT MOTORCYCLE FACTORY; JIANGSHU PROVINCE-CHANGSHU CITY CHINA - MOTORCYCLES, SCOOTERS, ETC + + + + + CHALET RV INC; OREGON; ALPINE, ARROWHEAD, ASPEN & LTW MODELS + + + + + CHER0KEE M0T0RCYCLE C0MPANY; 0KLAH0MA F0RMERLY KN0WN AS ''FAST TRAC MANUFACTURING '' 0UT 0F CALIF0RNIA + + + + + CHAPARRAL MANUFACTURING, M0UNDRIDGE, KS (N0T SAME AS CHAPARRAL INDUSTRIES 0R CHAPARRAL + + + + + TAIZHOU CHUANL MOTORCYCLE MANUFACTURING CO., LTD, TAIZHOU CITY, CHINA AND CHUANL MOTORCYCLE (USA) CO., LTD; DALLAS TEXAS + + + + + MANOR; MFG BY CHAMPION HOME BUILDERS PREV MFG BY ATHENS PARK HOMES,LLC; BOUGHT BY CHAMPION HOME BUILDERS) VMA/MN0R-ATHENS PARK HOMES,LLC + + + + + CHAMP HORSE TRAILER + + + + + CHIMERA CUSTOMS; MILLERSTOWN, PENNSYLVANIA MOTORCYCLES - ADDED 1/14/14 + + + + + CHAMPION TRAILERS + + + + + CHARLES MACHINE WORKS, INC; PERRY, OKLAHOMA _TRAILERS + + + + + CHINOOK + + + + + CHANGZHOU NANXIASHU TOOL COMPANY, TRAILERS; CHINA + + + + + CHANDLER ORIGINALS, INC., LAKW WORTH FLORIDA, OLD SCHOOL/TRADITIONAL CHOPPER CYCLES + + + + + CHAPERALLE HORSE TRAILER + + + + + CHAMPION PNEUMATIC MACHINERY CO.,INC. + + + + + CHAMPION BUS, INC. MICHIGAN + + + + + CHOPPER CITY USA, LLC, ORANGE PARK, FL + + + + + CHAPARRALSEE CHAPARRAL INDUSTRIES, INC. + + + + + CHOPPERS UNLIMITED; JACKSONVILLE, NORTH CAROLINA _MOTORCYCLES + + + + + C & H QUALITY TRAILER SALES, LLC_SIKESTON, MISSOURI + + + + + CHROMALLOY AMERICAN CORP., FARMSYSTEMS DIVISION + + + + + RENTAL COTTAGE; MFG BY CHAMPION HOME BUILDERS _(PREV MFG BY ATHENS PARK HOMES,LLC - VMA/RNTC) BOUGHT BY CHAMPION HOME BUILDERS + + + + + CHERY AUTOMOBILE CO., LTD; CHINA AUTOS,SUV'S'TRUCKS + + + + + CHRISTIANSON INDUSTRIES, INC.EDWARDSBURG, MICHIGAN + + + + + ROYAL; MFG BY CHAMPION HOME BUILDERS PREV MFG BY ATHENS PARK HOMES, LLC; VMA/RYAL BOUGHT BY CHAMPION HOME BUILDERS + + + + + CHARMING MOTORCYCLE MANUFACTURER CO.LTD OR CHONGQING CHARMING MOTORCYCLE MANUFACTURE CO. LTD. CHINA (VBIKE USE IS A DISTRIBUTOR OF THESE ATV'S, MOTORCYCLES, ETC) + + + + + CHRYSLER BOAT CO. + + + + + CHARIOT VANS, INC (CONVERSIONS) FINAL STAGE_MFC_PRIMARY MFG OFMOTORHOMES + + + + + CHATEAU RECREATIONAL VEHICLE DIV.CHRISTIANA, PENNSYLVANIA + + + + + CHRYSLER CORPORATE NAME CHANGE TO FCA US, LLC 2015 + + + + + CHOP SHOP CUSTOMS INC., POMPANO BEACH, FLORIDA + + + + + SPORTSMAN LODGE; MFG BY CAHMPION HOME BUILDERS (PREV MFG BY ATHENS PARK HOMES, LLC; VMA/SPLG)BOUGHT BY CHAMPION HOME BUILDERS + + + + + ESTATE; MFG BY CHAMPION HOME BUILDERS PREV MFG BY ATHENS PARK HOMES, LLC VMA/ESTT BOUGHT BY CHAMPION HOME BUILDERS + + + + + CHAPARRAL TRAILER CO OF ARKANSAS, QUIMAN, AR NOT SAME AS CHAPARRAL MOTORCYCLE OR SNOWMOBILE COMPANIES + + + + + APH-COTTAGE(ATHENS PARK HOMES-NOW MFG BY CHAMPION HOME BUILDERS INC VMA/CHAM) + + + + + CHEETAH CHASSIS CORPORATION + + + + + CHART, INC; NEW PRAGUE, MINNESOTA; SEMI-TRAILERS,TANKER TRAILERS + + + + + CHATHAM ENTERPRISES; GE0RGIA + + + + + CHRISTINI TECHNOLOGIES, INC. PENNSYLVANIA MOTORCYCLES + + + + + CHESTER BUILT TRAILERS (DBA-CLAY CHESTER); SOUTH VIENNA, OHIO_TRAILERS + + + + + CHATEAU & CHATEAU CITATION; MFG BY THOR MOTOR COACH, INC. + + + + + CHUBBS, INC ELKHART, IN BECAME GRIFFIN TRAILERS + + + + + CHUCK BECK M0T0RSP0RTS; BALDWIN PARK, CA; REPLICA VEHICLES; + + + + + CHUKAR, INC.PHOENIX, ARIZONA + + + + + CHUNLAN MOTORCYCLE FACTORY / TAIZHOU CHUNLAN MOTORCYCLE FACTORY; TAIZHOU CITY, CHINA - MOTORCYCLES ADDED/ASSIGNED 11/17/14 + + + + + CHUY'S C-5 TRAILERS; ENNIS, TEXAS TRAILERS + + + + + CHEVALLERO MOTOR HOME + + + + + CHICO WELDING & FABRICATION; CHICO, CALIFORNIA _TRAILERS + + + + + HAWK & HAWK LITE; BRAND MFG BY CHARIOT EAGLE, INC TRAILERS + + + + + CHIN YUAN CHI CASTING CORP.PAICHUNG, TAIWAN + + + + + APH-ROYAL (ATHENS PARK HOMES-NOW MFG BY CHAMPION HOME BUILDERS, INC; VMA/CHAM) + + + + + CHEYENNE TRAILERS; WHITNEY, TEXAS TRAILERS + + + + + CIRCLE C MANUFACTURER; LIVINGSTON, TX + + + + + CIRCUS CITY CUSTOM CYCLES, INC., SARASOTA, FL + + + + + CIRCLE J ENTERPRISES CORDELE, GA + + + + + CIMATTI + + + + + CIMC HEAVY INDUSTRIES, LTD.; SHENZHEN, CHINA OR CIMC REEFER TRAILERS, INC. MONON, INDIANA_(CIMC VEHICLES GROUP CO., LTD. _CHINESE INTERNATIONAL MARINE CONTAINERS - PARENT COMPANY) + + + + + CIMLINE; ACQUIRED EQUIP MFG. VMA/EQPT + + + + + CIMARRON MFG. CO.OKLAHOMA CITY, OKLAHOMA CIMARRON TRAILERS + + + + + CIRCLE S STAR ROUTESULPHUR SPRINGS, TEXAS + + + + + CIRCLE D TRAILER + + + + + CIRCLE H HORSE TRAILER + + + + + CIRCLE J TRAILERS, INC; CALDWELL, IDAHO + + + + + CIRCLE K KENNIMOREOKLAHOMA CITY, OKLAHOMA + + + + + CIRCLE M TRAILERS + + + + + CIRCLE R TRAILERS, S0UTH SI0UX CITY, NB + + + + + CIRCLE V HORSE TRAILER + + + + + CIRCLE W TRAILERS, INC; MCKENZIE, ALABAMA + + + + + CISITALIA (CONSORZIO INDUSTRIALE SPORTIVA ITALIA) + + + + + CITATION TRAVEL TRAILER + + + + + CITECARS (PREVIOUS COMPANY NAME WAS GATOR MOTO,LLC-VMA/GATM) NEW MCO ASSIGNED WITH NEW COMPANY NAME. APPROC P/2010 + + + + + CITICAR (ELECTRIC CAR) + + + + + CITROEN + + + + + CAMP-IN TRAVEL TRAILERS; (PENTWELL INDUSTRIES, LLC) TEARDROP STYLE TRAVEL TRAILERS; WISCONSIN + + + + + CITY DUMP TRAILER + + + + + CITY WELDING & MFG. CO.ALUMINUM TRUCK BODIES & STEEL CHASSIS + + + + + CHINA JIANGMEN GR0UP C0., LTD./GFK ENTERPRISE + + + + + COLONIAL FLATBED TRAILER + + + + + CLOUGH EQUIPMENT CO.SEATTLE, WASHINGTON + + + + + CLOUD ELECTRIC VEHICLES + + + + + CLAPPER CAMPER + + + + + B.M. CLARK CO., INC. + + + + + CLASSIC ROADSTERS, LTD. + + + + + CLASSIC MOTOR CARRIAGES, INC.(HALLANDALE, FL) + + + + + CLACKAMAS FABRICATION LLC - PORTLAND, OREGON + + + + + CLARK MFG. CO. + + + + + CLAR-MONT MFG. CO. + + + + + CONSTRUCTION MACHINERY DIV., CLARK EQUIPMENT CO. + + + + + CLASSIC TRAILER MFG. + + + + + CLAYTON HOMES, INC.DIV. OF CLAYTON INDUSTRIES, INC.,KNOXVILLE, TENNESSEE + + + + + CLAXTON + + + + + CLAY CAMPER CO. + + + + + CLAYTON CRAFT + + + + + COLORADO BUILT MANUFACTURING, INC; BURLINGTON, COLORADO _TRAILERS; ADDED/ASSIGNED 7/7/14 + + + + + CLEVELAND BROTHERS EQUIPMENT CO.D & B PRODUCTS + + + + + CALIBER TRAILER MFG, OZARK, ALABAMA + + + + + CALICO TRAILERSQUITMAN, ARKANSAS + + + + + CALMARC CABS; OCALA, FLORIDA TRAILERS + + + + + CLEASBY + + + + + CLEVELAND MFG. CO., INC. (CMC) + + + + + CLEMENT-BRASWELL + + + + + CLENET COACH WORKS + + + + + CLEVELAND TRENCHER CO.DIV. AMERICAN HOIST & DERRICK CO. + + + + + COLFAX TRAILER & REPAIR; NORTH CAROLINA + + + + + CLEGG MANUFACTURER HOMES; VICTORIA, TEXAS ENCLOSED CAR TRAILERS; TRAILERS + + + + + CALHOME, INC; LA VERNE, CALIFORNIA - TRAILERS + + + + + CLIFF OFFICE TRAILER + + + + + CLIFF HALL, INC. + + + + + CLINE + + + + + CLIPPER MFG. CO. + + + + + CLINTON ENGINE CORP. + + + + + COLUMBIA + + + + + CLEMCO INDUSTRIES + + + + + COLEMAN / COLEMAN POWER SPORTS BRAND MFG BY CHONGQING HUANSONGINDUSTRIES ATV'S & MINI BIKES + + + + + CLASSIC MOTORCYCLES AND SIDECARS INC.OR CMSI, INC PRESTON, WA + + + + + CLEMENT INDUSTRIES, INC; MINDEN, LOUISIANA TRAILERS + + + + + CAROLINA TRAILERS, ROCK HILL, SOUTH CAROLINA + + + + + CROSS LANDER; MIAMI, FL & CAMPULUNG, ROMANIA + + + + + COLLINS; SPRINGFIELD, OREGON TRAILERS + + + + + CLASSIC MOTORWORKS LTD., FARIBAULT, MINNESOTA + + + + + CLASSIC FIRE LLC OCALA, FL FINAL STAGE MFG OF FIRE APPARATUS MULTIPLE MFGS PROVIDE CHASSIS + + + + + CLASSEN MANUFACTURING, INC.; NORFOLK NEBRASKA _TRAILER ADDED/ASSIGNED 6/0/14 + + + + + CLASSIC MANUFACTURING, INC.; STURGIS, MI + + + + + CLASTER TRAILER + + + + + CENTER-LINE TRAILERS, INC; CEDAR HILL, TEXAS + + + + + CLARK TRAILER SERVICE INC. ANDALUSIA, AL + + + + + CLASSIC TRAILERS; PLANT CITY, FLORIDA TRAILERS + + + + + CLASSIC TROLLEY (AKA -CLASSIC INVESTORS I); MEDFORD, OREGON REPLICA TROLLEY CARS AND CONCESSION TRAILERS + + + + + CLUA . + + + + + CLUB CAR, INC., GEORGIA NEV'S NEIGHBORHOOD ELECTRIC VEHICLES LOW SPEED GOLF CART LIKE CARS & UTILITY VEHICLES + + + + + COLUMBIA TRAILER CO., LTD.VANCOUVER, CANADA + + + + + CALVADE TRAILER + + + + + CLEAVERS OF BISMARK BISMARCK ARKANSAS + + + + + CLIFF'S WELDING SERVICE, INC, PHILLIPSBURG, KS TRAILERS & FARM EQUIPMENT + + + + + CLARK-WILCOX + + + + + CELLXION, LLC; BOSSIER CITY, LA TRAILERS + + + + + CLYPSO MOTOR HOME + + + + + CLAY'S TRAILER SALES, LLC; TWIN CITY, GEORGIA _TRAILERS + + + + + C-MOR + + + + + CONSTRUCTION MACHINERY CO. + + + + + CASE MASTER BODY, INC TRAILERS + + + + + CAMPBELL COACH CO., INC.MFRS. HORSE TRAILES--CHENEY, KANSAS + + + + + BIRCHWOOD MFG BY CONCHEMCO HOMES GROUP + + + + + CALIFORNIA MOTORCYCLE COMPANY; GILROY,CA; VENTANA,CABRILLO KING & DIABLO MOTORCYCLES + + + + + CHARLESTON MARINE CONTAINERS, INC. CHARLESTON, SC + + + + + CCM/CLEWS + + + + + COMMODORE TRAILERS, LLC; DOUGLAS, GEORGIA + + + + + CAMEO TRAVEL TRAILER + + + + + CENTRAL MINE EQUIPMENT COMPANY; EARTH CITY, MISSOURI _TRAILERS + + + + + C0M-FAB, INC; N0RCR0SS GE0RGIA JET SKI & ATV TRAILERS + + + + + CMF,INC ; HOMASASSA, FLORIDA TRAILERS + + + + + CMH MANUFACTURING, INC MARLETTE MODULAR HOMES + + + + + CMI CORP. + + + + + CMI LOAD KING ELK POINT SD TRAILERS + + + + + CUMMINS ENGINE CO., INC. + + + + + CAMPFIRE TRAVEL TRAILER + + + + + CAMPAGNA MOTO SPORT, INC; PLESSISVILLE, QUEBEC, CANADA + + + + + CAMPSITE MFG. CO.SEMINOLE, TEXAS + + + + + COMPACT EQUIPMENT CO. + + + + + CAM SUPERLINE, INC.; GREENCASTLE,PA + + + + + CAMTOURIST FAHRZEUGBAU GMBH; GERMANY TRAILERS + + + + + C & M TRAILERS LLC; ENNIS, TEXAS + + + + + CMT MANUFACTURING, INC ; EDGERTON, MINNESOTA TRAILERS + + + + + CM TRAILERS OR CONTRACT MANUFACTURERS, LLC; MADILL, OK TRAILERS + + + + + CMWC TRAILER CO., INC. + + + + + CANCADE COMPANY LIMITED; BRANDON, MANITOBA _TRAILERS + + + + + CONTINENTAL CARGO; FR TEXAS GRUOP LP WACO TEXAS + + + + + CONCHO CHOPPERS; HAMILTON, MONTANA MOTORCYCLES + + + + + CONDUX INTERNATIONAL, INC; MANKATO, MINNESOTA TRAILERS + + + + + CORNELIUS MANUFACTURING, INC.; ELNORA, IN + + + + + CONLEY FABRICATION, LLC MINERAL WELLS, WV + + + + + CONTRACT MANUFACTURERS INC ALSO KNOWN AS :CM TRAILERS; MADILL, OK + + + + + CONNTRAIL INC, PENNSYLVANIA TRAILERS + + + + + CONQUR INDUSTRIES INC. ALBERTA, CANADA + + + + + CONCORD PRODUCTS, INC. + + + + + CONROY INDUSTRIES NEW BRAUNFELS,TEXAS + + + + + CONSTRUCTORE TRAILERS, INC.SARASOTA, FLORIDA + + + + + CENTURY INDUSTRIES, INC; LOUISVILLE, KENTYCKY - TRAILERS + + + + + COUNT'S KUSTOMS (KUSTOM CHOPPERS & HOT RODS) LAS VEGAS + + + + + CONTINENTAL WHEEL & TRAILER + + + + + CANADA TRAILER MANUFACTURING LIMITED; ONTARIO, CANADA _TRAILERS + + + + + CENTREVILLE TRAILER + + + + + CENTURY TANK & TRAILER, LLC; SAUK CENTRE, MINNESOTA + + + + + CENTEX + + + + + COUNTRY RIDGE; MFG BY HEARTLAND RECREATIONAL VEHICLES, _ELKHART, INDIANA + + + + + CONVEY-ALL INDUSTRIES, INC; WINKLER MANITOBA TRAILERS, FARM & CONSTRUCTION EQUIPMENT (CONVEYOR SYSTEMS) + + + + + CHANGCHAI NORTH-WEST AUTOMOBILE/LANZHOU CHANGCHAI NORTH-WEST AUTOMOBILE CHINA + + + + + CONWED TRAILER + + + + + CANYON TRAIL, CANYON TRAIL XLT 5TH WHEEL, CANYON TRAIL XLT TRAVEL TRAILER & CANYON TRAIL AZTREC MFG BY YELLOWSTON RV INC + + + + + COLUMBIA/ COLUMBIA PARCAR CORP.REEDSBURG, WISCONSIN LOW SPEED VEHICLES FOR WORK,PRIVATE AND GOVT USE + + + + + CPI USA; SEE CPI TAIWAN, CPI CHINA, CPI SHANGHAI, CPI GERMANY,CPI INDONESIA; ATV'S,SCOOTERS, DIRT BIKES; HAS ACQUIRED JAG POWERSPORTS LP + + + + + COMPTANK, CORP.; BOTHWELL, ONTARIO, CANADA + + + + + C/P PRODUCTS CORP. + + + + + CPS TRAILER CO; MISSOURI TRAILERS + + + + + CHARLIE PERKINS TRAILER COMPANY, INC HAMSHIRE TX + + + + + COMPETITION TRAILERS, INC HENDERSON, TEXAS + + + + + COMPETITIVE TRAILERS, INC.; BELLFLOWER CALIFORNIA + + + + + CONQUEST; MFG BY GULF STREAM COACH, INC + + + + + CONQUEROR MANUFACTURERS (PTY) LTD SOUTH AFRICA + + + + + CROSS TRUCK EQUIPMENT CO., INC.CANTON, OHIO + + + + + CROFTON BUG + + + + + CROSS HILL MOBILE HOMES + + + + + CROSSLAND INDUSTRIES + + + + + CROSSMAN TRAILER, INC. NEBRASKA + + + + + CROWN + + + + + CROSS ROADS RECREATIONAL VEHICLES + + + + + CROSLEY + + + + + CROFT-INS + + + + + CROWN LINE + + + + + CAMP CRAFT TRAVEL TRAILER + + + + + ALTITUDE MFG BY; CROSS ROADS RV + + + + + CRAFTMADE HOMES, INC. + + + + + CRANE & HOIST OPERATIONS SUBSIDIARY OF DRESSER INDUSTRIES INC + + + + + CRAWLER TRAILER + + + + + BOSS; BRAND MFG BY CRUISER RV + + + + + CIRBIN MOTORS CORPORATION,QUEBEC CANADA MOTORCYCLES + + + + + BLACKWOOD; MFG BY CROSSROADS / DS CORP + + + + + CONNELL INDUSTRIES, INC.GREENE, NEW YORK + + + + + CREW CHIEF MOTORHOME/HAULER + + + + + CARRIAGE MODEL; MFG BY CROSSROADS RECREATIONAL VEHICLES _(VMA/CRCG) + + + + + CAMEO MODEL, MFG BY CROSSROADS RECREATIONAL VEHICLES VMA/CROR) + + + + + CR0SS C0UNTRY MANUFACTURING; GREENE, NEW Y0RK (TRAILERS) + + + + + CYPRESS BRAND; MFG BY CROSSROADS RECREATIONAL VEHICLES VMA/CRCY + + + + + CREST MOBILE HOMES, INC. + + + + + CREE COACHES,INC.DIV OF SOUTHWEST MICHIGAN IND.,MARCELLUS,MI + + + + + CORBIN ELECTRIC MOTORS + + + + + ENTERRA; MFG BY CRUISER RV, LLC + + + + + CRESCENT TRAILERS, INC. + + + + + CREIGHTONS TRAILERMARYLAND + + + + + ELEVATION ; MFG BY CROSSROADS / DS CORP + + + + + CABLE CRANE AND EXCAVATOR DIV.FMC CORP. + + + + + CROSS FORCE; MFG BY CROSSROADS CORP / DS CORP + + + + + CRAFTON EQUIPMENT INC; MISSOURI TRAILERS + + + + + FUN FINDER X , FUN FINDER XTRA; MFG BY CRUISER RV, LLC + + + + + CRAFTSMEN INDUSTRIES, INC; ST CHARLES, MISS0URI + + + + + CROSS FIRE; MFG BY CROSSROADS CORP / DS CORP + + + + + CRAFTSMAN + + + + + CARGO CRAFT, INC.; AMBROSE, GEORGIA + + + + + CARRIAGE INDUSTRIES, LLC; LOGAN, UTAH ASSOCIATED WITH LOGAN COACH UTAH + + + + + CARG0 KING, LLC; WHITE PEGE0N, MICHIGAN + + + + + CARGO PRO TRAILERS + + + + + CHARGER + + + + + CARGO SOUTH INC OCILLA, GEORGIA; CAR HAULERS, CARGO & CONCESSION TRAILERS + + + + + CARGOTEC SOLUTIONS, LLC, OTTAWA, KANSAS TRAILERS + + + + + CARRIAGE WORKS, INC; KLAMATH FALLS, OREGON FOOD VENDING TRAILERS, CARTS, MIBILE KIOSKS ADDED/ASSIGNED 2/28/14 + + + + + HAMPTON; MFG BE CROSSROADS ' DS CORP + + + + + CHRIS CRAFT CORP. + + + + + CRICKET CORP.ELKHART, INDIANA + + + + + CRONKHITE INDUSTRIES, INC., WESTVILLE,IL CONSTRUCTION TRLRS + + + + + CRIMSON HOMESDIV. WINSTON INDUSTRIES, INC. + + + + + CRITERION HOMES MFG. INC.LARGO, FLORIDA + + + + + CICIRA RV LLC, STURGIS, MICHIGAN + + + + + CREEKSIDE CABINS; MFG BY PALM HARBOR HOMES + + + + + CARRIER KING TRAILER + + + + + KINGSTON; MFG BY CROSSROADS / DS CORP + + + + + CROCKER MOTORCYCLE / CROCKER MOTORCYCLE COMPANY _ADDED/ASSIGNED 8/18/15 + + + + + CREEKSIDE PRODUCTS, INC BOAZ,AZ TRAILERS + + + + + CREEK HILL WELDING; PENNSYLVANIA + + + + + CRL TRAILERS; TEXAS + + + + + CROSS-L WELDING; LAGRANDE, OREGON TRAILERS + + + + + CROWLEY MFG.MATHISTON, MISSISSIPPI DBA-SURERIDE TRAILER MANUFACTURING + + + + + MPG BRAND ; MFG BY CRUISER RC (VMA/CRRV) + + + + + CAR MATE TRAILERS; LEEPER, PENNSYLVANIA + + + + + CARNAI TRAILERS, INC; GREEN ACRES,WASHINGTON TRAILERS + + + + + CORNERSTONE MANUFACTURING, LLC; MCMINNVILLE, OREGON _TRAILERS + + + + + CORN PRO TRAILERS + + + + + CROP MASTER TRAILERS INC., WABASH, INDIANA + + + + + PARADISE POINT; MFG BY CROSSROADS / DS CORP + + + + + CARPENTER INDUSTRIES INC. + + + + + RADIANCE LINE, MFG BY CRUISER RV,LLC RECREATIONAL VEHICLES + + + + + CR RESORT; MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + CARR0N TRUCK REPAIR, LTD; GRANITE CITY ILLIN0IS + + + + + CARROSERIE INDUSTRIELLE DU MAR / LA CARROSSERIE INDUSTRIELLE TRUCKS AND TRAILERS; FRANCE + + + + + RUSHMORE FW; MFG BY CROSSROADS / DS CORP + + + + + CURISER R.V. LLC, HOWE, IN; FUN FINDER X MODEL TRAVEL TRAILER + + + + + REZERVE MFG BY; CROSS ROADS RV + + + + + CAROUSEL USA (SAN ANTONIO ROLLER WORKS, INC) SAN ANTONIO, TX (TRAILER MOUNTED AMUSEMENT RIDES) + + + + + SHADOW CRUISER; MFG BY CRUISER RV, LLC + + + + + SLINGSHOT; MFG BY CROSSROADS / DS CORP + + + + + SIMPLICITY; MFG BY CROSSROADS / DS CORP + + + + + CROSLEY TRAILERS, INC, FLORIDA + + + + + CARSON'S MANUFACTURING INC.SUPPLY, NORTH CAROLINA + + + + + SEQUOIA BRAND; MFG BY CROSSROADS RECREATIONAL VEHICLES VMA/CROR + + + + + CRUISER; MFG BY CROSSROADS / DS CORP + + + + + CROSSINGS (ESTATES, RESORTS & SIGNATURE) MFG BY CHAMPION HOME BUILDERS + + + + + CREST TRAILER + + + + + SUNSET TRAIL, SUNSET TRAIL RESERVE, SUNSET TRAILULTRA LITE; MFG BY CROSSROADS / DS CORP + + + + + SEVILLE; MFG BY CROSSROADS / DS CORP + + + + + STRYKER; MFG BY - CRUISER RV, LLC VMA/CRRV TRAILER + + + + + CARTER CAR (ANTIQUE) MICHIGAN AUTOMOBILE CO, TO CARTERCAR COMP1906-1916 + + + + + CARSON TRAILER, INC; GARDENA, CALIFORNIA TRAILER + + + + + CR TRAILERS; WHITE, SOUTH DAKOTA TRAILERS + + + + + TRANQUILITY; MFG BY CROSSROADS / DS CORP + + + + + CROSS TERRAIN; MFG BY CROSSROADS / DS CORP + + + + + CAR-TEX TRAILER CO INC. MANUFACTURER ALSO DIST OF:CM TRAILERS, TOP HAT TRAILERS, TITAN CARGO, PACE AMERICAN ETC. (D & P WELDING VMA/DPWC) + + + + + CRUISAIRE MOTOR CORP. + + + + + CRUZMASTER CAMPER + + + + + CRUISE CAR INC; LOW SPEED VEHICLES/SOLAR POWERED + + + + + VIEW FINDER; MFG BY CRUISER RV, LLC + + + + + VOLANTE; BRAND MFG BY CROSSROADS RV, INC + + + + + COUNTRY R. V. MFG., INC.ELKHART, INDIANA + + + + + CROW RIVER FABRICATING MINNESOTA + + + + + REDWOOD; MFG BY CROSSROADS / DS CORP + + + + + CRAFT WELD TRAILER + + + + + CROWN COACH; BUSES & TRUCKS + + + + + WESTCHESTER; MFG BY CROSSROADS / DS CORP + + + + + CRYOGENIC VESSEL ALTERNATIVE; MOUNT BELVIEU, TEXAS _TRAILERS_OR INOXCVA (PARENT COMPANY IN INDIA + + + + + CRYSTAL WELDING INC. + + + + + Z-1; MFG BY CROSSROADS / DS CORP + + + + + ZINGER; MFG BY CROSSROADS / DS CORP + + + + + CRAZY MOUNTAIN XTREME; SNOWMACHINE/SNOWMOBILE + + + + + CRUZ-IN; DIRT BIKE (DISTRIBUTED BY JERRICO INTERNATIONAL) + + + + + CRAZY HORSE MOTORCYCLES; KENT, WASHINGTON _MOTORCYCLE AND MOTORCYCLE ENGINES; ADDED/ASSIGNED 4/21/14 + + + + + CUSCO FABRICATORS INC.; CANADA AKA WASTEQUIP CUSCO INC + + + + + CALIFORNIA SCOOTER COMPANY, LLC, POMONA, CALIFORNIA - _MOTORCYCLES + + + + + CSL EQUIPMENT COMPANY, INC; FORT MILL, SOUTH CAROLINA _TRAILERS + + + + + COOKSHACK, INC.; PONCA, OKLAHOMA TRAILER MOUNTED COOKERS & SMOKERS + + + + + CUSHMAN + + + + + CASTLE MANUFACTURING, INC; PHOENIX, ARIZONA TRAILERS + + + + + CIRCLE SUPREME MFG.KNOWVILLE, TENNESSEE + + + + + CSM MANUFACTURING CO.OKLAHOMA CITY, OKLAHOMA + + + + + CRESCENT MANUFACTURING , INC; PILOT MOUNTAIN, NC + + + + + CLEARSPRING CONVERSIONS, INC; KENDALLVILLE, INDIANA - TRAILER CONVERSIONS + + + + + CROSS TRAILERS, INC; ELKHART, INDIANA TRAILERS + + + + + COASTAL COTTAGE & COASTAL LODGE' MFG BY PALM HARBOR HOMES + + + + + COASTAL METAL FAB, INC.; TOPSHAM, ME + + + + + C0ASTAL MANUFACTURING C0., 0R C0ASTAL BUILDING SYSTEMS; 0FFICETRAILERS ETC; RED LI0N, PA + + + + + CUSTOM TANK TECHNOLOGY; GRAFTON, WISCONSIN - TRAILERS + + + + + C & S TRAILER WORLD FORT WORTH, TEXAS + + + + + COURAGE TRIKE BV; NETHERLANDS TRIKES + + + + + COAST (2) COAST CHOPPERS, OR COAST TO COAST CHOPPERS; FLORIDA + + + + + CONTECH ENTERPRISES, LLC CLAREMORE OK + + + + + CT COACHWORKS, LLC; CALIFORNIA MOTORCOACHES + + + + + COLORADO TEARDROP TRAILERS; LLC DBA-COLORADO TEARDROPS BOULDER, COLORADO + + + + + COR-TECH MFG., INC., LUVERNE, MN + + + + + CUSTOM TRAILER MANUFACTURING, LLC; RANDOLPH, MASSACHUSETTS + + + + + COTNER TRAILERS, INC_PENNSYLVANIA OR NEW JERSEY + + + + + CENTRAL TRAILER C0RP., CHICKASHA, 0K + + + + + C0NTRAIL INTERNATI0NAL; CHICAG0, IL; GERMANY + + + + + COTTRELL INC, GAINSVILLE, GA (CAR HAULERS / TRAILERS) _NEXTGEN, CLASSIC SERIES, HIPRO BRANDS + + + + + CENTURION BOATS INC,MERCED,CA BOAT TRAILERS + + + + + CONSTRUCTION TRAILER SPECIALISTS, INC.; SIKESTON, MO + + + + + CENTECH SPECIALITY VEHICLES CO., LTD. RECREATIONAL VEHICLES TIANJIN, CHINA; TRAILERS + + + + + CLEVELAND T-TRIKE MANUFACTURING, INC.; WARRENSVILLE HGTS, 0H + + + + + CENTERLINE TANK & TRAILER MANUFACTURING; SAUK CENTRE,MINNESOTA(ENGLE FABRICATION) + + + + + CT & T USA, INC; DULUTH, GEORGIA ELECTRIC VEHICLES + + + + + CREATIVE MOBILE SYSTEMS, INC OR CREATIVE CARTS, LLC _MANCHESTER, CONNECTICT + + + + + CALIFORNIA TRAILER WORKS, INC., SACRAMENTO, CALIFORNIA TRAILERS + + + + + CUST0M AMUSEMENT PR0DUCTS, C0MPANY; D0VER, FL0RIDA + + + + + CASSMFD. BY CUSTOM ASSEMBLY + + + + + CUB CADET CORP.SUBSIDIARY OF MTD PRODUCTS, INC.PURCHASED CUB CADET TRACTOR LINE FROMINTERNATIONAL HARVESTER CO. 2/81) + + + + + CUBSTER + + + + + CUB CAMPER TRAILERS, TENT TRAILERS + + + + + CUSTOM CHASSIS PRODUCTS WAKARUSA, INDIANA TRAILERS + + + + + CUSTOM CONCESSIONS TRAILERS, MIDDLEBURY, INDIANA _TRAILERS; ADDED/ASSIGNED 6/24/14 + + + + + CUSTOM CYCLE CARRIER POMPANO BEACH, FL + + + + + CUES - TRAILERS + + + + + CUKE, INC.MENDOTA, ILLINOIS + + + + + CUSTOM KING HORSE TRAILER + + + + + CULLIP INDUSTRIES + + + + + CULLISON MFG., INC. + + + + + CULPEPPER TRAILER CO.CLINTON, ARKANSAS + + + + + CUMBERLAND COACHESH & W MFG. CO. + + + + + CUSTOM MOTORCYCLE WORKS, INC; GLEN BURNIE, MARYLAND _MOTORCYCLES + + + + + CUNNINGHAM + + + + + CURBMASTER OF AMERICA, INC. + + + + + CURB KING EQUIPMENT; BRIGHAM CITY, UTAH TRAILER; ADDED/ASSIGNED 7/1/14 + + + + + CURRENT MOTOR COMPANY (FORMERLY-ELECTRIC VEHICLE MANUFACTURING, LLC) ANN ARBOR, MICHIGAN - MOTORSCOOTERS/MOTORCYCLES - ELECTRIC POWER + + + + + CURRAHEE TRAILERS + + + + + CURTISDIV. GLOBEMASTER MOBILE HOMES + + + + + CUSTOM FRAMES, INC.NORMANDY, TENNESSEE + + + + + CUSTOM CAMPER CO. + + + + + CUSTOM BOND MFG. CO.LANSING, MICHIGAN + + + + + CUSTOM COACH CO. + + + + + CUSTOM ENGINEERING + + + + + CUSTOM CRAFT MFG. CO. + + + + + CUSHMAN + + + + + CUSTOM HOMES, INC. + + + + + CUSTOM PLUMBING CO. + + + + + CUSTOM TRAILERS, INC.SPRINGFIELD, MISSOURI + + + + + CUSTOM PITS AND FABRICATION, LLC; WATKINSVILLE, GEORGIA TRAILERS + + + + + CMW (CUSTOM METAL WORKS) + + + + + CUSTOM SERVICES; GENOA CITY WISCONSIN + + + + + CUSTOM TRAILER CORPORATION; OCALA, FLORIDA + + + + + CUTLASS & CUTLASS LTD.; MFG BY HOMETTE CORP AFFILIATED WWITH SKYLINE + + + + + CUSTOM ATV & TRAILER MANUFACTURING; WESTMINSTER, CALIF + + + + + CUSHMAN TURF-OMC LINCOLN + + + + + CUSTOM TRAILER WORKS LLC; WAUPACA, WI; BIG LUG TRAILER + + + + + CUYLER CORP. + + + + + CAVC0 INDUSTRIES, INC; PH0ENIX, AZ + + + + + CAVALLO + + + + + COVENTRY-EAGLE; COVENTRY, ENGLAND-UK MOTORCYCLES + + + + + C & V WELDING AND FABRICATING + + + + + CARWOOD INDUSTRIES TRAILERS + + + + + COWBOY CLASSICS CONVERSIONS, INC; MISSOURI (ADDS LIVING QUARTERS TO HORSE TRAILERS) + + + + + COWTOWN CUSTOMS AND COBRAS ; FT. WORTH TEXAS (TRAILERS) + + + + + CWC FEATHER-LITE MFG. CO.EL RENO, OKLAHOMA + + + + + CREEKSIDE WELDING AND JAMAR TRAILERS; BEDF0RD, PA + + + + + CUSTOM WELD TRAILER GRIFFIN, GA + + + + + CHOPPER WORKS, PERFORMANCE, INC.; HAMPSTESD, NH + + + + + C & W TRUCK EQUIPMENT CO. INC.; PARAMOUNR, CA + + + + + C & W TRAILRS, WASHBURN, TN (NOT SAME AS MFG IN MISSISSIPPI) + + + + + C & W TRAILERS GOLDEN, MS + + + + + COYOTE MFG., LLC; LEESBURG, OHIO + + + + + CANYON TRAILERS TISHOMINGO OKLAHOMA + + + + + CY-CORP ENTERPRISES, INC; BILLINGS, MONTANA - TRAILERS + + + + + CYCLE IMPORTS, INC; MIAMI, FLORIDA MOTORCYCLES + + + + + CYCLE KAMP, INC.ANAHEIM, CALIFORNIA + + + + + UNPUBLISHED MOTORCYCLE MFR. (SEE OPERATING MANUAL PART 1 SECTION 2 + + + + + CYCLE IMAGERY (IMAGE CUSTOMS); SANTA CRUZ, CALIFORNIA _MOTORCYCLES + + + + + CYCLONE TRAVEL TRAILER; MFG BY HEARTLAND RECREATIONAL VEHICLES(FIFTH WHEEL) + + + + + CYCLOPS TRIKE COMPONENTS; LAVACA, ARKANSAS _MOTORCYCLES / TRIKES + + + + + CYNERGY CARGO LLC; NASHVILLE,GA TRAILERS + + + + + CYCLESCOOT + + + + + COYOTE MFG., CO; NASHVILLE, GEORGIA TRAILERS + + + + + CZ (CZECHOSLAVAKIA--ALSO SEE MAKEJAWA/CZ) + + + + + COZY COVE TRAILERS LLC; MICHIGAN + + + + + DOO SNOWMOBILE TRAILER + + + + + DOOHAN + + + + + DOOLITTLE + + + + + DOONAN TRAILER CORP.GREAT BEND, KANSAS + + + + + DOOSAN INTERNATIONAL USA, INC OR DOOSAN INFRACORE PO NORTH CAROLINA; CONSTRUCTION EQUIPMENT, GENERATORS, ENGINES ETC + + + + + DODD MFG. CO., INC. + + + + + DODGE WOODCRAFT + + + + + DODGE CHRYSLER GROUP, LLC NAME CHANGE TO FCA US, LLC 2015 + + + + + DOEPKER INDUSTRIES LTD. + + + + + DOLAN CORP. + + + + + DOLPHIN HOMES DIV TIDWELL IND., INC.HALEYVILLE,ALABAMA + + + + + DOLPHIN BOAT TRAILERS, LLC; EDGEWATER PARK, NEW JERSEY TRAILERS,BOAT TRAILERS + + + + + DO-MOR EQUIPMENT, INC. + + + + + DOMINION ROAD MACHINERY CO., LTD. + + + + + DON-A-BELL HOMES, INC. + + + + + DONGFANG LINGYUN VEHICLE MADE CO., LTD OR NINGBO DONGFANG LINGYUN MADE CO., LTD- NINGBO CHINA, MOTORCYCLES, 3 WHEEL MOTORCYCLES ETC. + + + + + DONG FENG (EAST WIND) AUTO & BUSES ALSO DONGFENG YANGTSE MOTOR(WUHAN) CO., LTD. DBA-AN YUAN AUTOMOBILE CO. LTD, JIANGXI KAMA BUSINESS BUS AKA BONLUCK BUS + + + + + DONHAL, INC. + + + + + DONNELL BOAT TRAILER + + + + + DON MAY ENTERPRISES RICHARDSON,TEXAS + + + + + DONS BOAT TRAILER + + + + + DONAHUE CORP., THE + + + + + DORMI INDUSTRIES, INC. + + + + + DORSEY TRAILERS INC.ELBA, ALABAMA + + + + + DORT MOTOR CAR COMPANY; FLINT, MICHIGAN + + + + + DOT + + + + + DOUBLE SHUFFLE MOBILE HOME + + + + + DOUBLE D DISTRIBUTORS, INC; PINK HILL, NORTH CAROLINA + + + + + DOUBLE E TRAILER MFG.COMMANCHE, OKLAHOMA + + + + + DOUGLAS HOMES, INC. + + + + + DOUBLE J HORSE TRAILER + + + + + DOUBLE K, INC.CRANDON,WI (DBA-HOMETOWN TROLLEY) + + + + + DOUBLE L TRAILERS; PARAGOULD, ARKANSAS + + + + + DOUGLAS MARINE CORP; DOUGLAS, MICHIGAN + + + + + DOUBLE N TRAILER MANUFACTURING MOUND CITY, KS + + + + + DOUBLE R TRAILER MANUFACTURING, INC; IDAHO + + + + + DOWNER INDUSTRIES + + + + + DOWNEY SHEET METAL SHOP + + + + + BROWN, DAVE L., INC. + + + + + DACO TRAILER CORP.POCAHONTAS, ARKANSAS + + + + + DAECHANG MOTORS COMPANY LTD - LSV'S CHINA + + + + + DAELIM MOTOR CO, LTD., DAELIM MOTOR USA/AUTO EASY FINANCE + + + + + DAEWOO + + + + + DAF + + + + + DAFFIN MFG. CO. + + + + + DAIHATSU + + + + + DAIMLER + + + + + D & A VEHICLES, INC. + + + + + DAIRY EQUIPMENT CO.MADISON, WISCONSIN + + + + + DAIXI ZHENHUA TECH TRADE CO.LTD OR HUZHOU DAIXI ZHENHUA TECH TRADE CO.LTD; CHINA, MOTORTCYCLES,ATV'S/QUADS + + + + + DAKOTA MFG. CO., INC.MITCHELL, SOUTH DAKOTA + + + + + DALESMAN (UNITED KINGDOM) + + + + + DALTON, INC. + + + + + DALOR INDUSTRIES, INC.; WINDSOR ONTARIO CANADA TRAILERS + + + + + DALTON ENTERPRISES INC. + + + + + DALEWOOD MANUFACTURING CO., INC.LAUDERDALE, MISSISSIPPI + + + + + DAMON INDUSTRIES, (AKA - DAMON MOTOR COACH) MODELS INCLUDE; DAYBREAK, CHALLENGER, ASTORIA, TUSCANY, OUTLAW & ESSENCE + + + + + FABRICATION DAMSEN, INC QUEBEC CANADA TRAILER + + + + + DANA TRUCK MOUNT CAMPER + + + + + DANNY BOY TRAILER + + + + + DANCO TRAILERS INC, TURLOCK, CALIFORNIA + + + + + DAN DEE INDUSTRIES, INC. + + + + + DAN ENTERPRISES, INC OREGON TRAILERS ADDED/ASSIGNED 2/23/16 + + + + + THE DANIELS MOTOR CAR CO. READING PENNSYLVANIA ANTIQUE AUTOMOBILES ADDED/ASSIGNED 2/26/16 + + + + + DANDY MOBILE HOMES MFG BY DAN'S TRAILER SUPPLY, INC. + + + + + DANUVIA + + + + + DANZER INDUSTRIES & DANZER/M0RRIS0N; HAGERST0WN, MD + + + + + DARBY INDUSTRIES + + + + + DARCELL INDUSTRIES, INC. + + + + + DARF CORP. + + + + + DARG0 MANUFACTURING + + + + + DART + + + + + DARVON DOUBLE TRAILER + + + + + DARWIN + + + + + DATON + + + + + DART TRUCK CO., PACCAR, INC. + + + + + DATSUN + + + + + DAUPHIN + + + + + DAVRON TRAVELER, INC. + + + + + DAVE'S BOAT TRAILER SALES, INC DJR INVESTMENTS, INC GLEN BURNIE/PASADENA, MARYLAND + + + + + DAVENCO, INC.ROSCOE, ILLINOIS + + + + + DAVID MFG. CO.MASON CITY, IOWA + + + + + DAVE HICKS CO., INC. + + + + + DAVIS + + + + + DA VACK MFG., CORPORATION; ILLINOIS + + + + + DAVIDSON ENTERPRISES, INC, BAKERSFIELD, CALIFORNIA TRAILERS + + + + + DAVENPORT TRAILER OR MOBILE HOME CO. + + + + + DAVEY COMPRESSOR CO. + + + + + DAWES PRODUCTS CO. + + + + + LA DAWRI COACHCRAFT + + + + + DAWSON ENTERPRISES; ELKHART, IN + + + + + DAYTONA + + + + + COMMANDO YARD TRACTOR MFG. BY DAYBROOK-OTTAWA DIV + + + + + DAY'S DRYDOCKNORTH WEBSTER, IN; TRAILERS. + + + + + DAYTON ELECTRIC MFG. CO.MFRS. AIR COMPRESSORS--CHICAGO, ILLINOIS + + + + + DAZ0N, INC. PE0PLES M0T0R(H0NG K0NG) C0., LTD.) + + + + + D.B. + + + + + DBAT TRAILER SALES & SERVICE; SARASOTA, FLORIDA + + + + + DIAMONDBACK TRAILER MANUFACTURE; FORT WORTH, TEXAS _TRAILERS + + + + + D & B CYCLE PARTS & ACCESSORIES; WARREN, MICHIGAN + + + + + D0UBLE DELIGHT, INC.; ELKHART, IN + + + + + DI BIASI OF NORTH AMERICA CHEHALIS WA + + + + + DECAP TRAILER MFG., LTD; CANADA TRAILERS + + + + + DEEP SOUTH SALES CO.VALDOSTA, GEORGIA + + + + + DIAMONDBACK CHOPPERS LLC, FLORIDA + + + + + DICKSON INDUSTRIES, INC.; TECUMSEH, OKLAHOMA - TRAILERS + + + + + DISCOUNT TRAILERS; FORT WORTH, TX + + + + + DIAMOND CARGO, INC.DOUGLAS,GA BENDRON LINE OF TRAILERS ALSO MFG BY DIAMOND CARGO + + + + + DISCOUNT RAMPS.COM; WEST BEND, WISCONSIN + + + + + DISCOVERY CARGO TRAILERS, INC; ELKHART, INDIANA _TRAILERS, ADDED/ASSIGNED 12/22/14 + + + + + DISCOUNT TRAILER MFG.; AZTEC, NEW MEXICO + + + + + DIAMOND CITY TRAILER MFG.MURFREESBORO, ARKANSAS + + + + + DOUBLE HORSE TRAILER + + + + + DD CUSTOM CYCLE, LLC; LAKE VILLA, ILLINOIS _MOTORCYCLES + + + + + D & D FABRICATI0NS, ST L0UISS, MICHIGAN / TRAIL-TECH TRAILERS + + + + + D & D TRAILER INC.TRENTON, NEW JERSEY + + + + + DEUTZ-ALLIS CORPORATION + + + + + DEAN INDUSTRIES, INC. + + + + + DEBONAIR + + + + + DELAUNAY-BELLEVILLE OR S.A.DES AUTOMOBILES DELAUNAY- BELLEVILLE (FRENCH LUXURY AUTOS) + + + + + DECOURVILLE + + + + + DECAMP HOMES, INC. + + + + + DE DION OR DE DION-BOUTON 1893-1932 / PARIS FRANCE + + + + + DEEP SANDERSON + + + + + DEERE, JOHNDEERE & CO. + + + + + DEE ZEE MFG.; IOWA + + + + + DEGEEST MFG. CO.SIOUX FALLS, SOUTH DAKOTA + + + + + DEGELMAN INDUSTRIES, LTD. (CANADA) + + + + + DEICO AUTO CARRIER TRAILER + + + + + DEKCO MOBILE MFG.MENAHGA, MINNESOTA + + + + + DE LOREAN (IMPORTED FROM BELFAST,NORTHERN IRELAND, UK) + + + + + DE-LAR, INC. + + + + + DELCO TRAILERS; TEXAS + + + + + DELAGE; FRANCE MERGED WITH DELAHAYE VMA/DLHY MODEL D8 100 D8 120 + + + + + DELHI METAL PRODUCTS, LTD.DELHI, ONTARIO, CANADA--MFRS. BOATTRAILERS + + + + + DELKRON TRANSMISSION + + + + + DELLOW + + + + + DELMAR MFG. CO., INC. + + + + + DELAVAN TRAILER + + + + + DELPHI BODY WORKS, INC. + + + + + DEL REY INDUSTRIES, INC. + + + + + DELTA HOMES CORP. + + + + + DELTA TRUCK TRAILER CO., INC.CAMDEN, ARKANSAS + + + + + DELTO HOMES, INC. + + + + + DELUXE HOMES, INC. + + + + + DEMO HORSE TRAILER + + + + + DEMCO + + + + + DEMON MOTORCYCLE CO OR DEMON CHOPPERS; FLORIDA + + + + + DEMPSTER + + + + + DEMERS AMBULANCE MANUFACTURER, INC; QUEBEC CANADA ASSIGNED/ADDED 11/21/14 + + + + + DEMENTED CYCLES HEMPSTEAD TX + + + + + DE MUTH STEEL PRODUCTS CO. + + + + + DENAIR TRAILER MANUFACTURING, LLC; YUMA, ARIZONA _TRAILERS + + + + + DENCO MANUFACTURING + + + + + DENVER TRAILER SUPPLY, INC. + + + + + DENNISON UTILITY TRAILER + + + + + DENVER CHOPPERS; HENDERSON, NEVADA MOTORCYCLES + + + + + DENZEL + + + + + DERBI MOTOR CORP. + + + + + DE ROSE INDUSTRIES INC.INDIANAPOLIS, INDIANA + + + + + DENZIN & RAHN MFG. CO., INC. + + + + + DEERSKIN MFG., INC; SPRINGTOWN, TEXAS TRAILERS + + + + + DESOTO + + + + + DE SOTO COACH CO. + + + + + DESIGN INTENNT, INC.LIVINGSTON, TENNESSEE + + + + + DESIGN STRUCTURES MFGS OFFICE AND SPECIAL PURPOSE TRAILERS LOMBARD, ILLINOIS + + + + + DRAG0N ESP, LTD 0R DRAGON PRODUCTS, LTD. + + + + + DESTINY INDUSTRIES, INC.MOULTRIE, GEORGIA + + + + + DETOMASO + + + + + DETROIT BROTHERS CUSTOM CYCLES OR DETROIT BROTHERS, LLC FERNDALE, MICHIGAN + + + + + DE TECT, INC; PANAMA CITY, FLORIDA + + + + + DETROIT TRAILER CO.DETROIT, MICHIGAN + + + + + DETHMERS MANUFACTURING COMPANY BOYDEN, IA + + + + + DETROITER HOMES + + + + + DETAIL K2 INC (D2K) BURLINGTON ONTARIO CANADA + + + + + DETROIT CHASSIS, LLC - DETROIT, MICHIGAN INCOMPLETE CHASSIS + + + + + DETR0IT T00L, INC; DEXTER MAINE + + + + + DEUTZ TRACTOR + + + + + DEVILLE INDUSTRIES, INC. + + + + + DEVIL TRAVEL TRAILER + + + + + DEVINE'S MACHINE & DESIGN, INC.GRANTVILLE, PENNSYLVANIA + + + + + DEW EZE MFG., INC. + + + + + D & E WELDING; LY0NS, GA + + + + + DEXTER TRAILER, INC; CORIANNA, ME + + + + + DFH ENTERPRISES; ATLANTA, TEXAS + + + + + DODGEN INDUSTRIES, INC.; BORN FREE MOTORCOACH MODEL HUMBOLDT, IOWA + + + + + DHLE ENTERPRISES; CALIFORNIA + + + + + D H M ENTERPRISES, INC.; CALIFORNIA + + + + + D HART DESIGNS INC.; MINNESOTA + + + + + DHS SYSTEMS, LLC; ORANGEBURG, NEW YORK + + + + + DIONBILT LLC GRANDVIEW, WA + + + + + DIAMOND SWALTERS, OKLAHOMA + + + + + DIAMOND B + + + + + DIAMOND C MT. PLEASANT,TX + + + + + DIAMOND MOBILE HOME MFG. + + + + + DIAMOND E MANUFACTURING, LLC; PARAGOULD ARKANSAS + + + + + DIAM0ND G TRAILER C0MPANY /GRAHAM FABRICATI0NS, INC.; PURVIS, MISSISSIPPI + + + + + DIAMOND G EQUIPMENTOKLAHOMA CITY, OKLAHOMA + + + + + DIANA MOTOR COMPANY ST. LOUIS MISSOURI ANTIQUE AUTOMOBILES + + + + + DIAMOND PRODUCTS, LLC; KENTWOOD, MICHIGAN + + + + + DIAMOND QUALITY TRAILERS; CHUBBUCK, IDAHO + + + + + DIAMOND REO DISCONTINUED PROD IN 1974 + + + + + DIAMOND-BILT MFD BY DIAMOND STEEL CO.INC. + + + + + DIAMOND T TRAILERS + + + + + DIABLO PERFORMANCE, LLC, ORLANDO, FLORIDA; CUSTOM MOTORCYCLES WMI/1D9 + + + + + DICO CO.DES MOINES, IOWA + + + + + DIAMOND COACH COMPANY; KANSAS (FORMERLY COONS MFG OR _COONS CUSTOM COACH) OR COONS MANUFACTURING, INC, CLASS B MOTORHOMES & BUSES + + + + + CHARLEVOIX MOBILE HOMES MFD BY DICKINSON HOMES, INC. + + + + + DICKIRSON EQUIPMENT CORP.SALEM, ILLINOIS + + + + + DIDIER MFG. CO.FRANKSVILLE, WISCONSIN + + + + + DIERZEN KEWANEE (HEAVY INDUSTRIES) KEWANEE, ILLINOIS + + + + + DIGMOR EQUIPMENT & ENGINEERING CO., INC. + + + + + DILLON ENTERPRISES, INC.NORTH LIBERTY, INDIANA + + + + + DILLIS TRAILER MFG. + + + + + DILLE & MCGUIRE MFG. CO.RICHMOND, INDIANA + + + + + DILLY NELSON-DYKES CO, INC. + + + + + DIAMO BRAND POWERSPORT PORDUCTS, DISTRIBUTED BY LS MOTORSPORTSMOTORCYCLES, ATV'S & DUNEBUGGY'S + + + + + DI-MOND TRAILERS, INC., ONTARIO, CANADA + + + + + DINA CAMIONES S. A. DE C. V. + + + + + DINLI ATV'S + + + + + DIPLOMAT MOTOR HOME + + + + + DIRECT TRAILER LP TEXAS + + + + + DISCOVER 25 MOTOR HOME + + + + + DITCH WITCH DIV.DIV. OF CHARLES MACHINE WORKS, DIWTFOR REFERENCE ONLY + + + + + DI TELLA + + + + + DIAMOND TRAILERS, INC. SHANDON,OH + + + + + DIVCO-WAYNE INDUSTRIES + + + + + DIVA + + + + + DIVCO + + + + + DIVELY MFG. CO.CLAYSBURG, PENNSYLVANIA + + + + + DIXON INDUSTRIES, INC.COFFEYVILLE, KANSAS + + + + + DIXIE CRAFT TRAILERS, INC.EUPORA, MISSISSIPPI + + + + + DIXIEFRUEHAUF CORP. PLANT + + + + + DANIEL J ESSENPREIS MFG; EATONVILLE, WASHINGTON _TRAILERS + + + + + DEJONG PRODUCTS, INC; OREGON TRAILERS, AGRICULTURAL EQUIP + + + + + D J TRAILERS & WELDING, INC; OKLAHOMA TRAILERS + + + + + D.K. HOSTETLER, INC; PENNSYLVANIA - TRAILERS + + + + + DKR + + + + + DAKOTA TRAILER MANUFACTURING, INC; YANKSTON, SOUTH DALOTA; _(NOT SAME AS DAKOTA MANUFACTURING / VMA/DAKO) + + + + + D & K TRAILERS, INC; COLERIDGE, NEBRASKA + + + + + DKW + + + + + DELAHAYE + + + + + DILLER EQUIPMENT, LLC BOSWELL, PA + + + + + DELOUPE, INC.; QUEBEC, CANADA + + + + + DOLPHIN MOTORHOMES + + + + + DELTA OILFIELD TANK COMPANY,LLC FORT MORGAN, CO + + + + + DELTA MANUFACTURING; NEWPORT, ARKANSAS TRAILERS + + + + + DALTON KID RIDES/DALTON KID RIDES REBUILDERS, INC _FOLEY, MISSOURI; TRAILER MOUNTED AMUSEMENT RIDES ADDED/ASSIGNED 8/12/14 + + + + + DELTA STAR, INC; SAN CARLOS, CALIFORNIA TRAILERS + + + + + DULEVO; STREET SWEEPERS, SCRUBBERS AND WASTE COLLECTORS + + + + + DELIVERY CONCEPTS, INC ELKHART, IN + + + + + D & L WELDING DERVICES; CHRISTMAS VALLEY, OREGON + + + + + DM UTILITY TRAILER GOODFIELS,ILLINOIS + + + + + DMB TRAILERS; TRENT0N, FL + + + + + D.M.F TRAILER MANUFACTURING, INC. ALDA, NEBRASKA + + + + + DMH CO.DIV.OF NATIONAL GYPSUM CO.ST.LOUIS,MI + + + + + DMI, INC.GOODFIELD, ILLINOIS + + + + + DM MANUFACTURING; MADISON NEW JERSEY MOTORCYCLES + + + + + DIAMOND D TRAILER MANUFACTURING OR DIAMOND TRAILERS MFG. BLUE RAPIDS, KANSAS + + + + + DMP + + + + + DUMP-MASTER INC; MICHIGAN + + + + + DUMP MAXX; FAIRMONT, WEST VIRGINIA (SOLD BY TOP BRAND) + + + + + DM TELAI, POCKET BIKES ETC. + + + + + D.M. & V. ENTERPRISES, INC. + + + + + DNA ENTERPRISES, INC; INDIANA TRAILERS + + + + + BAYVIEW MODEL, MFG BY DNA ENTERPROISES, INC + + + + + CANTERBURY MODEL MFG BY DNA ENTERPRISES, INC;GOSHEN,INDIANA + + + + + GRAND HAVEN MODEL, MFG BY DNA ENTERPRISES, INC + + + + + DOWN LOW CUSTOMS ; OREGON (MOTORCYCLES) + + + + + DENNING MACHINE SHOP, INC.; WAKENNEY, KANSAS + + + + + DENNIS / DENNIS COACH BUILDERS UNITED KINGDOM + + + + + DNEPR (OFFICIAL NAME-KIEV MOTORZYKLY ZAVOD RUSSIAN BRAND OF MOTORCYCLE) OR RAM (RUSSIAN AMERICAN MOTORBIKE) + + + + + PARKVIEW MODEL, MFG BY DNA ENTERPRISES, INC + + + + + DURANGO; MFG BY KZRV LP OR KZ RECREATIONAL VEHICLES + + + + + D & P WELDING C0; DEKALB, TX + + + + + DR0PB0X, INC; + + + + + DROTT MANUFACTURING CO.DIV. J. I. CASE CO. + + + + + DEATH ROW MOTORCYCLES; SUGARLOAF, PA + + + + + DRAG MASTER UTILITY TRAILER + + + + + DRAKE TRUCK BODIES, VERNON BRIDGE, PRINCE EDWARD ISLAND , CANADA + + + + + DERBI (NACIONAL MOTOR S.A.MOPEDS,MOTORCYCLES + + + + + DURACO INDUSTRIES, INC.; JACKSON, MISSISSIPPI + + + + + DREAM COACH TRAILER (FORMERLY DIAMOND G TRAILER CO; VMA/DIAG) MISSISSIPPI; VARIOUS STYLES OF TRAILERS + + + + + DELL RAPIDS CUSTOM TRAILERS, INC. DELL RAPIDS SOUTH DAKOTA (PRODUCT LINE KNOWN AS DCT) FORMERLY DRESSENS CUSTOM TRAILERS (VMA/DRSN) DRESSENS SOLD FEBRUARY 2013 AND BECAME DELL RAPIDS + + + + + DARDON, INC. + + + + + DREAMER + + + + + ELITE SUITE; MFG BY DRV SUITES + + + + + DRESSER INDUSTRIES, INC. + + + + + DREWES ENGINEERING, OVIEDO, FL; LOW SPEED ELECTRIC VEHICLES + + + + + DRAGGIN CUSTOM CYCLES, LLC KENTUCKY + + + + + DRAGLITE TRAILER + + + + + DRIFTER MFG. CO. + + + + + DRIFTWOOD HOMES CORP. + + + + + DRI INDUSTRIES, INC., MINNESOTA + + + + + DRIVE ON TRAILER MFG.MISHAWAKA, INDIANA + + + + + DREAMLINER TRAILER + + + + + MOBILE SUITE; MFG BY DRV SUITES + + + + + DROP TAIL TRAILERS, LLC; EULESS,TX MOTORCYCLE,UTV,ATV & SPORT UTILITY TRAILERS + + + + + DONE RIGHT POWEWR EQUIPMENT (DR POWER EQUIPMENT) MOTORIZED POWERWAGON (WHEELBARROW) FARM & GARDEN EQUIP + + + + + DRR INC. OHIO (PARENT COMPANY ACCESS MOTOR CO.LTD TAIWAN ATV'S ETC. + + + + + DRR ATV'S ACCESS MOTOR CO., LTD. + + + + + DRASH TRAILERS TRAILER MOUNTED SHELTERS + + + + + DRESSEN CUST0M TRAILERS, INC.; DELL RAPIDS , SD; DCT TRAILERS OR DELL RAPIDS CUSTOM TRAILERS COMPANY CHANGED NAME + + + + + TRADITION; MFG BY DRV SUITES + + + + + DORETTI / SWALLOW-DORETTI (BRITISH SPORTS CAR) LIMITED MFG; ONLY 275 OR SO MADE + + + + + DRV SUITES; HOWE, INDIANA MOBILE SUITE, TRADITION & ELITE SUITE MODELS + + + + + DURUXX, LLC - BIXBY, OKLAHOMA ALL TERRAIN/UTILITY TERRAIN OFF & ON ROAD - LOW SPEED VEHICLES + + + + + DRYDOCK TRAILER, INC.BOAT TRAILERS FREEPORT, FLORIDA + + + + + DRESCH MOTORCYCLES - FRANCE + + + + + DEEP SOUTH CARGO TRAILERS LLC PEARSON, GA + + + + + DESIGN CONCEPTS, INC, CHICO CALIFORNIA BOAT TRAILERS + + + + + DSH ENTERPRISES, TEXAS + + + + + DESPERAD0 M0T0R RACING & M0T0RCYCLES; TAILRIDER,GUN RUNNER,R0AROAD DOG & POSSEE MODELS + + + + + SUPER COOKERMFD. BY DEEP SOUTH SALES CO. + + + + + D & S TRAILER BUILDERS; MESA, ARIZONA TRAILERS + + + + + DSW MFG., CO; CROSSVILLE, TENNESSEE TRAILERS + + + + + DWS STOREWAY TRAILER CROSSVILLE, TN + + + + + CAMBRIDGE; MFG BY DUTCH PARK HOMES, INC + + + + + DUTCH; MFG BY NEWMAR CORP + + + + + DUTCH PARK HOMES, INC.; GOSHEN, IN + + + + + CLASSIC; MFG BY DUTCH PARK HOMES, INC + + + + + DESERT THUNDER CUSTOMS, LLC ARIZONA + + + + + MONTEREY; MFG BY DUTCH PARK HOMES, INC + + + + + DTP MUSCLE CUSTOM CHOPPERS / DTP MUSCLE, LLC NORTHVILLE, MICHIGAN + + + + + RIVERBROOK; MFG BY DUTCH PARK HOMES, INC + + + + + DETRAIL TRAILER + + + + + D0UBLETREE RV, LLC; LAGRANGE, INDIANA OR DRV, LLC + + + + + SEASIDE; MFG BY DUTCH PARK HOMES, INC + + + + + STERLING, MFG BY DUTCH PARK HOMES, INC + + + + + DUAL EVANS CORP. + + + + + DUAL-WIDE, INC. + + + + + DUAL MFG. CO. + + + + + AEROLITE; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV COMPANY, INC - VMA/KYRV PER FLDHSMV 1/14 + + + + + ASPEN TRAIL; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV COMPANY PER FLHSMV 1/14 + + + + + DOUBLE G TRAILERS; FRIENDSHIP, TENNESSEE + + + + + BAY RIDGE; MFG BY DUTCHMEN MFG, INC + + + + + DUB BOX USA; OREGON CITY, OREGON TRAILERS, CAMPERS + + + + + COLEMAN; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV COMPANY - PER FLHSMV 1/14 + + + + + DUCATI + + + + + DUDE TRAILER + + + + + DUTCHMEN; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV COMPANY - PER FLHSMV 1/14 + + + + + DUEL + + + + + DUESENBERG + + + + + FINE LIFE COTTAGE; MFG BY DUTCHMEN MFG, INC + + + + + DUSGO TRAILER + + + + + DUGAN TRAILER, INC.GROESBECK, TEXAS + + + + + INFINITY; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV COMPANY - PER FLHSMV 1/14 + + + + + KODIAK; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV CO + + + + + DUKE MOBILE HOMES + + + + + KOMFORT; MFG BY DUTCHMEN MFG, LLC + + + + + DUO-LIFT, MFG.; COLUMBUS, NEBRASKA TRAILERS + + + + + DUNBAR KAPPLE BATAVIA,ILLINOIS + + + + + DUNHAM MFG. CO., INC.MINDEN, LOUISIANA + + + + + DUNHAM LEHR, INC. + + + + + DUN-RITE MANUFACTURING LLC; DENVER, CO + + + + + DUNRIGHT TRAILER MFG., INC. CLINTON TWP, MICHIGAN TRAILERS + + + + + DUPAGE COACH CO. + + + + + PERFECT COTTAGE; MFG BY DUTCHMEN MFG, INC + + + + + DUPLEX TRUCK DIV.DIV. OF THE NOLAN CO., MIDVALE, OHIO + + + + + DUPONT SERVICE CENTER, INC; QUEBEC CANADA; CHAMPLAIN TRAILER + + + + + DUPLEX MILL & MANUFACTURING CO. + + + + + DURO MOBILE HOMES + + + + + DURANT + + + + + DUROBILTEL MONTE, CALIFORNIA + + + + + DURCHOLZ TRAILER + + + + + DURA-CRAFT MOBILE HOMES + + + + + DURABILT INDUSTRIES, INC. POCAHONTAS, ARKANSAS + + + + + RUBICON; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RV - PER FLHSMV 1/14 + + + + + RAZORBACK TOY HAULER MFG BY DUTCHMEN MANUFACTURING MERGED WITH KEYSTONE RV COMPANY - PER FLHSMV 1/14 + + + + + DUSTER CAMPER II, TEXAS, TRAILER CONVERSIONS + + + + + DUTCHMEN MANUFACTURING, MIDLEBURY, IN. TRAILERS MAKER OF N'TENSE TRAILERS + + + + + DUTEC TRAILER + + + + + DUTTON-LAINSON CO., MFG. DIV.MFRS. OF BOAT TRAILERS, + + + + + VOLTAGE; MFG BY DUTCHMEN MFG, LLC MERGED WITH KEYSTONE RC - PER FLHSMV 1/14 + + + + + DUVALL EQUIPMENT, LLC; WEST PONIT, KENTUCKY _TRAILERS + + + + + DYMAC VEHICLE GROUP & ELECTRIC VEHICLES INTERNATIONAL ELECTRIC MINI TRUCKS, MINI VANS, SHUTTLES AND VERDE SCOOTERS; CALIFORNIA + + + + + DEVEL'S TRIKE PLACE; GERMANY CYCLES, ETC + + + + + DEVAULT OF CALIFORNIA FOUNTAIN VALLEY, CALIFORNIA + + + + + DV MANUFACTURING, INC; STANTON, CALIFORNIA + + + + + DIVERSIFIED MOBILE PRODUCTS, INC; ELKHART, INDIANA + + + + + DOWNS CLARK TRAILER + + + + + D0WN (2) EARTH TRAILERS 0R D0WN T0 EARTH TRAILERS; GE0RGIA + + + + + DIXIE CH0PPER M0WERS + + + + + DAYBREAK; MFG BY THOR MOTOR COACH, INC. + + + + + DYNACYCLE + + + + + DYNASTY ELECTRIC CAR CORP., BRITISH COLUMBIA CANADA + + + + + DYNAMIC INDUSTRIES, INC. + + + + + DYNAMAX CORPORATION; ELKHART, INDIANA (MOTORHOMES) DIVISION OF FOREST RIVER + + + + + DYNAHOE TRUCK + + + + + DYNACRUISER MOUNT TRAILER + + + + + DYNES ENTERPRISRS, LLC; HERMISTON, OREGON (COLUMBIA BASIN TRAILERS) + + + + + DYNAMITE MANUFACTURING (DBA-MAN CAVE RV) APACHE JUNCTION, AZ _TRAILER + + + + + DAYANG; LUOYANG NORTHERN EK CHOR MOTORCYCLE CO, LTD. DAYANG IS THE REGISTERED COMPANY + + + + + DYNAMIC MANUFACTURING, LLC - WEIDMAN, MICHIGAN _MFG CONE HEAD WOOD CHIPPERS + + + + + DYNAMARK TRACTOR MOWER + + + + + DYNAPAC INC SALT LAKE CITY UTAH TRAILERS + + + + + DYNAMICS CORP. OF AMERICA + + + + + DYNA-VAC EQUIPMENT; STITTVILLE, NEW YORK (JET N VAC TRAILERS)TRAILER MOUNTED SEWER CLEANING PUMPS AND VACUUMS AND TRUCKS + + + + + DYNAWELD TRAILER + + + + + DYNASTAR + + + + + DAYTEC CENTER; HESPERIA, CA MOTORCYCLE FRAMES & PARTS + + + + + DY TERRA CORPORATRION MANITOBA, CANADA + + + + + E-ONE TRUCKS; OCALA, FLORIDA AND NEW YORK _FIRE AND RESCUE VEHICLES + + + + + EAGLE CRUSHER CO., INC. + + + + + EAST COAST TRAILERS; BAYSHORE, NEW YORK + + + + + EAST DUMP TRAILER + + + + + EAGER BEAVER TRAILER + + + + + EAGLE CUSTOM COACH MFG. CO. + + + + + EAGLE EQUIPMENT + + + + + EAGLE INTERNATIONAL, INC.MFRS. BUSES BROWNSVILLE, TEXAS + + + + + EAGLE TRAILER MFG., INC. + + + + + EAGLE RIVER HOMES LLC, LEOLA, PA + + + + + EASY LOADER TRAILER + + + + + EAM MANUFACTURING; MIAMI FLORIDA AVIATION REFUELING EQUIPMENT /CHASSIS + + + + + EARTHCAM MOBILE SURVEILLANCE TRAILERS WIRELESS COMMUNICATIONLINKS + + + + + EASY RIDER TRAILER + + + + + EARTHROAMER (FOUR-WHEEL DRIVE MOTORHOMES); COLORADO + + + + + EASTSIDE MACHINE, INC- CRESWELL, OREGON - TRAILERS + + + + + EASTERN-BILT, INC. + + + + + ENERGY ABSORPTION SYSTEMS, INC (SAFE TOP TRAILERS, WORK ZONE &SAFETY ZONE PRODUCTS) PELL CITY ALABAMA + + + + + EASOM ENGINEERING + + + + + EASTON CAR & CONSTRUCTION + + + + + EAST SE TRAILER + + + + + EASY VEHICLE CO., LTD OR ZHEJIANG YONGKANG EASY VEHICLE CO.LTD; YONGKANG CITY, CHINA - ATV, SCOOTERS,DIRT BIKE, ELECTRIC BIKES + + + + + EASY TRAVELER TRAILER + + + + + EASYOWN MFG. CO. + + + + + EATON CORP.CLEVELAND, OHIO + + + + + EATON DRILLING CO, INC DBA - EATON FABRICATION CO _WOODLAND, CALIFORNIA + + + + + EAST TENNESSEE TRAILERS LLC; MOSHEIM, TN + + + + + EASY TRAIL, INCBOAT TRAILERS - MADISON, ALABAMA + + + + + EASY TOW (BOAT TRAILERS) + + + + + EASY TOW BOAT TRAILERS + + + + + EBONY LINE PRODUCTS + + + + + E BERGMAN COMPANY, INC; RANTOUL, ILLINOIS _TRAILERS, LANDSCAPE TRAILERS- ADDED/ASSIGNED 109/14 + + + + + EBR - ERIK BUELL RACING (NEW COMPANY 2009-NOT ALLOWED TO USE BUELL SIMILAR PROD AS BUELL MOTOR CO / ERICK BUELL RACING/MOTORCYCLES - EBR NOT IN ANY LEGAL WAY RELATED TO BUELL MOTORCYCLE CO, SEE VMA/BUEL + + + + + E BUS; HYBRID & ELECTRIC SHUTTLES, TR0LLEYS AND BUSES + + + + + ECO-BIKE ELEC MOTORCYCLE + + + + + ECONOMY DRILLING SOLUTIONS; OKLAHOMA + + + + + ECONO FLO BULK SERVICE + + + + + ECHOL TRAILERS + + + + + ECONOMY-WISCONSIN + + + + + BANDIT, MFG BY ECHO MANUFACTURING, LLC + + + + + ECO-FUELER CORPORATION; BEND, OREGON MOTORCYCLES + + + + + ECHO MANUFACTURING, LLC; BRISTOL, INDIANA - TRAILERS _NORTH BAY, SPIRIT, BANDIT & NEW GENERATION MODELS + + + + + ECHELON MOTORCYCLES, FLORIDA + + + + + ECOJOHN, INC. FOUNTAIN VALLEY, CA + + + + + ECHO TRAILERS, LLC; OGDEN, UTAH, ALSO, IDAHO, COLORADO AND GEORGIA + + + + + ECLIPSE RECREATIONAL VEHICLES, INC, RIVERSIDE,CA + + + + + ECONOLINE UTILITY TRAILER TRAILERS + + + + + ECLIPSE ALUMINUM TRAILERS, INC., SOMERSET, OHIO + + + + + ELECTRIC CITY MOTORS NORTH AMERICA, INC; COLORADO LOW EMISSION VEHICLES (CURRENT & E-BUS) MODEL OF VEHICLES + + + + + ECONOMY CAMPER CO. + + + + + ECONOLINE TRAILERS, INC. ; DOUBLE SPRINGS, ALABAMA + + + + + NORTH BANDIT, MFG BY ECHO MANUFACTURING, LLC + + + + + NEW GENERATION; MFG BY ECHO MANUFACTURING, LLC + + + + + ECSA MEXICO TRAILERS + + + + + SPIRIT, MFG BY ECHO MANUFACTURING, LLC + + + + + ECSTASY INC., INDIANA ALSO SEE RENEGADE TRIKE CORP VMA/RENE + + + + + ECSTASY TRIKES OF ALLENTOWN, INC + + + + + DOVEKIE MFG BY EDEY & DUFF + + + + + ENDURAMAX LLC, GOSHEN, INDIANA + + + + + EDSEL + + + + + EDWARDS TRAILER + + + + + EDWINS + + + + + CANADIAN MOTORHOME + + + + + EE SMITH TRAILER SALES; LONE GROVE, OKLAHOMA _TRAILERS + + + + + EAGLE ELECTRIC VEHICLE MANUFACTURING CO., LTD OR SUZHOU EAGLE ELECTRIC VEHICLE MANUFACTURING CO., LTD. LSV'S + + + + + EE-ZY TRAILER CO. + + + + + EAGLE FORD TANKS & TRAILERS, LLC HIDALGO, TX TRAILERS FRAC TANK TRAILER + + + + + EGO VEHICLES, LLC ELECTRIC SCOOTERS ETC. (HELIO BRAND) MASSACHUSETTS + + + + + EAGLE BODY INC., SPRINGDALE, ARKANSAS + + + + + EAGLE CARGO TRAILERS; NICHOLLS, GEORGIA + + + + + EGG CAMPER (SEALED FIBERGLASS) JENISON AIRLEASE INC GRANDVILLE, MI + + + + + 801 TRAILER MANUFACTURING LINDON, UTAH + + + + + EAGLE + + + + + EAGLE (ALSO SEE MAKE AMERICAN EAGLE) + + + + + EAGLE MANUFACTURING RATHDRUM, IDAHO + + + + + EAGLEROCK TRAILERS, INC; HOUSTON, TEXAS + + + + + EHM MFG. CO. + + + + + EIDAL INTERNATIONAL CORP. + + + + + EIDAL INTERNATIONAL CORP. + + + + + EIGHT POINT + + + + + EL-JAY DIV. IOWA MFG. CO. + + + + + ERIK BUELL RACING, LLC; EAST TROY, WISCONSIN; PREVIOUSLY ERIK BUELL MOTOR CO; VMA/BUEL-NOW OWNED BY HARLEY DAVIDSON AS OF 2011 ERIK BUELL RACING NOT ASSOCIATED WITH PREVIOUS COMPANY. + + + + + EK-CHOR MOTORCYCLE COMPANY; SHANGHAI, CHINA + + + + + ELCONA HOMES CORP + + + + + ELCAR MOBILE HOMES, INC.DIV. DIVCO-WAYNE INDUSTRIES + + + + + ELECTRIC WHEEL CO. + + + + + ELECTRIC CYCLE + + + + + EL DORADO MFG., LTD. + + + + + EL DO-CRAFT BOAT CO., INC.BOAT TRAILERS SMACKOVER, ARKANSAS + + + + + ELDER TRAILER & BODY + + + + + EL DORADO NATIONAL, (SUBSIDIARY OF THOR INDUSTRIES-VMA/THMC) BUILT ON FORD CHASSIS WITH A VIN WMI OF FORD + + + + + ELEC-TRAC + + + + + ELECTRA VACATION HOME + + + + + ELGIN + + + + + ELGIN SWEEPER COMPANY ELGIN, ILINOIS + + + + + ELIO MOTORS; PHOENIX ARIZONA 3 WHEEL VEHICLES + + + + + ELI BRIDGE COMPANY; JACKSONVILLE, ILLINOIS + + + + + ELITE MFG.CAMPER SHELLS MERCED, CALIFORNIA + + + + + ELJAY MFG. CO. + + + + + ELK AUTOMOTIVE; ELKHART, IN + + + + + ELKHART COACH; ELKHART, IN; DIVISION OF FOREST RIVER, INC + + + + + ELKHART CUSTOM DESIGN, LLC - ELKHART, INDIANA BUSES + + + + + ELKRIDGE & ELKRIDGE EX; MFG BY HEARTLAND RECREATIONAL VEHICLESS + + + + + ELKHART MFG. CO. + + + + + ELK RIVER C0RP0RATI0N; ELKHART INDIANA; VARI0US STYLES 0F TRAILERS + + + + + ELGIN-LEACH CORP. + + + + + ELLIOTT MOBILE HOME MFG. + + + + + ELLIS TRAILER CO.SYLMAR, CALIFORNIA + + + + + ELLIOTT (TANKER TRAILERS) + + + + + ELLIS MFG. CO., INC. + + + + + ELITE METAL PERFORMANCE; MOORESVILLE, NORTH CAROLINA TRAILERS; ADDED/ASSIGNED 7/18/14 + + + + + ELECTRIC MOTORSPORTS (MOTORCYCLES); CALIFORNIA 1E9/456 + + + + + ELEMENT - MFG BY EVERGREEN RECREATIONAL VEHICLES + + + + + ELETE TRAILER COMPANY; OHIO - TRAILERS + + + + + ELITE TRAILER MANUFACTURING, LLC OKLAHOMA CITY, OK + + + + + EL TIRON CUSTOM TRAILERS, LLC BULVERDE, TX + + + + + ELLIOTT TRAILER SALES; AUSTIN, TEXAS + + + + + ELVA + + + + + ELECTRIC VEHICLE CORP. (MFRS REPLICAS) MINNEAPOLIS,MN + + + + + ELECTRIC VEHICLE TECHN0L0GIES;ATV'S, SC00TERS, ELECTRIC BIKES;SK0KIE, IL/TAIWAN + + + + + EASY LAWN, INC; BRIDGEVILLE, DELAWARE + + + + + EMERGENCY ONE, INC. + + + + + E-MOTO, LLC (JINHUA SHIWEI VEHICLE CO., LTD., ZHEJIANG CHINA) VEHICLES ARE BADEGED E-MOTO ELECTRIC SCOOTERS & POWER ASSISTED BIKES JINHUA SHIWEI + + + + + EMA MOTORWORKS, LLC JACKSONVILLE, FLORIDA MOTORCYCLES _PARTNERS WITH ATELIER DE MODELAGE R.B. INC + + + + + E-MAX MOTORCYCLES GGC-GLOBAL GENERATION CULT GMBH GERMANY + + + + + EMBASSY HOMESDIV. OF GUERDON INDUSTRIES + + + + + EMBASSY MOBILE HOMES DIV OF GUERDON IND. + + + + + EMMCO TRAILER + + + + + E-1 MACHINE, LLC; POMPANO BEACH, FLORIDA TRAILERS & TRUCKS + + + + + EMPIRE CARGO TRAILERS DOUGLAS, GA + + + + + EMERS0N TRAILERS, INC., FL0RIDA + + + + + EMMERT MFG. CO., INC. + + + + + EML + + + + + EMPIRE CORP., INC. + + + + + EMPIRE GENERATOR CORP. + + + + + EMPIRE TRAILER, INC. + + + + + EMPIRE PLOW CO. + + + + + EMPRESS INDUSTRIES + + + + + EMW + + + + + ENDERBY-ANDERSON CO; TEXAS + + + + + ENC0RE; RIDING LAWNM0WERS + + + + + ENCORE_VEHICLES, INC, FLORIDA + + + + + ENGINE & EQUIPMENT; COMPTON, CALIFORNIA + + + + + ENERGY MFG. CO. + + + + + ENGLE FABRICATION, LLC; SAUK CENTRE, MINNESOTA _TRAILERS + + + + + ENGLISH FORD (BRITISH) + + + + + ECONOMY GARDEN TRACTOR MFG.BY ENGINEERING PRODUCRTS CO., INC + + + + + ENGLISH INDUSTRIES + + + + + ENGINEERED MANUFACTURING CORPORATION; MIAMI, FLORIDA _TRAILER - ASSIGNED/ADDED 2/28/14 + + + + + GENERIC CODE FOR USE ONLY WHEN MANUFACTURER IS NOT LISTED + + + + + ENC0RE M0T0RCYCLE C0., USA; LAS VEGAS NEVADA + + + + + ENNIS TRAILER MANUFACTURING; TEXAS + + + + + ENTERPRISE MOTOR HOME + + + + + EN ROUTE, INC.ELKHART, INDIANA + + + + + ENSENADA MOBILE HOMES + + + + + ENTEGRA COACH INC, INDIANA; MOTORHOMES,MOTORCOACHES,FIFTH-WHEEL TRAILERS + + + + + ENVIRONMENTAL TECHNOLOGY INDUSTRIES (DBA-ENTECH INDUSTRIES,INCGRAND FORKS, MN + + + + + THE ENTWISTLE COMPANY HUDSON MA + + + + + ENVEMO BRAZIL REPLICA VEHICLES (BUILT ON VW CHASSIS) + + + + + ENVASES DE ACERO, S.A. DE C.V. MEXICO; TRAILER + + + + + ENERVAC CORPORATION; ONTARIO, CANADA TRAILERS + + + + + ENVIROTECH CORP.EIMCO PROCESS MACHINER DIV. + + + + + ENVOY + + + + + ENZMANN + + + + + EPOKE NORTH AMERICA, INC, ONTARIO, CANADA DUMP ATTACHMENTS ANSTOWED SPREADERS + + + + + E-PAK MANUFACTURING, LLC; WOOSTER,OH TRAILERS + + + + + ERWIN PRECISION CUSTOM CYCLES AKA EPI CUSTOM CYCLES, MANCHESTER, NH + + + + + EQUIPMENT PR0 ALS0 KN0WN AS; MILR0N C0MPANY INC, GE0RGIA + + + + + EQUIPMENT SOURCE, INC KENT, WA + + + + + EQUIPT TRAILERS, SEALCOATING/CRACKSEALING EQUIPMENT TRAILER/SKID MOUNTED ALSO BLOWER & DEBRIS REMOVAL AND STRIPING EQUIPMENT _ACQUIRED BY CIMLINE + + + + + EQUISPIRIT TRAILER COMPANY HORSE TRAILERS + + + + + EQUEST TRAILERS (PARENT COMPANY - SPECIALITY STEEL INC) CANADA + + + + + EQUI-TREK, LTD.; UNITED KINGDOM TRAILERS + + + + + ERIC ENTERPRISES, INC.COVENTRY, CONNECTICUT + + + + + ERECTORS & FABRICATORS, INC.TONGANOXIE, KANSAS + + + + + ERICKSON CORP. + + + + + E RIDE INDUSTRIES, MINNESOTA (EXV2 & EXV4 MODELS) + + + + + ERIE CITY WELDING & SPRING + + + + + ERIE-GO MFG., INC. + + + + + ERIN TRUCK AND BODY EQUIPMENT DOLTON, ILLINOIS + + + + + ERIE-SPRAYER CO. + + + + + ELK RIVER MACHINE CO.; ELK RIVER, MN + + + + + ERA REPLICA AUTOMOBILES; NEW BRITAIN, CONNECTICUT + + + + + ERSKINE + + + + + ERSKINE & SONS, INC; GUNTERSVILLE, ALABAMA + + + + + EARTHBOUND RV CORP OR EARTHBOUND LLC; (MODELS:DILLON, RED ROCKTELLURIDE,COPPER MOUNTAIN,GOLDEN RIDGE,MORRISON,DAKOTA) INDIANA + + + + + ERWIN MANUFACTURING; AZLE, TEXAS CONCESSION TRAILERS + + + + + EXCO BOAT TRAILERS + + + + + ESCAPE TRAILER + + + + + ESCO CORP. + + + + + EAST SIDE CUSTOM CHOPPERS LAUDERDALE LAKES FL + + + + + ESCAPADE MOTOR HOME + + + + + ESCORT TRAILER CORP.SEATTLE, WASHINGTON + + + + + ESE MACHINES, INC. + + + + + ESHELMAN SPORTABOUT + + + + + ESSIX + + + + + EASLEY TRAILER MANUFACTURING, INC.CANADIAN, TEXAS + + + + + EAST MANUFACTURING CORP., RANDOLPH, OHIO (EAST TRAILERS) + + + + + INDUSTRIES ESPADON, INC., CANADA + + + + + ESQUIRE INC + + + + + ESSEX + + + + + ESSICK/HADCO DIV.DIV. A-T-O, INC. (FORMERLY ESSICKMFG.CO.) + + + + + ESSICK TRAILER + + + + + ESSEX; MFG BY NEWMAR CORP + + + + + ESTABLISHMENT + + + + + ESTEVAN INDUSTRIES, LTD. + + + + + ESCAPADE TRAILER, INC; ARRINGTON, VIRGINIA + + + + + ESTATE MFG., INC.MOTOR HOMES ELKHART, INDIANA + + + + + ESTATE; MFG BY ATHENS PARK HOMES, LLC; TEXAS + + + + + EASY TRIKE GMBH, GERMANY + + + + + E-TON DYNAMICS TECHNOLOGY INDUSTRY CO., LTD + + + + + EASTERN TECHNOLOGIES, LTD TRAILERS + + + + + E. D. ETNYRE & COMPANYOREGON, ILLINOIS + + + + + EAST TEXAS TRAILERS; PETY, TX + + + + + ETUK USA LLC; BROOMFIELD, COLORADO + + + + + EAST TEXAS L0NGH0RN TRAILERS LLC; EM0RY, TX + + + + + EUCLID, INC., SUBSIDIARY OF WHITEMOTOR CORP. + + + + + EURO E.A. ALUMINIO, C.A.; CARACAS, VENEZUELA + + + + + EVOBUS GMBH; GERMANY + + + + + EVACO ACQUISTION CORP., INC; GEORGIA + + + + + ALFA GOLD, MFG BY EVERGREEN RV, LLC + + + + + AMPED; MFG BY EVERGREEN RV, LLC RECREATIONAL VEHICLES + + + + + EVANS MFG. CO., INC., SUMTER, SOUTH CAROLINA _ALSO KNOWN AS JOHN EVANS MANUFACTURING ; DIAMATRIX ACQUIRED JOHN EVANS MFG. + + + + + EVANS-PLUGGE CO., INC.COLUMBUS, NEBRASKA + + + + + EVANSTON COACH CO. + + + + + BAY HILL; MFG BY EVERGREEN RECREATIONAL VEHICLES, LLC + + + + + EVCOR, LLC MANUFACTURING; DALLOS, OREGON + + + + + EVENS TRAILER MFG., INC. + + + + + EVERGREEN LOG TRAILER + + + + + EVERSMAN MFG. CO. + + + + + EVERGREEN RECREATIONAL VEHICLES, LLC (EVER GREEN) MIDDLEBURY, INDIANA + + + + + EVINRUDE MOTORS + + + + + LIFESTYLE; MFG BY EVERGREEN RECREATIONAL VEHICLES, LLC + + + + + EVERLITE, INC.; LONGVIEW, TX + + + + + EVOLVE ELECTRIC MOTORCYCLES OR EVOLVE MOTORCYCLES, LLC JERSEY CITY, NJ + + + + + ELECTRIC VEHICLES NORTHWEST, INC.; SEATTLE, WA + + + + + EVANS AUTOMOBILES SCOTTDALE, GEORGIA + + + + + REACTOR MODEL, MFG BY EVERGREEN RECREATIONAL VEHICLES + + + + + EVERETT-MORRISON + + + + + EVERYBODY'S MOTOR CAR MFG. + + + + + ELECTRIC VEHICLE SYSTEMS; WORCESTER, MA + + + + + SUN VALLEY; MFG BY EVERGREEN RECREATIONAL VEHICLES, LLC + + + + + TESLA; MFG BY EVERGREEN RV, LLC + + + + + EVOLUTION TRAILER TECHNOLOGIES, INC. PUNTA GORDA, FLORIDA + + + + + EVT TECHNOLOGY CO., LTD. KUEI-SHAN HSIANG + + + + + ELECTRIC VEHICLES OF TEXAS, CARS AND SCOOTERS + + + + + EVERYTHING MARINE USA; MIAMI, FLORIDA + + + + + RED EWALD, INC. + + + + + EXA INDUSTRIAL S.A. DE C.V. MEXICO + + + + + EXCEL MOTOR HOME TRUCK + + + + + EXCEL WINSLOW, EXCEL LIMITED AND EXCEL WILD CARGO + + + + + EXOTIC CHOPPERS, INC.; ORLANDO,FLORIDA + + + + + EXCEL INDUSTRIES, INC.HESSTON, KANSAS + + + + + EXCALIBUR + + + + + EXCELLANCE, INC. + + + + + EXCELSIOR + + + + + EXTREME CYCLES + + + + + EXECUTIVE INDUSTRIES, INC. + + + + + EXOSENT ENGINEERING, LLC; COLLEGE STATION, TEXAS + + + + + EXCEL EZLOAD TRAILERS, LLC; AMARILLO,TX + + + + + EXCELSIOR-HENDERSON + + + + + EXISS ALUMINAM TRAILERS, INC.; EL RENO, OK OR EXISS/SOONER TRAILERS PREVIOUSLY UNIVERSAL TRAILER CORPORATION + + + + + MILES TRAILERS EL RENO, OK + + + + + EXPERT MARINE WELDING; MELBOURNE, FLORIDA + + + + + EXPEDITION MOTORHOMES; MANUFACTURED BY FLEETWOOD + + + + + EXTREME PERFORMANCE SAN BERNARDINO CA + + + + + EXPLORER; MFG BY KIBBI, LLC / RENEGADE + + + + + EXPRESS TRAILERS; FLORIDA + + + + + EXPEDITION TRAILERS, INC; MICHIGAN + + + + + EXPRESS; AKA-EXPRESS WELDING CO., MICHIGAN + + + + + EXTREME RV'S, LLC; CALDWELL, IDAHO + + + + + SOONER TRAILER, MFG BY EXISS SOONER, LLC (VMA/EXIS) EL RENO,_OKLAHOMA + + + + + E Z TOW MANUFACTURING CO.MADISON, CONNECTICUT + + + + + EXTEND-ELL INDUSTRIES + + + + + EXTREME MAKEOVERS & RV REPAIR; HEMET, CA + + + + + EXTREME CUSTOM TRAILERS, RIVERSIDE, CA + + + + + EXECUTIVE; MFG BY KROPF INDUSTRIES, INC + + + + + EXOTIX CYCLE & MOTOR WERX, INC OVIEDO, FLORIDA + + + + + E.Z.A. MFG. CO. + + + + + E-Z CAMPER (OR KAMPER) + + + + + E-Z SCREEN (PARENT COMPANY ARGUS INDUSTRIAL CO, LLC) COEQ + + + + + E Z DUMPER TRAILERS WAYNESB0R0, PA + + + + + E-Z GO (DIVISION OF TEXTRON) GOLF, TURF & UTILITY VEHICLES AUGUSTA, GEORGIA + + + + + E Z HAULDIV. OF PARKHURST MANUFACTURING CO. + + + + + E-Z LOADER BOAT TRAILER MIDWAY, ARKANSAS MULTIPLE LOCATIONS - AR,WA,OR,IN,FL,MD,NC, CANADA ETC + + + + + E-Z SPORTSMEN (TRAILERS) + + + + + EZ TRAC TRAILERS, INC MT.VIEW, ARKANSAS + + + + + EZ TRADE TRAILERS + + + + + E-Z TRAIL, ARTHUR, ILLINOIS AGRICULTURAL TRAILERS, WAGONS, CARTS ETC. + + + + + EZ-TRAIL TRAILERS, MFG.; ORANGE, CALIFORNIA + + + + + E-Z UTILITY TRAILERMFD. BY DUTCHIE, LEOLA, PENNSYLVANIA + + + + + EEZZZZ-ON, INC; LARGO, FLORIDA;TRAILERS + + + + + EZZY LOAD BOAT TRAILER + + + + + FOOD-TRAILERS, INC. MILWAUKIE/PORTLAND, OREGON _FOOD TRAILERS; ADDED/ASSIGNED 9/10/14 + + + + + FOOT HILL HORSE TRAILER + + + + + FOCUS MFG BR HEARTLEND RECREATIONAL VEHICLES, LLC + + + + + FOUR HORSEMAN MOTORCYCLE CO. LLC; CONNECTICUT + + + + + F0LAND ENTERPRISES; SAN DIEG0, CA + + + + + FOREMOST (ALSO SEE MAKE J.C.PENNEY) + + + + + FORMALOY FLAT SNOWMOBILE TRAILER + + + + + FONTAINE TRUCK EQUIPMENT CO.BIRMINGHAM, ALABAMA _NOT SAME AS FONTAINE SPECIALIZED; FONTAINE TRAILERS IN SPRINGVILLE, AL, HALEYVILLE, AL, KENT, OH OR PRINCETON, KY (MILITARY PRODUCT GRP) + + + + + FONTAINE SPECIALIZED; SPRINGVILLE, AL; FONTAINE TRAILERS; HALEYVILLE, AL AND FONTAINE TRAILERS; KENT, OH ALL PART OF FONTAINE LINE OF TRAILERS.*MILITARY PRODUCT GROUP OF FONTAINE LOCATED IN PRINCETON, KY NOT SAME AS FONTAINE TRUCK (VMA/FONA) + + + + + FONTENELLE HOMES, INC. + + + + + FORTE TRAILER + + + + + FORAGE KING INDUSTRIES INC. + + + + + FORREST CITY MACHINE WORKS, INC. + + + + + FORD (ALSO SEE ENGLISH, FRENCH,GERMAN, AND ITALIAN FORD) + + + + + FORD'S MOBILE HOME MFG. + + + + + FOREMAN MFG. CO. + + + + + FOREMOST MOBILE HOME MFG. + + + + + FORESTER + + + + + FOREST CITY INDUSTRIES, INC. + + + + + FORLYN ENGINEERING CO. + + + + + FORMCASTER INC OR FORM CASTER INC NEWPORT, NE HAMPSHIRE RAIL_TRAILER TRANSPORTER + + + + + FORNEY HORSE TRAILER + + + + + FOSTRON'S FACTORY OUTLET TRAILERS + + + + + FORT LUPTON CAMPERS + + + + + FORT SMITH CAMPER MFG. CO. + + + + + FORTUNE HOMES CORP. + + + + + FORT WORTH FABRICATION, INC; FORT WORTH, TEXAS TRAILERS + + + + + FOST JOE DOG + + + + + FOSTER FLATBED TRAILER + + + + + FOTON LOVOL; TRAILER AND AGRICULTURAL FARM MACNINERY + + + + + FOTON MOTOR CO., LTD OR BEIQI FOTON MOTOR CO., LTD BEIJING CHINA + + + + + FOTOGRAFIX BOAT TRAILERS + + + + + FOUNTAIN FLATBED TRAILER + + + + + FOUR SEASONS TRAVEL TRAILER + + + + + FOUR STAR COACH CO. + + + + + FOUR STATE INDUSTRIES, INC.ELKHART, INDIANA + + + + + FOUR WINDS + + + + + FOREVER CONCESSION TRAILERS,LLC YOUNGSTOWN, OH + + + + + FOUR WINNS + + + + + FOX + + + + + FOXI + + + + + FABRICATED ALL0Y BUILDING C0.., LLC; C0VENTRY RI + + + + + FABCO DIV.OF KELSEY-HAYES CO. + + + + + F.A.B. MFG. CO. + + + + + FABFORM INDUSTRIES, INC; ROSEBURG, OREGON TRAILERS - ADDED/ASSIGNED 11/3/15 + + + + + FABWELD, INC; SAN ANTONIO, TEXAS CORN ROAST FOOD TRAILER + + + + + FACEL-VEGA + + + + + FACELLIA + + + + + FACTORY OUTLET TRAILERS + + + + + FACTORY TRANSPORTS INCORPORATED; TERRELL, TEXAS _TRAILERS + + + + + AMERICAN EAGLE; MFG BY FLEETWOOD RV, INC + + + + + AMERICAN HERITAGE; MFG BY FLEETWOOD RV, INC + + + + + COLONNADE MOBILE HOMES MFG BY FAIRMONT HOMES, INC. + + + + + FAIRMONT STEEL PRODUCTS + + + + + FAIRTHORPE + + + + + FAJUME S.A. DE C.V. TRAILERS + + + + + FALCON (BRITISH) + + + + + FALLSRIDING LAWN MOWER + + + + + FALCO MFG. CO. + + + + + FALCON COACH CO. + + + + + F A L PRODUCTS CORP. TACOMA, WA + + + + + FANC MOTOR HOME TRUCK + + + + + FANNIN FABRICATION COMPANY, INC TOPEKA, KS + + + + + FARBER SPECIALITY VEHICLES; BUSES,MOBILE MEDICAL LABS ETC + + + + + FARGO + + + + + FARMHAND, INC. + + + + + FARIA'S TRAILERS, LLC; TULARE, CALIFORNIA _TRAILERS + + + + + FARM KING, LTD., (CANADA) + + + + + UNPUBLISHED FARM OR GARDEN EQUIPMENT MFR(SEE OPERATING MANUAL, PART 1,SECTION 2) + + + + + FARM TOUCH, INC; DEWY ROSE, GEORGIA POULTRY & LIVESTOCK EQUIP AND TRAILERS + + + + + AMERICAN REVOLUTION; MFG BY FLEETWOOD RV, INC + + + + + FARENWALD BOAT TRAILER + + + + + FAST ; SNOWMOBILES (TO INCLUDE BLADE MODEL) + + + + + FATBOY, ENTERPEISES, EUGENE, OREGON TRAILERS + + + + + FAT CITY CH0PPERS; MIDDLET0WN, CT + + + + + AMERICAN TRADITION; MFG BY FLEETWOOD RV, INC + + + + + FAUTRAS HORSE TRAILERS OR JLFD PRODUCTION; FRANCE TRAILERS + + + + + FAWN CORP. + + + + + FAYETTE TRAILER + + + + + FAYMONVILLE DISTRIBUTION; BELGIUM + + + + + FBI MOTOR COMPANY OR FAT BAGGERS INC, IOWA (MOTORCYCLES) + + + + + BOUNDER & BOUNDER CLASSIC; MFG BY FLEETWOOD RV INC + + + + + FIREBLAST 451 INC OR FIREBLAST; CORONA, CALIFORNIA _TRAILERS + + + + + FIDELITY MANUFACTURING, LLC; OCALA, FLORIDA TRAILERS ADDED/ASSIGNED 12/2/14 + + + + + DISCOVERY; MFG BY FLEETWOOD RV INC + + + + + FECHTNER TRAILERS, ELBOW LAKE, MN + + + + + FEDERAL COACH LLC; FORT SMITH ARKANSAS; FUNERAL VEHICLES, BUSES, LIMOS + + + + + FEDERAL TRAILER CO. + + + + + FEDERAL + + + + + KATHARINA LOEWEN LOEWEN (DBA-TALLER FEHR); MEXICO _TRAILERS; ADDED/ASSIGNED 2/4/14 + + + + + FEILONG MOTOR MACHINERY CO., LTD OR YANZHOU CITY FEILONG MACHINERY CO., LTD; YANZHOU CITY CHINA -- ATV'S, GO KARTS, DIRT BIKES, SNOWMOBILES + + + + + FEISHEN VEHICLE INDUSTRY CO., LTD OR ZHEJIANG FEISHEN VEHICLE INDUSTRY CO.LTD + + + + + FELBER + + + + + FELDMAN CUSTOM TRAILERSBOWLING GREEN, KENTUCKY + + + + + FELLWON TRAILER + + + + + FELPS MFG. CORP.JOHNSON CITY, TEXAS + + + + + DL FELLER TRUCKING, INC OR FELLER USED CARS & TRUCKS, MFG. CALDWELL, IDAHO + + + + + FELDMAN ENGINEERING & MFG., CO. + + + + + TEAM FENEX (FENEX) DIVISION OF LEGGETT AND PRATT (TRAILERS) ILLINOIS + + + + + FEROCITY INDUSTRIES; ELKHART, IN (TRAILRS) + + + + + FERREE TRAILER CORP.CLIMAX, NORTH CAROLINA + + + + + FERGUSON MFG. CO., INC. + + + + + FERRARI + + + + + FERTILIZER DEALER SUPPLY, INC.PHILO, ILLINOIS + + + + + FESTIVAL HOMES OF OHIO, INC.GREENWICH, OHIO + + + + + FETERL MFG. CO. + + + + + EXCURSION; MFG BY FLEETWOOD RV INC + + + + + EXPEDITION; MFG BY FLEETWOOD RV INC + + + + + FEY, FRANK & CO. + + + + + FACTORY FIVE RACING INC. WAREHAM, MASSACHUSETTS; KIT/REPLICA VEHICLES + + + + + FHL + + + + + F & H MFG. CO. + + + + + FIAT-ABARTH + + + + + FIELDACRE HORSE TRAILER + + + + + FIAT-ALLIS CONSTRUCTION MACHINERY, INC. + + + + + FIAT - CHRYSLER GROUP,LLC CHANGES NAME TO FCA US, LLC 2015 + + + + + FIBA SALES, INC; WESTBOROUGH, MASSACHUSETTS TRAILERS + + + + + FIBERFAB, INC. (MINNEAPOLIS, MN) + + + + + FIBERGLASS INTERNATIONAL, INC.; SCHALLER, IS + + + + + FIBER-LITE CORP.; ELKHART, INDIANA TRAILERS + + + + + FIBER TRUCKS & TRAILERS, INC; KNOXVILLE, TENNESSEE - TRAILERS + + + + + FISCHER MOTOR COMPANY;POCOMOKE CITY, MD & ILLINOIS MOTORCYCLES + + + + + ALEX FIEGELSON CO. + + + + + FIELD OFFICE MFG. CO. + + + + + FIELD & STREAM MANUFACTURER VACATION INDUSTRIES + + + + + FIELDS MFG. CO. + + + + + FIESTA + + + + + FIFE TRAILER + + + + + 58TH STREET CUSTOMS (FIFTYEIGHTH) + + + + + FIGURA, MIKEBRUCE, WISCONSIN + + + + + FII ROADSTERS, LLC; CROFTON, MD KIT & REPLICA VEH'S + + + + + FIAT K0BELC0; C0NSTRUCTI0N EQUIPMENT/MACHINERY + + + + + FINGER LAKES TRAILER + + + + + FARM & INDUSTRIAL SVC., CO; BAKER CITY OREGON + + + + + FINELINE TRAILERS; SENECA, SOUTH CAROLINA + + + + + FINN CORPORATION; FAIRFIELD, OH + + + + + FIREBALL TRAILER MFG. + + + + + FIRESTONE TRACTOR + + + + + FIRAN MOTORCOACH, INC MOTORHOMES / MOTOR COACHES + + + + + FIRST AMERICAN COACH + + + + + AIR BUOYBOAT TRAILERS MFG. BY FIRESTONE TIRE & RUBBER PRODUCTS + + + + + FIRE VENT, LLC; CARSON CITY, NEVADA TRAILERS + + + + + FISCHER / FISCHER THARP TRAILERS / FT TRAILER MANUFACTURING _MISSOURI, TRAILERS + + + + + FIRESIDE RECREATIONAL VEHICLES; BRISTOL, INDIANA - TRAILERS + + + + + FISK TANK CARRIER, INC.; WISCONSIN - TRAILERS - LP TANK + + + + + FIESTA (IMPORTED BY FORD) + + + + + FIVE A MANUFACTURING CO.,INC + + + + + FIVE STAR ENGINEERING, INC. + + + + + FIVE-K TRAILER CO., INC.BETHALTO, ILLINOIS + + + + + JAMBOREE, JAMBOREE DSL, JAMBOREE SEARCHER, JAMBOREE SPORT, & JAMBOREE SPORT DSL; MFG BY FLEETWOOD RV INC + + + + + FURUKAWA (CONSTRUCTION EQUIPMENT-LOADERS,ETC) + + + + + FLOAT-ON OF FLORIDA BOAT TRAILERS FT. PIERCE, FLORIDA + + + + + FLORIDA TRAILER CO. + + + + + FLOE INTERNATIONAL + + + + + FLORIDA WHOLESALE DISTRIBUTOR + + + + + FLORIG EQUIPMENT CO., INC.CONSHOHOCKEN, PENNSYLVANIA + + + + + FLOTE-AIRE CORP. + + + + + FLOW BOY, INC.NORMAN, OKLAHOMA + + + + + AMADAS COACH; MFG BY FEATHERLITE COACHES + + + + + FLAG SHIP BOAT TRAILER + + + + + FLAHERTY MANUFACTURING CO.DIV. OF KOEHRING CO. + + + + + FLAIR INDUSTRIES OF ILLINOIS, INC.MACOMB, ILLINOIS + + + + + FLAMINGO TRAILER MFG. + + + + + A.CLAEYS FLANDRIA BELGIUM + + + + + FLASKO MFG. CO. + + + + + FLAT CREEK LODGES, INC HALEYVILLE, AL (ACQUIRED BY ATHENS PARKHOMES 2008) + + + + + FELBURN FLATBED TRAILER + + + + + FALCAN INDUSTRIES LTD. ALBERTA, CANADA + + + + + FALCON ROAD MAINTENANCE EQUIPMENT, INC / FALCON ASPHALT AND REPAIR EQUIPMENT, MICHIGAN + + + + + FLEET CAP'N TRAILERS + + + + + BIG BEAR (MFD. BY FLEXO PRODUCTS CO) + + + + + FLEET-AIRE CAMPER CO. + + + + + FLEETCRAFT CORP. + + + + + FLEXI-COIL LTD. + + + + + FLEETWING MOBILE HOMES + + + + + FLEMING MFG. CO., INC.LONG LAKE, MINNESOTA + + + + + FLEURY INDUSTRIES, INC. CANADA MOTORHOMES + + + + + FLEXIBLE + + + + + FLAMING HACKSAW FABRICATION, LLC; WESTVILLE, OKLAHOMA _TRAILERS + + + + + FLINTSTONE INDUSTRIESOCILLA, GEORGIA + + + + + FLEMING EQUIPMENT CO.ASHDOWN, ARKANSAS + + + + + FIRST LINE REFINISHING; CORINTH, NY + + + + + SAUK CENTRE WELDING & MACHINE WORKS, INC. FELLING TRAILERS + + + + + FLEET RV SALES, INC. BELLFLOWER, CALIFORNIA _TRAILERS + + + + + FEATHERLITE COACHES OR COACH,LLC SUFFOLK, VIRGINIA _MOTORHOMES,TRAILERS NOT SAME AS CWC FEATHERLITE; EL RENO, OK + + + + + FALCON TRAILER WORKS, INC TYLER, TX + + + + + VANTARE MODEL, MFG BY FEATHERLITE + + + + + FLYBO OR FLY BO NEV-NIEGHBORHOOD ELECTRIC VEHICLE) CHINA + + + + + FLYING DUTCHMAN + + + + + FLYING L TRAILER, INC.FALLS CITY, NEBRASKA + + + + + FLYRITE CHOPPERS, INC (DBA-FLYRITE CHOPPERS) AUSTIN, TX + + + + + FLYTE CAMP, LLC; OREGON + + + + + FMC CORP. + + + + + FIMCO INDUSTRIES, INC; NORTH SIOUX CITY, SOUTH DAKOTA _AGRICULTURAL TRAILERS + + + + + FARM SHOP, INC.CONGERVILLE, ILLINOIS + + + + + FAST MASTER PRODUCTS, INC; TEXAS (TRAILERS) + + + + + FN + + + + + FINISH LINE TRAILERS (RED OAK MFG.) RED OAK, IOWA + + + + + FNM + + + + + FANTIC + + + + + FONTAINE TRAILER COMPANY KENT OHIO (NOT SAME AS FONTAINE SPECIALIZED; SPRINGVILLE, AL OR FONTAINE TRUCK CO; BIRMINGHAM, AL) + + + + + FAIRPLAY ELECTRIC VEHICLES (LSV) GRAND JUNCTION, CO + + + + + PROVIDENCE; MFG BY FLEETWOOD RV INC + + + + + FIRST PLACE WELDING, INC.; MASSACHUSETTS + + + + + FROST BOATS (TRAILERS) GRANTS PASS, OREGON **NOT SMAE AS VMA/FROS-FROST TRAILERS ** + + + + + FROLIC HOMES, INC. + + + + + FRONTIER HOMES CORP. + + + + + FROST TRAILER CO.WEST MONROE, LOUISIANA + + + + + FRANK MOTOR HOMES, INC. + + + + + FRANKLIN COACH CO. + + + + + FRANKLIN HOMES, INC.RUSSELLVILLE, ALABAMA + + + + + FRANKLIN + + + + + FRAZIER + + + + + FRANCIS-BARNETT + + + + + FRANCIS TRAVEL TRAILER + + + + + FREEDOM TRAILERS, LLC; PEARSON, GEORGIA + + + + + FORDS TRAILER SALES AND MANUFACTURING SPIRO OKLAHOMA + + + + + FREEWAY, INC. + + + + + FREDERICK-WILLYS + + + + + FREEWAY TRAVELERS, INC. + + + + + FRENCH FORD + + + + + FREEDON ELITE; MFG BY THOR MOTOR COACH INC. + + + + + FRENCH HORSE TRAILER + + + + + FRIESS TRAILER + + + + + FREE FLIGHT; MFG BY TRIPLE E RECREATIONAL VEHICLES CANADA LTD + + + + + FOUR H MFG., INC; SUMNER, IA + + + + + FREIGHTLINER CORP. + + + + + FRIENDSHIP MOBILE HOMES + + + + + FRIGGSTAD MFG., LTD., (CANADA) + + + + + FRISKY + + + + + FORKS RV INC., INDIANA (TRAILERS & RV'S) VENETIAN SUITE MODEL + + + + + FRELL, INC; CORPUS CHRISTI, TEXAS TRAILERS + + + + + FARM MASTER INC., LAKETON, WISCONSIN + + + + + FARMTRAC; TRACTORS & CONSTRUCTION EQUIPMENT AND ATTACHMENTS + + + + + FRAZER-NASH + + + + + FRANKLIN EQUIPMENT CO. + + + + + FRONTIER CARGO ING., OCILLA, GEORGIA + + + + + FRP TRAILERS; GOSHEN, INDIANA TRAILERS + + + + + FERRARA FIRE APPARATUS; AERIALS, PUMPERS, TANKERS, RESCUE VEHICLES _ + + + + + FERRIS INDUSTRIES , LAWN M0WING PR0DUCTS; RIDING,STAND BEHIND,3 WHEEL MOWERS AND OTHER PRODUCTS + + + + + FOREST RIVER, INC.GOSHEN, INDIANA TRAILERS AND BUSES STARCRAFT BUSES + + + + + FRIESEN WELDING; OKEMAH, OKLAHOMA TRAILERS, CAR HAULERS, + + + + + FREE SPIRIT; MFG BY TRIPLE E RECREATIONAL VEHICLES CANADA,LTD + + + + + FRANK SIVIGLIA & COMPANY INC., BRONX, NEW YORK NEW YORK TRUCK & BUS BOSIES & TRAILERS + + + + + FRONTIER TANKS, INC MANNSVILLE OKLAHOMA + + + + + FORETRAVEL, INC.NACOGDOCHES, TEXAS + + + + + FRUEHAUF CORP.DETROIT, MICHIGAN + + + + + FRUIN + + + + + FREEWAY TRAILER SALES, INC; WASHINGTON STATE, + + + + + FRYE + + + + + FASTLOAD ALUMINUM BOAT TRAILERS; PLANT CITY, FLORIDA (NOT SAME AS FASTLOAD ENTERPRISE, INC - VMA/FSLD) NEW COMPANY BEGUN AFTER HUSBAND AND WIFE DIVORCED; THIS IS NEW COMPANY FORMED AFTER DIVORCE + + + + + FISKER AUTOMOTIVE, CALIF PRODUCTION SUSPENDED 11/2012 + + + + + FASTL0AD ENTERPRISE. INC; FLORIDA BOAT TRAILERS _(NOT SAME AS FASTLOAD ALUMINUM BOAT TRAILERS; PLANT CITY FL - VMA-FSAB) THIS COMPANY IS ORIG PRIOR TO HUSBAD & WIFE DIVORCE; WIFE FORMED THIS NEW _COMPANY + + + + + FREESPIRIT TRAILERS LLC BEND OREGON + + + + + FIRST STRING SPACE, INC.; PEARSON, GEORGIA MOBILE & MODULAR BUILDINGS5 + + + + + FOSTI MOTORCYCLE MANUFACTURING CO., LTD OR FOSHAN CITY FOSTI MOTORCYCLE MANUFACTURING CO., LTD., FOSHAN CITY GUANGDONG PRO CHINA (MOTORCYCLES) + + + + + FASTLINE; KANSAS + + + + + STORM,; MFG BY FLEETWOOD RV INC + + + + + 4 STAR TRAILERS,INC; OKLAHOMA CITY, OK + + + + + SOUTHWIND; MFG BY FLEETWOOD RV INC + + + + + ALUMASCAPE BRAND MFG BY FLEETWOOD RV + + + + + AMBASSADOR MODEL; MFG BY FLEETWOOD RV + + + + + FTCA, INC - FOLDING CAMPING TRAILERS ACQUISITION; SUBSIDIARY OF FLEETWOOD ENTERPRISES (VMA/FTWD) + + + + + DIPLOMAT MODEL; MFG BY FLEETWOOD RV + + + + + DYNASTY MODEL; MFG BY FLEETWOOD RV + + + + + ENDEAVOR MODEL; MFG BY FLEETWOOD RV + + + + + TERRA OR TERRA SE; MFG BY FLEETWOOD RV INC. + + + + + FEATHERLITE TRAILERS, INC; CRESCO, IOWA + + + + + TIOGA, TIOGA DSL, TIOGA MONTARA, TIOGA RANGER & TIOGA RANGER DSL; MFG BY FLEETWOOD RV INC + + + + + KNIGHT MODEL; MFG BY FLEETWOOD RV + + + + + PRESIDENTIAL MODEL; MFG BY FLEETWOOD RV + + + + + FAST TRAC MANUFACTURING; M0T0RCYCLES, CALIF0RNIA AS 0F 5/2002 KN0WN AS CHER0KEE M0T0RCYCLE C0MPANY, 0KLAH0MA (CHMC) + + + + + FRONTIER RV (HOME OFFICE- LONGVIEW,TEXAS W/MFG PLANTS IN GEORGIA & TEXAS) ALSO FRONTIER RV GEORGIA, LLC FITZGERALD, GA + + + + + TRAVELER TT; MODEL MFG BY FLEETWOOD RV + + + + + ALUMA-LITE TT & ALUMA-LITE ULTRA TT + + + + + VACATIONER MODEL; MFG BY FLEETWOOD RV + + + + + FLEETWOOD ENTERPRISES / FLEETWOOD FOLDING TRAILER INC + + + + + FLEETWOOD DE MEXICO S A DE C V; MEXICO + + + + + FUERST BROTHERS, INC. + + + + + FUJI ROBBT JR (MFD. BY H-MVEHICLES, INC.) + + + + + FULLER MFG. CO. + + + + + FULLMOON CUSTOMS AULT CO + + + + + FULTON BOAT TRAILER + + + + + FULU VEHICLE CO., LTD / FULU MOTOR OR DEZHOU FULU VEHICLE CO., LTD; SHANDONG, CHINA + + + + + FUNKE & WILL AG (AKA- YES VEHICLES, NORTH AMERICA) + + + + + FUNLINER MFG. CO. + + + + + FUNTIME CAMPER TRAILER + + + + + FUQUA HOMES, INC.DIV. FUQUA INDUSTRIES ARLINGTON,TEXAS & PHOENIX, ARIZONA + + + + + FURATELL INDUSTRIESBRUCE, WISCONSIN + + + + + FUTONG MOTORCYCLE CO., LTD. OR WUXI FUTONG MOTORCYCLE CO., LTD, WUXI CITY CHINA - MOTORCYLES & MOPEDS + + + + + FUTURA MOBILE HOME + + + + + FUTURAMA + + + + + SHASTA OASIS. MFG BY FOREST RIVER, INC. + + + + + SANDSTORM TOY HAULER; BRAND MFG BY FOREST RIVER INC + + + + + SONOMA; BRAND MFG BY FOREST RIVER + + + + + ORION MODEL, MFG BY FOREST RIVER (FRRV) + + + + + ADRENALINE; BRAND MFG BY FOREST RIVER, INC + + + + + SHASTA AIRFLYTE, MFG BY FOREST RIVER (FRRV) NOT SAME AS: SHASTA FLYTE (VMA/FVSF) AIRFLYTE BEING RE-ISSUED BY FOREST RIVER + + + + + AMERITRANS; BRAND MFG BY FOREST RIVER + + + + + APEX; MFG BY FOREST RIVER, INC + + + + + AVENGER; MFG BY FOREST RIVER, INC + + + + + BLACK DIAMOND; BRAND MFG BY FOREST RIVER + + + + + BROOKSTONE; MFG BY FOREST RIVER, INC + + + + + BERKSHIRE MOTOR COACH MFG BY FOREST RIVER, INC + + + + + BLUE RIDGE; MFG BY FOREST RIVER, INC. + + + + + BRONCO TRUCK CAMPER; MFG BY FOREST RIVER, INC + + + + + COLUMBUS; MFG BY FOREST RIVER INC + + + + + CARDINAL; MFG BY FOREST RIVER INC + + + + + CABIN; MFG BY FOREST RIVER (FRRV) + + + + + CANYON CAT; MFG BY FOREST RIVER INC + + + + + CASCADE; MFG BY FOREST RIVER, INC. + + + + + CROSSFIT; BRAND MFG BY FOREST RIVER, INC + + + + + CONTINENTAL CARGO; MFG BY FOREST RIVER + + + + + CHEROKEE; MFG BY FOREST RIVER INC + + + + + CANDIDATE / CANDIDATE II / CANDIDATE SERIES MFG BY FOREST RIVER (VMA/FRRV) + + + + + CEDAR CREEK, CEDAR CREEK COTTAGES, CEDAR CREEK SILVERBACK; MFG BY FOREST RIVER, INC + + + + + CLIPPERTENT CAMPERS, CLIPPER TRAVEL TRAILERS; MFG BY FOREST RIVER INC + + + + + CARGO MATE; MFG BY FOREST RIVER, INC. + + + + + CONCORD; MFG BY FOREST RIVER INC + + + + + CHAPARRAL; BRAND MFG BY FOREST RIVER, INC + + + + + CROSS COUNTRY; MFG BY FOREST RIVER INC + + + + + CHARLESTON; MFG BY FOREST RIVER, INC (VMA/FRRV) + + + + + CATALINA; MFG BY FOREST RIVER INC. + + + + + CRUSADER; MFG BY FOREST RIVER INC + + + + + CATALYST; MFG BY FOREST RIVER, INC TRAILER + + + + + DX3; MFG BY FOREST RIVER, INC + + + + + DYNAQUEST ST;, DYNAQUEST XL; MFG BY FOREST RIVER INC + + + + + ENCOUNTER; MFG BY FOREST RIVER INC + + + + + EVO LAMINATED TOWABLE; BRAND MFG BY FOREST RIVER + + + + + FORESTER; MFG BY FOREST RIVER INC. + + + + + FORCE MODEL, MFG BY FOREST RIVER, INC (FRRV) + + + + + FREEDOM EXPRESS; MFG BY FOREST RIVER INC + + + + + FR3; MFG BY FOREST RIVER, INC + + + + + FLAGSTAFF, FLAGSTAFF SUPER LITE,CLASSIC TENT, MAC TENT,MICRO LITE,SHAMROCK,V-LITE (ALL FLAGSTAFF VERSIONS) BY FOREST RIVER INC + + + + + FREELANDER; MFG BY FOREST RIVER INC + + + + + FURY BRAND; MFG BY FOREST RIVER, INC (VMA/FRRV) + + + + + GALLERIA; BRAND MFG BY FOREST RIVER, INC + + + + + GEORGETOWN MOTORHOMES; MFG BY FOREST RIVER INC. + + + + + GRAND SPORT GT & GRAND SPORT ULTRA; MFG BY FOREST RIVER INC + + + + + GREY WOLF; MFG BY FOREST RIVER INC + + + + + AVIATOR; MFG BY FOREST RIVER, INC + + + + + ISATA; ISATA E SERIES, ISATA F SERIES (ALL ISATA SERIES) MFG BY FOREST RIVER, INC + + + + + LACROSSE; MFG BY FOREST RIVER INC. + + + + + LEGACY, MFG BY FOREST RIVER, INC TRAILER + + + + + LEXINGTON; MFG BY FOREST RIVER, INC + + + + + MIRADA, MIRADA SELECT; MFG BY FOREST RIVER, INC. + + + + + MAVERICK TRUCK CAMPER; MFG BY FOREST RIVER, INC. + + + + + PALOMINO, PALAMINO TENT CAMPERS; MFG BY FOREST RIVER INC. + + + + + PRESIDENT SERIES; MFG BY FOREST RIVER (VMA/FRRV) + + + + + PARK; MFG BY FOREST RIVER INC + + + + + P/S2; MFG BY FOREST RIVER (VMA/FRRV) + + + + + PRISM; MFG BY FORESTRIVER INC + + + + + PURSUIT; MFG BY FOREST RIVER, INC TRAILER + + + + + PATHFINDER; MFG BY FOREST RIVER, INC + + + + + PUMA, PUMA UNLEASHED; MFG BY FOREST RIVER INC. + + + + + QUAILRIDGE; MFG BY FOREST REIVER (FRRV) + + + + + ROCKWOPOD-FREEDOM TENT CAMPERS,MINI LITES,PREMIER TENTCAMPERS,ROO,SIGNATURE,TENT CAMPERS,ULTRA LITES,WIND JAMMER (ALL ROCKWOOD MODELS) + + + + + RIVERSTONE; BRAND MFG BY FOREST RIVER, INC - VMA/FRRV) TRAILER + + + + + R-POD; MFG BY FOREST RIVER, INC + + + + + REV MODEL, MFG BY FOREST RIVER + + + + + SOLERA; MFG BY FOREST RIVER, INC + + + + + SALEN, SALEM CRUISE LITE,SALEM HEMISPHERE, SALEM SPORT, SALEM VILLA PARK; MFG BY FOREST RIVER, INC. + + + + + SABRE / SABRE SILHOUETTE ; MFG BY FOREST RIVER (FRRV) + + + + + SANDPIPER; MFG BY FOREST RIVER, INC TRAILER + + + + + SENATOR SERIES BRAND; MFG BY FORERST RIVER (VMA/FRRV) SENATOR / SENATOR HD + + + + + SHASTA FLYTE; MFG BY FOREST RIVER, INC + + + + + SIERRA; MFG BY FOREST RIVER, INC + + + + + SUMMIT; MFG BY FOREST RIVER (FRRV) + + + + + SANIBEL, MFG BY FOREST RIVER, INC + + + + + SHASTA PHOENIX MODEL; MFG BY FOREST RIVER, INC (FRRV) TRAVEL TRAILERS + + + + + SHASTA REVERE; MFG BY FOREST RIVER, INC + + + + + SURVEYOR SELECT, SURVEYOR SPORT; MFG BY FOREST RIVER INC + + + + + STAMPEDE; BRAND MFG BY FOREST RIVER, INC + + + + + SUNSEEKER; MFG BY FOREST RIVER INC + + + + + STARBUS/STARVAN; MFG BY FOREST RIVER (VMA/FRRV) + + + + + STARLINER; MFG BY FOREST RIVER (FRRV) + + + + + TOURING EDITION; MFG BY FOREST RIVER INC + + + + + TRILOGY; MFG BY FOREST RIVER INC + + + + + SPARTAN MODEL. MFG BY FORET RIVER, INC. TRAILER + + + + + TRACER; MFG BY FOREST RIVER INC + + + + + SPORTSCACH-BRAND MFG BY FOREST RIVER INC + + + + + STARTRANS MFSAB; MFG BY FORESTRIVER (VMA/FRRV) + + + + + ULTRA LITE, ULTRA LITE CLASSIC + + + + + VIBE, MFG BY FOREST RIVER TRAILER + + + + + V-CROSS CLASSIC, V-CROSS PLATINUM; MFG BY FOREST RIVER INC + + + + + VALUE HAULER; MFG BY FOREST RIVER + + + + + VIKING TENT CAMPERS, VIKING TRAVEL TRAILERS; MFG BY FOREST RIVER INC + + + + + VENGENCE; MFG BY FOREST RIVER, INC TRAILER + + + + + WORK AND PLAY; MFG BY FOREST RIVER INC + + + + + WILDCAT, WILDCAT EXTRALITE, WILDCAT STERLING; MFG BY FOREST RIVER INC + + + + + WOLF PACK, WOLF PUP; MFG BY FOREST RIVER INV + + + + + WILDWOOD, WILDWOOD DLX, WILDWOOD GRAND LODGE, WILDWOOD HERITAGE GLEN, WILDWOOD LODGE, WILDWOOD SRV, WILDWOOD XLITE; MFG BY FOREST RIVER INC + + + + + XLR; MFG BY FOREST RIVER INC + + + + + GAZELLE; MFG BY FOREST RIVER INC + + + + + FWD CORP. + + + + + FAIR-WEST TRAILERS; DIVISION OFCHANELTRACK AND TUBE-WAY IND.,INC TEXAS + + + + + F.W.T. INC' FORT WORTH TEXAS TRAILERS + + + + + FOX BETTER BUILT TRAILERS; WASHBURN,TN + + + + + FOX TRAILERS, INC; POST FALLS, IDAHO + + + + + VIBE; MFG BY FOREST RIVER INC + + + + + LEPRECHAUN; MFG BY FOREST RIVER INC. + + + + + GOOD MFG. CO. + + + + + GOOSENECK TRAILER MFG. CO., INC.BRYAN, TEXAS + + + + + GOODYEAR CAMPER MFG., INC.LINCOLN, NEBRASKA + + + + + BILLY GOAT LAWN VACUUM + + + + + CO CORP. + + + + + GOEBEL TRAILER CO. + + + + + GORILLA VEHICLES (GORILLA ELECTRIC VEHICLES) ELETRIC ATV'S, ELECTRIC TRACTORS + + + + + GOFF MFG. CORP. + + + + + GOGOMOBILE + + + + + GO-TAG-ALONG + + + + + GO-TEL LEASING CORP. + + + + + GOKA SPORTS MOTOR CO., LTD OR SHANGHAI GOKA SPORTS MOTOR CO., LTD; SHANGHAI CHINA (ATV'S) + + + + + GO KART + + + + + GOLD LEAF ENGINEERING CO. + + + + + GOLD STAR MOBILE HOMES, INC. + + + + + GOLDEN COACH MFG. CO. + + + + + GOLIATH + + + + + GOLDEN ISLE TRAILERS, INC. + + + + + GOLDEN STATE MOBILE HOMES + + + + + GOLDEN WEST MOBILE HOMES + + + + + GO-LITE, INC. + + + + + GONARD ENTERPRISES, INC. + + + + + GOLDEN NUGGET TRAVEL TRAILER + + + + + GORDON SMITH & CO., INC.BOWLING GREEN, KENTUCKY + + + + + GORBETT BROTHERS FORT WORTH, TEXAS + + + + + GORDON + + + + + GORE TRAILER + + + + + GORMAN-RUPP COMPANY, THEMANSFIELD, OHIO + + + + + GENERAL AMER AERO COACH + + + + + GABBIANO; ITALY - MOTORCYCLES + + + + + GABILAN WELDING, INC; HOLLISTER, CLAIFORNIA + + + + + GABRIEL AUTO CARRIER + + + + + GREAT AMERICAN CHOPPER; CLAWSON, MICHIGAN MOTORCYCLES + + + + + GAC MACHINE COMPANY; NEW YORK + + + + + GAD-ABOUT TRAILERS + + + + + GADABOUT + + + + + GAFNER MACHINE, INC.ESCANABA, MICHIGAN + + + + + GALACTIC CORP. + + + + + GALBREATH, INC.MFRS. REFUSE CONTAINERS AND TRAILERS--WINIMAC, INDIANA + + + + + GALION MANUFACTURING DIV.DIV. DRESSER INDUSTRIES, INC. + + + + + GALLEGOS TRAILERS OR CARROCERIAS GALLEGOS SA DE CV TRAILERS SEMI TRAILERS MEXICO + + + + + GALLATIN HOMES BELGRADE MONTANA + + + + + GALYEAN EQUIPMENT CO; TEXAS TRAILERS AND WAGONS + + + + + GANNON MANUFACTURING CO., INC. + + + + + GULF ATLANTIC PUMP & DREDGE; FLORIDA TRAILER MOUNTED POWER UNIT + + + + + GAP HILL ALUMINUM SHOP; GAP,PENNSYLVANIA TRAILERS + + + + + GARWOOD + + + + + GAR-BRO MANUFACTURING CO. + + + + + GARDNER, INC.MFRS. TRAVEL TRAILERS--BRISTOL, INDIANA + + + + + GARELLI + + + + + GARGES CUSTOM TRAILERS + + + + + GARWAY HOMES, INC. + + + + + GARIA - GARIA A/S DENMARK; LOW SPEED VEHICLES + + + + + GARLOCK EQUIPMENT CO. + + + + + GARDNER-DENVER COOPER INDUSTRIES, INC.DENVER, COLORADO (FORMERLY GARDENER-DENVER CO.) + + + + + GARDNER-PACIFIC-SUNRADER, INC.VALLEJO, CALIFORNIA + + + + + GARRETT-WELDCO INDUSTRIES, INC. + + + + + GARSON FLATBED TRAILER + + + + + GARY CAROLINA CO. + + + + + GARBER SEEDERS, INC. + + + + + GAST MANUFACTURING CO. + + + + + GATOR TRAILERS CORP. + + + + + GATES, WALTER C. + + + + + GATOR MOTO LLC, GAINESVILLE, FL CHANGED NAME TO CITECARS + + + + + GATOR PRODUCTS, INC.JACKSONVILLE, FLORIDA + + + + + GATOR MADE INC SOMERSET, KENTYCKY TRAILERS (GOOSENECK/FLATBED) + + + + + GAZ + + + + + GILSON BROTHERS COMPANY + + + + + GREEN BEE ELECTRIC VEHICLES TECH., INC; DUBLIN, CALIFORNIA 2, 3 4 WHEELED VEHICLES + + + + + GRECH MOTORS; RIVERSIDE, CA + + + + + G & C INC OR G & C AUTO AND FLEET; ENID OK LOW SPEED VEH'S + + + + + GCL, INC LUCEDALE MISSISSIPPI TRAILERS + + + + + G. & C. MFG. CO. + + + + + GOOSE CREEK ENTERPRISES; HICKORY, KENTUCKY + + + + + GREAT DANE TRAILERS, INC.SAVANNAH, GEORGIA + + + + + IMAGINE BRAND; MFG BY GRAND DESIGN RECREATIONAL VEHICLES (VMA/GDRV) + + + + + MOMENTUM; MFG BY GRAND DESIGN RECREATIONAL VEHICLES + + + + + GDM COMPANY LLC; JURON, OHIO - TRAILERS + + + + + GORDINI + + + + + REFLECTION; MFG BY GRAND DESIGN RECREATIONAL VEHICLES INDIANA, TRAILERS + + + + + GRAND DESIGN RECREATIONAL VEHICLES; MIDDLEBURY, INDIANA _TRAILERS + + + + + GENERAL ELECTRIC + + + + + GEO + + + + + CRUISEMASTER MOTOR HOME MFG BY GEORGIE BOY MFG., INC. EDWARDSBURG, MICHIGAN + + + + + GEORGIA TRAILER & EQUIPMENT CORP.MACON, GEORGIA + + + + + GEAR JAMMER CUSTOMS, CANASTOTA, NY MOTORCYCLES;DEVILS OWN MODEL + + + + + GENERAL COACH AMERICA, INC (DIV OF THOR INDUSTRIES) PASSENGER BUSES, MOTORCOACHES,TRAVEL TRAILERS CHAMPION BUS, INC + + + + + GENERAL ENGINES CO., INC.THROFARE, NEW JERSEY + + + + + GEE-BEE-DEE MANUFACTURING & SUPPLY CO. + + + + + GEER CO. + + + + + GEELY OF SHANGHAI CHINA; MOTORCYCLES,MOPEDS & PASSENGER CARS + + + + + GENERAL ENGINES CO., INC.THROFARE, NEW JERSEY + + + + + GEERING INDUSTRIES, INC. + + + + + GEHL CO. + + + + + GREEN ELEC-MOTORS, INC. CALIFORNIA; ELECTRIC MOTOR SCOOTERS & CYCLES + + + + + GELT TRAILERS + + + + + GEM INDUSTRIES, INC.GRAND RAPIDS, MICHIGAN + + + + + GEMINI + + + + + GEMTOP + + + + + GENERAL COACH WORKS OF CANADADIV. OF DIVCO-WAYNE INDUSTRIES + + + + + GENERAL + + + + + GENERAL ENGINES C0.' INC.; FL0RIDA EAGER BEAVER & INTERSTATE + + + + + GENERAL DYNAMICS COMBAT SYSTEMS - ARMAMAENT TECHNICAL LAND SYSTEMS_AND TRAILERS + + + + + GENERAL TRAILER CO., INC.SPRINGFIELD, OREGON + + + + + GENERAL COACH OF FLORIDADIV. OF DIVCO-WAYNE INDUSTRIES + + + + + GENERAL COACH MFG. CO.DIV. OF DIVCO-WAYNE INDUSTRIES + + + + + GENERAL COACH WORKS, INC. + + + + + GENIE CONSTRUCTION EQUIPMENT; AERIAL,SCISSOR LIFTS ETC. + + + + + GENERAL HOMES DIV.DIV. OF DIVCO-WAYNE INDUSTRIES + + + + + GENERAL MOPED CO. (NEW YORK,NEW YORK) + + + + + GENESIS MOTORS-LUXURY DIV BY HYUNDAI-GENESIS FORMERLY MODEL OF HYUNDAI + + + + + GENTRY + + + + + GENUINE SCOOTER COMPANY, STELLA MODEL + + + + + GENZE / MAHINDRA GENZE ANN ARBOR MI + + + + + GERARD LOWBOY TRAILER + + + + + GENERAC CORP. + + + + + GERLINGER FOUNDRY MACHINE WORKS + + + + + FOREST PARKMFD. BY GERRING INDUSTRIES, INC. + + + + + GOOD EARTH ENERGY CONSERVATION, INC; FORT WORTH, TEXAS + + + + + GETMAN BROTHERS MFG. CO.MARION, OHIO + + + + + AMERILITE BRAND, MFG BY GULFSTREAM + + + + + BT CRUISER; BRAND MFG BY GULF STREAM + + + + + CONQUEST; BRAND MFG. BR GULF STREAM + + + + + FRIENDSHIP; BRAND MFG BY GULF STREAM + + + + + G & F H0RSE TRAILER REPAIR; RIVERSIDE, CALIF0RNIA + + + + + INNSBURCK, MFG BY GULF STREAM. INC + + + + + KINGSPORT MODEL; MFG BY GULF STREAM (VMA/GFST) + + + + + GULFSIDE TRAILERS LA MARQUE TEXAS TRAILERS + + + + + GAME FISHER (SEARS GAME FISHER) BOAT TRAILERS + + + + + GULF STREAM; TRAILER & MOTORHOMES + + + + + G & F TRAILERBOAT TRAILER MFD. IN BAINBRIDGE, GEORGIA + + + + + TRACK & TRAIL, MFG BY GULF STREAM COACH, INC + + + + + ULTRA BRAND MFG BY GULF STREAM TRAILER ADDED/ASSIGNED 2/25/16 + + + + + VINTAGE FRIENDSHIP; BRAND MFG BY GULF STREAM + + + + + VISTA MODEL, MFG BY GULF STREAM (VMA/GFST) TRAILER + + + + + VINTAGE CRUISER BRAND; MFG BY GULF STREAM (VMA/GFST) ALSO VINTAGE FRIENDSHIP + + + + + WIDE OPEN BRAND, MFG BY GULG STREAM (VMA/GFST) + + + + + GRUTER GUT MOTORRADTECHNIK GMBH GG + + + + + GAS GAS M0T0RS 0F AMERICA, LLC; 0LDSMAR, FL; GAS GAS MOTOS _SA; SPAIN; + + + + + GROUND HOG, INC DRILLS & TRENCHERS;CALIFORNIA + + + + + GHIEAPY JOL TRAILER + + + + + G & H MANUFACTURING, INC.ARLINGTON, TX; TRAILERS. + + + + + GIANT MANUFACTURED BY CALDWELL & SONS + + + + + GIANNINI + + + + + OSTERLUND, INC.HARRISBURG, PENNSYLVANIA ALSO MAKES DIAMOND REO TRAILERS VMA/DIAR + + + + + GIBBS SPORTS AMPHIBIANS, INC; AUBURN HILLS, MICHIGAN _ATV/QUAD RUNNERS CONVERTABLE TO WATER VEHICLES ALSO SEE: _BMA/GSA IN BOAT CODES_BHN ASSINGED BY USCG + + + + + GIBRALTAR COACH MFG. CO. + + + + + GIBRALTAR INDUSTRIES, INC. + + + + + GICHNER SHELER SYSTEMS (DIV OF KRATOS COMP) PENNSYLVANIA AND _SOUTH CAROLINA - TRAILER MOUNTER TACTICAL SHELTERS ADDED/ASSIGNED 9/15/14 + + + + + GIDDINGS MACHINE CO., INC.FORT COLLINS, COLORADO + + + + + GIGI INDUSTRIES, INC.MOTOR HOMES + + + + + GILBERN + + + + + ALANMFD. BY GILES INDUSTRIES + + + + + GILERA + + + + + GILLIG CORPORATION HAYWARD, CALIFORNIA , BUS + + + + + GILL MFG. CO. + + + + + GILMORE TRAILER, INC.SENECA, PENNSYLVANIA + + + + + GILSON BROTHERS CO. + + + + + GILMORE-TATGE MFG. CO., INC. + + + + + GINDY MFG. CORP.DOWNINGTOWN, PENNSYLVANIA + + + + + GINETTA + + + + + GIN RAY MFG. CO.NICOLLET, MINNESOTA + + + + + GIRARD'S MFG. CO. + + + + + GILSON + + + + + GITANE + + + + + GIVENS MFG. CO. + + + + + GK MACHINE INC; OREGON HYDRAULIC SPECIALTY EQUIP,FARM GARDEN NURSERIES & VINEYARDS TRAILERS + + + + + GKU MANUFACTURING, LLC; OKLAHOMA CITY, OK DBA-RUGGED ELECTRIC VEHICLES + + + + + GLOBE CAMPER MFG. + + + + + GLOBEMASTER MOBILE HOMES + + + + + GLOBESTAR INDUSTRIES, INC. + + + + + GLOVER PLASTIC SPRAYER + + + + + GLACIER CRAFT BOATS, LLC; ALASKA + + + + + GLADDING TRAVEL TRAILER + + + + + GLAS + + + + + GLASSTITE, INC.DUNNELL, MINNESOTA + + + + + GLAVAL BUS + + + + + GLOBE + + + + + GLOBAL ELECTRIC MOTOR CARS, LLC, FARGO,ND AKA-GEMCAR + + + + + GLOBAL MOTORSPORT GROUP, INC, MORGAN HILL, CALIFORNIA _MOTORCYCLES + + + + + GLOBAL ENVIRONMENTAL PRODUCTS, INC, SAN BERNARDINO, CA _STREET SWEEPING AN REPAIR VEHICLES + + + + + GOLBE TOOLS CO., LTD OR CHANGZHOU GLODE TOOLS CO., LTD CHANGZHOU CITY JIANGSU PROVENCE CHINA - ATV'S + + + + + GREAT LAKES CARG0 LLC; ELKHART, IN + + + + + GOLDEN OFFICE MFG., INC.; LAKE ELSINORE, CALIFORNIA + + + + + GOLDHOFER FAHRZEUGWERK GMBH U CO ( TRANSPORT TRUCKS & TRAILERS + + + + + GOLDEN HORSE INDUSTRY & TRADE CO., LTD - CHINA + + + + + GOLDEN SUNSHINE APPLIANCWW CO., LTD., OR YONGKANG GOLDEN APPLIANE CO., LTD (CHINA SHINEVER VEHICLE MANUFACTURER CO., LT.) (SCOOTERS, POCKET BIKES, DIRT BIKES, ATF'S ELECTRIC BICYCLES) + + + + + GOLDENVALE INC.; TERMINATOR SCOOTERS; IMPORTED BY UNIQUEINTERNATIONAL TRADING COMPANY; SPECIALIZED IN DOT APPROVED SCOTERS + + + + + GLEASON CORP. + + + + + GLENBROOK HOMES OF TENNESEE + + + + + GLEN & CECIL MOBILE HOME MANUFACTURING& SALES + + + + + GLEN MANOR HOMES, INC. + + + + + GLENDALE MOBILE HOMES + + + + + GLENHILL ROAD MACHINERY + + + + + GULF BREEZA SPORT & XLT; MFG BY GULF STREAM COACH, INC + + + + + GOLF CART OUTLET, INC; OCEAN ISLE BRACH, NC / SUNSET BECH, NC LSV'S + + + + + FEEDLINERMFD. BY GLOBE FABRICATORS, INC. + + + + + GLIDER MOBILE HOMES CORP + + + + + GLITSCH + + + + + GOLFMOBILE + + + + + G & G TRAILERS; GILLIAND & GILLIAND; PRESTON GILLIAND, HALLS, TN + + + + + GLEN-L TRAILERSLEWISTON, IDAHO + + + + + GLASSPAR + + + + + GLASRIDE TRAILERS + + + + + GLENDALE RECREATIONAL VEHICLES; STRATHROY, ONTARIO, CANADA + + + + + GLASSIC + + + + + GLASS STREAM TRAILERS NASHVILLE,GEORGIA + + + + + GLASTRON, INC.NEW BRAUNFELS, TEXAS + + + + + GLOBE TRAILER MANUFACTURING, INC; BRADENTON, FLORIDA + + + + + G & L UTILITY TRAILERS + + + + + EZZ PULLMFD. BY GLASS-WOOD PRODUCTS, INC. + + + + + GENERAL MOTORS + + + + + GENERAL MOTORS CORP. + + + + + GENERAL MACHINE PRODUCTS CO., INC; PENNSYLVANIA TRAILERS - ADDED/ASSIGNED 4/22/14 + + + + + GMR ENTERPRISES, INC.SULLIVAN, M0 + + + + + GEN STATE MFG, INC.CALDWELL, IDAHO (TRAILMAX) + + + + + GENESIS TRAILERS HOLLAND, MI + + + + + GENERAL MARINE INDUSTRIES + + + + + GENERAL PURPOSE VEHICLES, LLC OR INC SOUTHFIELD MI + + + + + GENERAL RICH ENTERPRISES; RIVERSIDE, CALIFORNIA - TRAILERS + + + + + GENERAL SHELTERS; CENTER, TX CARGO TRAILERS ETC. + + + + + GIANTCO MOTORCYCLE CO, LTD OR JIANGMEN GIANTCO MOTORCYCLE CO.,LTD - CHINA - MOTORCYCLES, SCOOTERS ETC. + + + + + GREAT NORTHERN TRAILER WORKS, INC; SUTHERLIN, OREGON + + + + + GENTRY MOTOR WORKS OF INDIANA, LLC + + + + + GENERAL WELDING & FAB., ELMA,NEW YORK + + + + + GREAT PLAINS FABRICATION, LLC; OSWEGO, KANSAS TRAILERS - ADDED/ASSIGNED 4/28/14 + + + + + GRIMES-PARKER INDUSTRIES, INC., MISSISSIPPI + + + + + GREAT PLAINS INDUSTRIES (TRAILERS) + + + + + GRAND PRIX TRAILER MANUFACTURING, CO.; FREDERICK, MD + + + + + GRONEWEGEN B.V.NETHERLANDS + + + + + GROUT BROTHERS MASSACHUSETTS ANTIQUE VEHICLES 1899-1912 + + + + + GROVE + + + + + GRACO, INC. + + + + + GRADY-WHITE BOAT CO. + + + + + GRACIELA + + + + + GRADALL DIV OF WARNER & SWASEY CO.11/29/05 SUBSIDIARY OF JLG IND,COEQ,INDUSTRIAL EQUIP MANUFACTURER,AERIAL WORK + + + + + GRACE, W. E., MANUFACTURING CO. + + + + + GRAFFIN WELLPOINT CORP. + + + + + GRAHAM + + + + + GRAMM + + + + + GRAHAM-PAIGE + + + + + GRAY-VELLE MOBILE HOMESDIV. OF STAHAN MANUFACTURING CO. + + + + + GRABER WELDING AND REPAIR LLC; SO WHITLEY, INDIANA _TRAILERS ADDED/ASSIGNED 7/24/14 + + + + + GERICH FIBERGLASS, INC; OHIO - SPECIAL EVENT TRAILERS + + + + + GREAT DANE INC0RP0RATED; FARM & GARDEN EQUIP + + + + + GREAT DIVIDE COACH MFG. + + + + + GREAT BEND MFG. CO., INC. + + + + + GREEN BOAT TRAILER + + + + + AIR-FLO MOBILE HOME MFG BY GREGORY MFG. CO. + + + + + GREENVILLAMFD. BY GREENVILLE MOBILE HOMES + + + + + GREENKRAFT, INC.; SANTA ANA, CALIFORNIA INCOMPLETE TRUCK & BUSCHASSIS + + + + + GREAT LAKES MOBILE HOMESDIV. OF GUERDON INDUSTRIES + + + + + GREEN MFG., INC. + + + + + GREENCASTLE COACH CO. + + + + + GREGORY TRAILER SALES + + + + + GREAT ESCAPE + + + + + GREEN TECH AUTOMOTIVE, INC. MISSISSIPPI - LOW SPEED ELEC VEH'S + + + + + GREEVES + + + + + GROUND FORCE MANUFACTURING, LLC; POST FALLS, IDAHO + + + + + GREGORY INDUSTRIES, INC; CANTON, OHIO TRAILERS / TRAILER MOUNTED IMPACT ATTENUATORS + + + + + GREGOIRE; FRANCE - AGRCULTURAL TRACTORS, COMBINES, HARVESTERS & OTHER AGRCULTURAL MACHINERY + + + + + GRIFFITH + + + + + GRIMMER-SCHMIDT CORP.FRANKLIN, INDIANA + + + + + GRAND ISLAND MANUFACTURING; GRAND RAPIDS, MICHIGAN TRAILERS + + + + + GREEN RIVER CABINS, LLC CAMPOBELLO, SC + + + + + GRIZZLY MFG. CO., INC. + + + + + GRAND LAKE FABRICATION, LLC VINITA, OK + + + + + GREAT LAKE + + + + + GARLAND TRAILER DESIGNS; MONROE, WASHINGTON + + + + + GRUMMAN ALLIED, INC (SUBSIDIARY NORTHRUP GRUMMAN) LONG LIFEVEH'S (POSTAL DELIVERY VANS) + + + + + GERMFREE LABORATORIES, INC; ORMOND BEACH, FLORIDA + + + + + GRUMPY'S CUSTOM MOTORCYCLES, INC; CONCORD, NORTH CAROLINA MOTORCYCLES + + + + + GRANDEUR CYCLES, INC JONESVILLE, NC + + + + + GREEN & GREEN MFG. CO., INC.LANCASTER,TEXAS + + + + + GREENGO TEK, LLC, MICHIGAN - LOW SPEED ELEC VEH'S + + + + + GREENHAVEN MOBILE HOUSE TRAILER + + + + + GREENLAND VEHICLE CO., LTD OR CHANGZHOU GREENLAND VEHICLE CO., LTD.(PARENT COMPANY - CHANGZHOU LANLING SPECIAL VEHICLE MANUFACTURING CO.LTD) CHINA + + + + + G & R ENGINEERING, INC. SACRAMENTO, CALIFORNIA + + + + + GRM + + + + + COVENTRY MOBILE HOMEMFD. BY GREAT SOUTHWEST CORP. + + + + + SOLITUDE, MFG BY GRAND DESIGN RV, LLC, MIDDLEBURY, INDIANA + + + + + GRAN SPREE MINI CAMPER + + + + + GREASYHILL CUSTOMS; SECTION, ALABAMA + + + + + GR TRAILERS, LLC; PRAGUE, OKLAHOMA + + + + + GRA-TER INDUSTRIES, INC; BEAVERTOWN, PENNSYLVANIA + + + + + GRUENDLER CRUSHER AND PULVERIZER CO. + + + + + GRUMMAN-OLSEN + + + + + CLARK-GRAVELY CORP.GRAVELY TRACTORS, UTV'S + + + + + GRAVELY AUTO & TRAILER SERVICE; APACHE JUNCTION, ARIZONA + + + + + GROVE MFG. CO.AFFILIATED WITH KIDDE, INC.,SHADY GROVE,PENNSYLVANIA + + + + + GROWLER MANUFACTURING AND ENGINEERING; STAR, NORTH CAROLINA + + + + + GRYCNER + + + + + GREYSTONE; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + GRIZZLY CORP. + + + + + COMMANDER BRAND MFG BY GOSHEN COACH + + + + + GARDEN STATE CHASSIS REMANUFACTURING, INC + + + + + GOLD STAR ENTERPRISES; SIKESTON, MO + + + + + GENERAL SAFETY EQUIPMENT, LLC (ALSO DOING BUSINESS AS ROSENBAUER MOTORS, LLC.) MINNESOTA SAFETY VEHICLES AND EQUIPMENT,MINNESOTA, SOUTH DAKOTA + + + + + GOSHEN COACH, INC ELKHART INDIANA MOTORCOACHES + + + + + IMPULSE BRAND MFG BY GOSHEN COACH + + + + + G. S. INDUSTRIES, INC. + + + + + GSM + + + + + GAS SERVICE AND SUPPLY (VOLUMETRIC PROVERS & TEST MEASURES) + + + + + GOLD STAR TRAILER MANUFACTURING; FORT SCOTT, KANSAS - TRAILER + + + + + GENESIS SUPREME RV, INC; PERRIS, CALIFORNIA + + + + + G.T. MFG., INC; CLAY CENTER, KANSAS - TRAILER + + + + + GATEWAY MATERIALS (BOAT TRAILERS) LEWISTON, ID + + + + + GUANGYU MOTORCYCLE MANUFACTURE CO., LTD OR CHONGQING GUANGYU MOTORCYCLE MANUFACTURE CO., LTD, CHINA; MOTORCYCLES, DIRT BIKES ETC + + + + + GUERDON INDUSTRIES + + + + + GUEST INDUSTRIES, INC. + + + + + GUIDON CAMPER TRAILER + + + + + GUIZZO + + + + + GUERILLA CUSTOMS, ANCHORAGE ALASKA, MOTORCYCLES + + + + + GULF STATES MFG. CORP. + + + + + GULL WING INDUSTRIES,INC.ALTA,IA + + + + + GUSTAFSON MFG. CO., INC. + + + + + GUTHRIE TRAILER SALES, INC.GREAT BEND, KANSAS + + + + + GUAZZONI + + + + + OTTAWA TRUCK DIV., GULF & WESTERN MFG CO. + + + + + GREAT WEST VAN CONVERSIONS; CLASS B MOTORHOMES MANITOBA, CANADA + + + + + GYPSUM EXPRESS LTD BALDWINSVILLE,NY; MAKES CONVERTOR DOLLIES + + + + + GYPSY CAMPERS, INC. + + + + + GAZELLE + + + + + HOOD EQUIPMENT, INC; IRON RIVER, WISCONSIN _LOGGING AND FORESTRY EQUIPMENT + + + + + HOOPER TRAILER SALES, INC.MONTICELLO, GA; FLATBED TRAILERS. + + + + + HOOSIER MOBILE HOMES + + + + + HOLMAN + + + + + HO-BO TRAILERS + + + + + HOBART BROTHERS CO.TROY, OHIO + + + + + HOBBS TRAILERS DIV OF FRUEHAUF CORP.--FORT WORTH,TEXAS + + + + + HOBIE / HOBIE CAT (TRAILERS) + + + + + BANDIT BRAND; MFG BY HOOSIER HORSE TRAILERS, LLC + + + + + ACE (MODEL OF HODAKA) + + + + + HODGES CUSTOM HAULERS; BENTON, KY + + + + + DESPERADO BRAND; MFG BY HOOSIER HORSE TRAILERS, LLC + + + + + HOFFMAN + + + + + HOGG AND DAVIS INC; LONG BEACH, CALIFORNIA UTILITY COMPANY EQUIPMENT TRAILERS; DOLLY, PULLER, TENSIONER, SPOOLER + + + + + HOG WILD TRAILER C0. GORDONVILLE, MO + + + + + HOOSIER HORSE TRAILERS, LLC; SYRACUSE, INDIANA + + + + + HORNET INDUSTRIES, INC. + + + + + HOLSCLAW BROTHERS, INC.EVANSVILLE, INDIANA + + + + + HOLIDAY ROYAL TRAVEL TRAILER + + + + + HOLLAND TRANSPLANTER CO. + + + + + HOLDEN + + + + + HOLDEN TRAILER MFG. CO.HOLIDAY HOUSE, INC. + + + + + HOLIDAY HOUSE + + + + + HOLIDAY INDUSTRIES, INC. + + + + + HOLMES WRECKER + + + + + HOLLAND TRAILERS + + + + + FAIRWAY MFG BY HOLIDAY HOMES, DIV. OF BEATRICE FOODS + + + + + HOLSTEIN MFG., INC.HOLSTEIN, IOWA + + + + + HOLE PUMPS + + + + + ALUMA-LITE MFG BY HOLIDAY RAMBLER CORP. + + + + + HOLIDAY TRAILER SALES & MFG. CO. + + + + + HOLT TRAILER + + + + + HOLLAND CAMPER CO. + + + + + HOLVA TRAVEL TRAILER + + + + + HOLLYWOOD MOBILE HOMES + + + + + HOLLY INDUSTRIES (OR COACH CO.) + + + + + HOLMES-CRAFT + + + + + HOLIDAY MARINE SALES, INC. + + + + + HOMEMADE MOTORCYCLE CODE (SEE OPERATING MANUAL PART 1 SECTION 2 + + + + + ALY ALLIANCEMFD. BY HOMETTE CORP. + + + + + HOMES OF MERIT INC, FLORIDA, MOBILE & MODULAR HOMES + + + + + HOMELITE DIV OF TEXTRON INC + + + + + HOMEWAY MOBILE HOMES + + + + + ERNEST HOLMES DIV. + + + + + HONORBUILT TRAILER MFG. + + + + + HONDA + + + + + HONEYWELL MOTOR PRODS., HONEYWELL,INC. + + + + + HONGKI OR HONG-CHI + + + + + HONLING MOTORCYCLE CORP (AKA) SHANGHAI HONLING MOTORCYCLE CORPCHINA + + + + + HOP CAP P/U CAMPER TRAILER + + + + + HOPKINS MFG. CORP. + + + + + HORCH LIMOUSINE + + + + + RENEGADE BRAND; MFG BY HOOSIER HORSE TRAILERS, LLC + + + + + HORIZON MOBILE HOMES + + + + + HORNER-GOLEM CO. + + + + + HORSEMAN CAMPER + + + + + HORNET FLATBED TRAILER + + + + + HOREX + + + + + HORIZON MOTOR HOME + + + + + HOST INDUSTRIES; CAMPERS AND MOTORCOACHES + + + + + HOTCHKISS + + + + + HOULE INDUSTRIES, INC. + + + + + HOUSE OF ARCHITECTURE + + + + + HOUGH BROTHERS, INC. + + + + + HOUSE OF HARMONY, INC. + + + + + CYCLE-SLEEPERMFD. BY HOWARD MFG. CO. + + + + + HOWARD COMMERCIAL TURF EQUIPMENT CO.MFRS. MOWERS--ST. LOUIS, MISSOURI + + + + + HOWDAN MFG. CO. + + + + + HOWE ENGINEERED SALES CO.WATERLOO, IOWA + + + + + HOWHIT MACHNERY MANUFACTURE CO OR SHANGHAI HOWHIT MACHINERY MANUFACTURE CO; CHINA - ATV'S_ AND LOW SPEED VEHICLES + + + + + HOW-LO CAMPERS CO. + + + + + HOWARD ROTAVATOR CO., INC., SUBSIDI-ARY OF HOWARD MACHINERY, LTD. + + + + + HOWSE IMPLEMENT CO., INC. + + + + + HAOREN ELECTROMECHANICAL CO., LTD OR ZHEJIANG HAOREN ELECTROMECHANICAL CO., LTD.- ZHEJINAG, CHINA - ELECTRIC SCOOTERS, MOTOECYCLES & ATV'S + + + + + HAOSEN MOTORCYCLE CO., LTD OR CHONGQING HAOSEN MOTORCYCLE CO LTD CHINA MOTORCYCELS,SCOOTERS,ATV'S + + + + + HIGH ALTITUDE AVIATION INC; WOODS CROSS, UTAH _TRAILERS + + + + + HABAN(AGRI-FAB) + + + + + HATCH MFG.; VERMONT + + + + + HACKNEY & SONS, INC. + + + + + HADLEY TRAILER MFG. CO.NORTH CAROLINA + + + + + HADDOX QUALITY TRAILERS; OKLAHOMA + + + + + HARTMAN-FABCO, INC. + + + + + HARRIS FABRICATION, LLC; PASCO, WASHINGTON _TRAILERS + + + + + HAFLINGER + + + + + HAMMER HAAG STEEL, INC / HAMMER HAAG TRAILERS CLEARWATER, FL + + + + + HAHM EV CORPORATION GARDEN GROVE, CA (LOW SPEED VEH'S) + + + + + HAHN, INC.EVANSVILLE, INDIANA + + + + + HAILI INDUSTRIAL CO., LTD OR YONGKANG HAILI INDUSTRIAL CO., LTD; CHINA (MOTORCYCLES & SCOOTERS, ETC) + + + + + HAIRGROVE INDUSTRIES, INC.LONGVIEW, TEXAS + + + + + HALO CYCLES, LLC; GLENDALE, NEW YORK + + + + + HALCO CO. + + + + + HALE HORSE TRAILER + + + + + HALL, R.D. MFG., INC. + + + + + HALLMARK MOTOR HOME + + + + + HAULIN TRAILERS LLC, MUSKEGON, MI TRAILERS + + + + + HALLIBURTON CO. + + + + + HALS-EZ TRAILER MFG.; WYMORE, NEBRASKA TRAILERS + + + + + HAMBY CO. + + + + + HAMMERHEAD/ HAMMERHEAD OFF-ROAD; FLOWER MOUND, TX _MOTORCYCLES, ATV'S, UTV'S GO KARTS & DUNE BUGGYS + + + + + HAMILTON TRAILER + + + + + HAMLITE + + + + + HAMMERDOWN TRAILES & FABRICATION; FLORIDA - DUMP, HAULER & UTILITY TRAILERS ** PURCHASED COMPANY FROM LOUDO TRAILERS **VMA/LOUD + + + + + HAMPTON HOMES, INC.EDWARDSBURG, MICHIGAN + + + + + HAMPT0N AMUSEMENT RIDES, LLC; MISS0URI + + + + + HANOVER KINGFISHER, OKLAHOMA + + + + + HAN HENG ELECTROMECHANICAL CO OR JIUJANG HAN HENG ELECTROMECHANICAL CO; CHINA ATV, CYCLES + + + + + HANK'S MOBILE HOME SERVICE + + + + + HANMA; EAGLE MODEL OF ATV ALSO SCOOTERS + + + + + CLIFFORD B. HANNEY & SONS, INC. + + + + + HANSON MACHINERY CO. + + + + + HAPPIER CAMPER, INC; LOS ANGELES, CALIFORNIA + + + + + HAPPY WANDERER INDUSTRY, INC. + + + + + HAPPY VALLEY CAMPERS PORT MATILDA, PA + + + + + HAPPY TRAVL'R COACHES, INC. + + + + + HARBORTOWN MOBILE HOMELEOLA, PENNSYLVANIA + + + + + HARRIS HONKER CAMPER MFG. + + + + + HARDEE MFG. CO.AFFILIATED WITH HARSCO CORP., PLANTCITY, FLORIDA + + + + + HARRISON TRAILER MFG. CO. + + + + + HARDING TRAILER CO.FORT MYERS, FLORIDA + + + + + HART MOBILE HOMES CORP. + + + + + HARTFORD HOMES, INC. + + + + + HARKLAU INDUSTRIES, IND.HUMBOLDT, IOWA + + + + + HARTLINE TRAVEL TRAILERS + + + + + HART MFG.,INC. / HART TRAILER, LLC; CHICKASHA, OKLAHOMA + + + + + HARNISCHFEGAR CORP.SUBSIDIARY OF HARNISCHFEGER P&H + + + + + HARRINGTON MFG. CO., INC.MFR. OF ROANOKE-HUSTLER, LEWISTON, NORTHCAROLINA + + + + + HARSCO CORP + + + + + HARTMAN + + + + + HARVEST MOTOR HOME + + + + + HARLOW TRAVEL TRAILER + + + + + HAUL-A-DAY TRAILERS + + + + + HAULMARK INDUSTRIES, INC.BRISTOL, INDIANA DIVISION OF UNIVERSAL TRAILER CORPORATION-MOTORHOMES + + + + + HAULETTE TRAILER + + + + + HAULMAX TRAILER COMPANY; ELKHART, INDIANA TRAILERS + + + + + HAULRITE, INC.; MT. JULIET, TENNESSEE **(N0T HAULRITE 0F MISS0URI VMA/BMMF)** + + + + + HAUL-IT-ALL-FLATBED TRAILER + + + + + HAWG TY CHOPPERS, MOTORCYCLES ( AMERICAN POWER PRODUCTS) + + + + + HAWAIIAN CHARIOT WHEELCHAIR MOTORBIKES, LLC; WAIALUA, HAWAII _MOTORCYCLES + + + + + HAWKEYE CAMPING TRAILER + + + + + HAWN FREEWAY TRAILER SALES (HAWN TRAILERS); DALLAS, TEXAS + + + + + HAWTHORNE + + + + + HAWKER WELL WORKS, INC; BUFFALO, MINNESOTA + + + + + HAYBUSTER AGRICULTURAL PRODUCTS; NORTH DAKOTA _TUB GRINDER, BLOWERS, GRAIN DRILLS, FEEDERS + + + + + ENEREXMFD. BY HAYES EQUIP. CORP. + + + + + HAYNES MFG. CO., INC.CHICKASHA, OKLAHOMA + + + + + HAYES LOG TRUCK + + + + + HAYVAN OR HAY VAN, MFG (TREAILERS) BENNINGTON, OKLAHOMA (BK3 INVESTMENTS, LLC) + + + + + HBM USA, INC TAMPA, FL + + + + + H & B TRAILER CO.DAMASCUS, ARKANSAS + + + + + HARBORVIEW CHOPPERS, INC. HARBOR, FLORIDA + + + + + HCCH INDUSTRIES; WHITE CITY, OREGON - TRAILERS + + + + + HEACOCK / HEACOCK WELDING INC - GLENDALE, CALIFORNIA _TRAILER + + + + + HER CHEE INDUSTRIAL CO., LTD - TAIWAN MOTORCYCLE, ATV,SCOOTER + + + + + HILLCREST MANUFACTURING, LLC; CLARK, SOUTH DAKOTA TRAILERS GROUND THAWING EQUIP + + + + + HC-TRIKE, BEDNAR ALES; CZECH REPUBLIC MOTOR TRICYCLE + + + + + HARLEY-DAVIDSON + + + + + HARDEEBILT TRAILERS INC., WEST POINT GEORGIA + + + + + H & D ELECTRICS, LLC; BALTIMORE, MD (TLAC MOTORS, LLC-IMPORTER) ELECTRIC VEHICLES + + + + + HIGH DESERT GOLF CARS; MADRAS OREGON; LOW SPEED VEHICLES + + + + + H. D. HUDSON MANUFACTURING CO. + + + + + H.D. INDUSTRIES, INC; JACKSONVILLE, TEXAS TRAILERS + + + + + HDK PLASTIC FACTORY LTD., USA; ONTARIO, CALIFORNIA LOW SPEED ELECTRIC VEHICLES (LSV) GOLF CARTS, HUNTING BUGGIES, UTILITY TYPE VEHS + + + + + HARLEY-DAVIDSON + + + + + HUDSON TRAILER + + + + + HEALD, INC. + + + + + HEARTHSIDE MOBILE HOMESDIV. MODULINE INTERNATIONAL, INC. + + + + + HEATHKIT + + + + + HECO BOAT TRAILER + + + + + HECKENDORN MFG. CO.CEDAR POINT, KANSAS + + + + + HECKAMAN MFG., INC. + + + + + HED-WAY, INC. + + + + + HEIL CO. + + + + + HEINKEL + + + + + HEILITE TRAILERS, INC. + + + + + HELL BENT IRON (WIDOWMAKER BRAND CYCLES) + + + + + HELL BOUND STEEL LLC, RANCHO CUCAMONGA, CA + + + + + HELM MFG. CO. + + + + + HELMERS CUSTOM COACH + + + + + HELTZEL CO. + + + + + HENDRICKSON MANUFACTURING CO. + + + + + HENRED-FRUEHAUF (PTY.) LTD.SOUTH AFRICA + + + + + HENKE MANUFACTURING CORP. + + + + + HENDRIX MANUFACTURING CO. + + + + + HENDERSON MFG. CO. + + + + + HENRY J. + + + + + HENSLEE MOBILE HOMES, INC. + + + + + HERON TRAVEL CAMPERS + + + + + HERBST BROTHERS + + + + + HERCULES + + + + + HERD SEEDER CO., INC. + + + + + HERITAGE MOBILE HOMES + + + + + HERMISTON TRAILERS, OREGON + + + + + HERRLI INDUSTRIES, INC. + + + + + HERTER SNOWMOBILE TRAILER + + + + + HERZIG MFG. CO. + + + + + WOODS DIV., HESSTON CORP. + + + + + HESSE CORP.KANSAS CITY, MISSOURI + + + + + HESTER PLOW CO., INC. + + + + + HERITAGE-BY ABEL C0RP ALS0 SEE;FRANKLIN C0ACH C0MPANY;NAPPANEE, ILLIN0IS + + + + + HEWCO TRAILERS + + + + + HEIN-WERNER CORP. + + + + + HEWITT-LUCAS BODY CO. + + + + + HENSLEY FABRICATING & EQUIPMENT CO.,INC., TIPPECANOE, IN BOUGHT MANUFACTURING RIFHTS AND BLUEPRINTS FROM I & M MANUFACTURING. + + + + + HATFIELD WELDING & TRAILERSALES, INC.MT. PLEASANT, TEXAS + + + + + HEFTY TRAILER MANUFACTURING & SALES, PETTY, TEXAS + + + + + HAGON + + + + + OPEN RIDGE, MFG BY HIGHLAND RIDGE RV, INC (HGHR) + + + + + HAGGLUNDS (SNOW,TERRAIN-TRANSPORTATION VEHICLE) _** DIVISION OF SAFETY ONE INTERNATIONAL, INC ** + + + + + HIGHLANDER BRAND/MODEL, MFG BY:HIGHLAND RIDGE RV'S (VMA/HGHR) + + + + + HIGHLAND RIDGE RV, INC.; SHIPSHEWANA, INDIANA TRAILERS; ADDED/ASSIGNED 6/25/14 + + + + + JOURNEYER MFG BY HIGHLAND RIDGE RV (HGHR) + + + + + LIGHT,MFG BY HIGHLAND RIDGE RV, INC (HGHR) + + + + + MESA RIDGE, MFG BY HIGHLAND RIDGE RV, INC + + + + + ROAMER, MFG BY HIGHLAND RIDGE RV, INC (HGHR) + + + + + RESIDENTIAL, MFG BY HIGHLAND RIDGE RV, INC (HGHR) + + + + + HAIRGROVE CONSTRUCTION EQUIPMENT (FORKLIFT ETC) + + + + + HERITAGE ONE RV, INC, NAPPANEE, IN (NOT SAME AS HERITAGE BY ABEL CORP) + + + + + HUANGYAN SANYE GROUP CO., LTD OR ZHEJIANG HUANGYAN SANYE CO., LTD.; CHINA MOTORCYCLE, DIRTBIKES ETC + + + + + H & H TRAILER CO. IOWA + + + + + H & H TRAILER SALES, INC; LUBBOCK, TEXAS + + + + + HI-LO TRAVEL TRAILER + + + + + HIAWATHA MOBILE HOMES + + + + + HIAB CRANES AND LOADERS, INC.NEWARK, DELAWARE + + + + + HIAWATHA + + + + + HIBBARD IRON WORKS OF HAMPTON; VIRGINIA (TRAILERS & TRAILER EQUIPMNT) + + + + + HIEBCO, LLC; IGNACIO, COLORADO - TRAILERS + + + + + HIBDON MFG. CO. + + + + + HI-BIRD MOTORCYCLE INDUSTRY CO., LTD OR CHONGQING HI-BIRD MOTORCYCLE CO., LTD. CHINA + + + + + HILBILT MFG. CO.BENTON, ARKANSAS + + + + + HICO CORP. OF AMERICA + + + + + HIGH CHAPARRAL, INC.FT. WORTH, TEXAS + + + + + HICKEY TRAIL-BLAZER + + + + + HICKS + + + + + HIDE-A-WAY CAMPER + + + + + HIGHLY DANGEROUS MOTORCYCLES + + + + + HIGHWAY CRUISERS, INC. + + + + + HIGH C0UNTTRY TRAILER SALES & MFG; FAIRCHILD, WI + + + + + HIGHWAY SLEEPER CORP. + + + + + HIGGINS DELTA CORP OR HIGGINS-DELTA (DELTA-HIGGINS) MOTORHOMES + + + + + HIGHWAY TRAILER + + + + + HIGHWAY TRAILER OF WISCONSIN &CALIFORNIA + + + + + MASTER HOUSE MFG BY HIGHLANDER + + + + + HIGH PEAK TRAILERS, INC; POLAND, NEW YORK - TRAILERS + + + + + HIGHWAY MANUFACTURING CO.DIV. OF MOTAC, INC. + + + + + HIGHWAY INDUSTRIESEDGERTON, WISCONSIN + + + + + HITCH-HIKER MANUFACTURING, INC., NEW MIDDLETOWN, OH + + + + + HILTON MOBILE HOMES, INC. + + + + + HILLSBORO INDUSTRIES, INC. + + + + + HILL COUNTRY HOMES, INC. + + + + + HILL DUMP TRAILER + + + + + HILL MFG. CO. + + + + + HILLCO, INC. + + + + + HILLMAN + + + + + HILLCREST HOMES, INC.DIV. SKYLINE HOMES + + + + + HILINE CARTS & CARS INC, XG MODELS OF NEV'S & LSV'S (LOW SPEEDVEHICLES) XG-2, XG-4, XG-6, XG-T + + + + + HILLTOPPER MFG. CORP. + + + + + HILO SNYDER TRAVEL TRAILER + + + + + HILLTOP MFG., INC.EL DORADO, ARKANSAS + + + + + HINO + + + + + HINDUSTAN + + + + + HINES MFG. CO.ROCKY MOUNT, NORTH CAROLINA + + + + + HINSON MFG. CO., INC. + + + + + HINOMOTO TRACTOR SALES USA, INC.HOUSTON, TEXAS + + + + + HI ROLLIN TRAILER MFG., BIG SPRING, TEXAS + + + + + HIRE DUMP TRAILER + + + + + HISPANO-SUIZA (CLASSIC VEHICLES) VARIOUS MODELS + + + + + HIGHSTONE TRAILER + + + + + HISUN MOTORS CORP. U.S.A.; CARROLLTON, TEXAS _MOTORCYCLES + + + + + HI-TECH AUTOMOTIVE (PTY) LTD., SOUTH AFRICA + + + + + HIGH TIDE BOAT TRAILERS,LLC; PLANT CITY, FLORIDA + + + + + HITCHING RAIL TRAILER + + + + + HI-TECH MARINE, INC; PANAMA CITY, FLORIDA + + + + + HI-U-TRAILER MFG. + + + + + HIGHVIEW MANUFACTURING; ALTA VISTA, IA + + + + + HI-WAY STAR, INC; ODESSA, FL + + + + + HJV TRAILERS, LLC - IDAHP FALLS, ID (TRAILERS) + + + + + TRUCK TRAILER SALES & SERVICE YANKTON SOUTH DAKOTA + + + + + HICKORY KING HORSE TRAILER + + + + + HAUL ALL, INC; EAGLE POINT, OREGON TRAILERS + + + + + HAUL-A-ROUND TRAILERS; ELGIN, OKLAHOMA TRAILERS; ADDED/ASSIGNED 1/24/14 + + + + + BRIDGEVIEW; MFG BY H.L. ENTERPRISE, INC (HLEI) + + + + + HOLANDIA HOLDER + + + + + HELDER MFG., INC; MARYSVILLE, CALIFORNIA TRAILERS + + + + + HL ENTERPRISE, INC; ELKHART, INDIANA - TRAIELRS + + + + + HAUL - A - FAME INC.; SALEM 0REG0N + + + + + HYLINE; MFG BY H.L. ENTERPRISE, INC (HLEI) + + + + + HELLER TRUCK BODY CORP NEW JERSEY + + + + + HULL TRAILERS INC (A STATELINE TRAILER CO) IOWA + + + + + HOLMES TRAILERS; UTILITY & LIGHT CONSTRUCTION; ASHLAND, VA + + + + + HAULMARK OR HAULMARK INDUSTRIES; IN, PA, UT, GA, AZ + + + + + HIGHLINER TRAILERS, LTD.; VANCOUVER, CANADA + + + + + HOLLY PARKS, INC.MOBILE HOMES + + + + + HIGH-LITE RIDES, INC.; GREER, SC + + + + + HAYS LIQUID TRANSPORT, INC (AKA-LIQUID TRANSPORT, INC) AGRICULTURE/FERTILIZER EQUIPMENT; TRAILERS, HAULERS + + + + + HAWKEYE LEISURE TRAILER, LTD OR HTL LIMITED; HUMBOLDT, IOWA TRAILERS + + + + + HLT LIMITED; HUMBOLDT, IOWA TRAILERS + + + + + HAULOTTE GROUP - BOOM LIFTS; ARCHBOLD, OH + + + + + HELLWOOD TRAILER + + + + + HOLZ TRAILER_COMPANY; LYNDEN, WASHINGTON _TRAILERS - ADDED/ASSIGNED 9/4/15 + + + + + HM + + + + + HAMBLET MACHINE COMPANY ANTIQUE AUTOMOBILES + + + + + HOMEMADE TRAILER CODE (SEE OPERATINGMANUAL, PART 1, SECTION 2.)PAGE 1-33) + + + + + HME, INCORPORATED; WYOMING, MI + + + + + HAMLET CUSTOM HAULERS, LLC; PINETOP, ARIZONA _TRAILERS + + + + + HAMMAR LIFT INC HAMMAR MASKIN AB SWEDEN / CALIFORNIA TRAILER MOUNTED SIDE LOADER AND SIDELIFTER + + + + + HOMESTEADER, INC.; NEW TAZEWELL, TN + + + + + HAUL MASTER MFG BY CHANGZHOU NANXIASHU TOOL FACTORY - CHINA VMA/CHNA; VARIOUS STYLES OF TRAILER + + + + + FREE-WAY II, (MFD. BY H-MVEHICLES, INC.) + + + + + H.N.L. C0RP AND 0R HENRY L. LANCIANI C0RP. + + + + + HENLEY'S TRAILER, INC; LAFAYETTE, LOUISIANA TRAILERS + + + + + HEINEMANN - GERMANY TRAILERS + + + + + HAHN MOTORS, INC. + + + + + HANNIGAN MOTORSPORTS + + + + + HANSON CAMPING TRAILER + + + + + HENSIM USA, INC (AKA-HENSIM OR CHONGQING HENSIM GROUP CO.,LTD)USA & CHINA + + + + + HORSEPOWER & CHROME LLC; RANCHO CUCAMONGA, CALIFORNIA MOTORCYCLES + + + + + OAKMONT MODEL,MFG BY HEARTLAND RECREATIONAL VEHICLES (VMA/HRTL) + + + + + BRECKENRIDGE; MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + HARD BIKES LLC; HERMITAGE, PA, MOTORCYCLES + + + + + HARBEN, INC. + + + + + HARBOR HOMES, LLC; THOMASVILLE, GEORGIA RECREATIONAL VEHICLE, TRAVEL TRAIRES + + + + + HARDCORE CHOPPERS, STERLING, VIRGINIA MOTORCYCLES + + + + + HARDKORE KARTS (LSV'S) ATLANTA TEXAS + + + + + EDGE MODEL, MFG BY HEARTLAND RECREATIONAL VEHICLES (VMA/HRLD) TRAILER + + + + + FAIRFIELD; MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + FINE LIFE; MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC _VMA/HRLD + + + + + HRG + + + + + GATEWAY; MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + HEARTLAND RIG INTERNATIONAL; TRAILERS, OIL RIGS & SUPPORT EQUIPMENT + + + + + HEARTLAND RECREATIONAL VEHICLES LLC; ELKHART, INDIANA; CYCLONE,LANDMARK,BIGHORN,SUNDANCE,TRAIL RUNNER MODELS _ + + + + + HARRELL MFR.NORTH CAROLINA + + + + + LAKEVIEW MODEL MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + MALLARD, MFG BY HEARTLAND RECREATION VEHICLES, LLC + + + + + HARMAR INC., ELKHART, INDIANA (TRAIL RIDER) HORSE TRAILER + + + + + HARLEY MURRAY INC; STOCKTON CALIFORNIA - TRAILERS + + + + + NORTH PEAK; BRAND MFG BY HEARTLAND RECREATIONAL VEH'S LLC + + + + + HARNEY COACH OR HARNEY COACH WORKS; MOTORHOMES & COACHES PRODUCED ON VARIOUS CHASSIS + + + + + PERFECT COTTAGE; MFG BY HEARTLAND RECREATIONAL VEHICLES,LLC + + + + + RESORT MODEL, MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC + + + + + HARRIMAN SALES, INC.; DEKALB JCT, NEW YORK + + + + + H0RSE CREEK MANUFACTURING; C00KVILLE, TX + + + + + HORTON VANS, INC - GEORGIA - TRAILERS + + + + + HERITAGE CUSTOM TRAILERS; BENTON,ILLINOIS + + + + + HERTER'S, INC.WASECA, MN + + + + + HARMON TANK CO.LUBBOCK, TEXAS + + + + + HEARTLAND TRAILER MANUFACTURING & SALES, INC.; SIKESTON, MO + + + + + HEARTLAND MOTORCYCLE COMPANY OR HEARTLAND MOTORCYCLE INC OMAHA, NEBRASKA + + + + + HORTON VANS, INC.; EATONTON, GO + + + + + HERTER + + + + + FRANK HRUBETZ & CO (AKA-MANCO, KILINSKI & DATRON), OREGON _ + + + + + HARVEY TRAILERS SALES, WINTER GARDEN, FLORIDA, NOT SAME AS (VMA/HRVY) BANGOR, MAINE + + + + + FORCE MANUFACTURING, INC. AND/OR HARVEY; BANGOR MAINE, NANCY HARVEY + + + + + HERRIN WELDING SERVICE, INC. / HERRIN HAULERS; KILGORE, TEXAS + + + + + XTENDABLES; MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC _VMA/HRLD + + + + + HORIZON 6904, 6906, 6908, 6910, 6911; MFG BY SUNDOWNER TRAILERS, INC. + + + + + HORIZON TRIKES; ALBUQUERQUE, NEW MEXICO TRIKES + + + + + HUSKEE LAWN & GARDEN EQUIPMENT + + + + + HUS-KEY MFG., INC. + + + + + H & S MFG. CO., INC. + + + + + HOT SPRINGS PERFORMANCE TRAILERS; HOT SPRINGS ARKANSAS + + + + + HUSQVARNA + + + + + HOSTAR MARINE TRANSPORT SYSTEMS, MASSACHUSETTS + + + + + HOT SUMMER INDUSTRIES; JACKSON, MICHIGAN + + + + + HITACHI + + + + + HERRING TANK COMPANY, INC; TRADE NAME (FRANC TANK) FORT WORTH TEXAS + + + + + HITCHCOCK, INC; HITCHCOCK-MANTHEY, LLC BURLINGTON, COLORADO + + + + + HATFIELD WELDING & TRAILER SALES, INC MOUNT PLEASANT, TEXAS + + + + + HERITAGE PARK MODELS - ELKHART, INDIANA - TRAILERS/PARK MODELS + + + + + HUADONG AUTOMOBILE CO., LTD OR CHANGSHU HUADONG AUTOMOBILE CO CHINA + + + + + HUANAN MOTORS GROUP CO., LTD. OR GUANGZHOU PANYU HUANAN MOTORSGROUP CO., LTD. (COBRA SCOOTERS IS U.S. DISTRIBUTOR OR MANY BRANDS OF SCOOTERS ETC) SACHS, PEIRSPEED + + + + + HUANSONG INDUSTRIES GROUP CO., LTD OR CHONGQING HUANSONG INSUSTRIES GROUP CO., LTD., CHINA; ATV'S DIRT BIKES, SCOOTERS,MOTORCYCLES, SNOWMOBILES, ETC. + + + + + HUARI GROUP OR JIANGMEN CITY HUARI GROUP CO.,LTD CHINA + + + + + HUAWIN MOTORCYCLE CO., LTD OR SUMMIT HUAWIN MOTORCYCLE CO., LTD; ALSO KNOWN AS (ZHEJIANG SUMMIT HUAWIN COTORCYCLE CO., LTD.; CHINA + + + + + J. M. HUBER CORP. + + + + + HUB GROUP + + + + + KEITH HUBER CORPORATION; GULFPORT, MISSISSIPPI TRAILERS,VACUUMTRUCKS + + + + + HUBERT METAL PRODUCTS, INC; DENVER, COLORADO + + + + + HUDSON + + + + + HUFFY + + + + + HUFFY CORP. (DAYTON, OHIO) + + + + + HUGHES TRAILERS OF JACKSON, LLC; ALAMO, TN + + + + + HUSKY CARGO OR HUSKY CARGO, LLC; FITZGERALD, GEORGIA TRAILERS + + + + + HULCO TRAILERS GMBH + + + + + HULLCO SIKESTON, MISSOURI (SIKESTON TRAILER SALES) + + + + + HULL'S NEW & USED EQUIPMENT & TRAILER SALES; LAMAR, MISSOURI ALSO SEEN AS HULL NEW & USED EQUIP & TRAILER SALES + + + + + HUMBER + + + + + HUMBEE SURREY + + + + + HUMMEL + + + + + HUMMER; FORMERLY CODED AS AMGN/AMERICAN GENERAL CORP. AS OF 3/1/02 PART OF THE GENERAL MOTORS (GM) VEHICLE GROUP + + + + + HUMES TRUCK & TRAILER MFG. CO + + + + + HUNTER CUSTOM TRAILERS KINGSBURY,INDIANA + + + + + HUNTINGTON DISTRIBUTORS + + + + + HUNT'S TRAILER MFG. + + + + + HUNTSMAN, INC.CHETOPA, KANSAS + + + + + HUPMOBILE + + + + + HURON INDUSTRIES, INC. + + + + + HURCO TECHNOLOGIES INC. HARRISBURG, SD + + + + + HURRICANE; MFG BY THOR MOTOR COACH INC. + + + + + HURRICANE CARGO; FITZGERALD, GEORGIA - TRAILERS + + + + + HURST TRAILERS, INC.WASHBURN, TENNESSEE + + + + + HUSTLER-RUSTLER + + + + + HUSABERG MOTORCYCLES, SWEDEN + + + + + HUSKY FARM EQUIPMENT LTD.ONTARIO, CANADA + + + + + HUSKY + + + + + HUSS SALES, INC. + + + + + HUSTLER BOAT TRAILERPOWELL, TENNESSEE + + + + + HUTCO BOAT TRAILER + + + + + HUTTON MANUFACTURING; MANILA, ARKANSAS _TRAILERS; ADDED/ASSIGNED 9/2/14 + + + + + HUNTER STRUCTURES, INC. TRAILERS COMPACT JUNIOR ONE OF SEVERAL MODELS + + + + + HUBER-WARCO + + + + + HUYE MOTORCYCLE CO., LTD OR YANTAI ETDZ HUYUE MOTORCYCLE CO., LTD; YANTAI CHINA; MOTORCYCLES + + + + + HOWE AND HOWE TECHNOLOGIES, INC WATERBORO ME + + + + + HAWKEYE EAGLE TRANSPORTATION EQUIPMENT CO., INC SCHALLER IOWA + + + + + HAWKEYE LEISURE TRAILER LTD. OR HLT LTD. HUMBOLDT, IOWA + + + + + HAWKLINE / HAWKLINE LLC; MONTROSS, VIRGINIA - TRAILERS + + + + + HAWK TRAILERS, LLC; MANAWA, WI + + + + + H. & W. MFG. CO. + + + + + HEWITT-ROBINS CRUSHING & VIBRATINGDIV. LITTON SYSTEMS, INC.EQUIPMENT DIV. + + + + + JOHN R HOLLINGSWORTH CO / HOLLINGSWORTH TRAILER MOUNTED GENERATORS + + + + + HANK WILLIAMS TRAILER MFG.; SHELBYVILLE, TENNESSEE + + + + + HOWE TRUCK & TRAILER TROY, NEW YORK + + + + + HIGHWAY PRODUCTS, INC.; WHITE CITY, OREGON + + + + + HYOSUNG MOTORS & MACHINERY SOUTH KOREA + + + + + HYCALOADER CO., INC. + + + + + HYDRO ENGINEERING, INC.; NORWOOD YOUNG AMERICA, MN TRAILER MOUNTED LIQUID HANDLING EQUIPMENT + + + + + HYDE CORP.HURST, TEXAS + + + + + HYDRA-FAB MANUFACTURING, INC.; PHENIX CITY, ALABAMA DRILLING RIG EQUIPMENT, ETC + + + + + HYDR-SPORTS, INC; NASHVILLE, TENNESSEE TRAILERS + + + + + HY-DYNAMIC DIV.BUCYRUS-ERIE CO. + + + + + HYLANDER UTILITY TRAILER + + + + + HY-LINE ENTERPRISES, INC.ELKHART, INDIANA + + + + + HYLTON HOMES, INC.PHIL CAMPBELL, ALABAMA + + + + + ERWIN HYMER GROUP NORTH AMERICA, INC + + + + + THE HYDROSEEDING COMPANY, LLC GREENWOOD DE + + + + + HAYSHED TRAILERS; ALBERTA CANADA + + + + + HYSTER CO. + + + + + HYTRACKER MANUFACTURING LTD.; BRITISH COLUMBIA CANADA RAILROAD MOBILIZATION EQUIPMENT + + + + + HYDRO TEK CORP.; REDLANDS, CA + + + + + HYUNDAI TRANSLEAD (HYUNDAI PRECISION AMERICAN, LTD.) + + + + + HY-TECH TRUCK & TRAILER MFG LLC FORT MORGAN CO + + + + + HYDRO TRAXX; INDIANA MFG BY SUN LAKE PRODUCTS,LLC + + + + + HYUNDAI + + + + + HAZLEWOOD MFG. CO SOUTH HILL VIRGINIA + + + + + IOWA MOLD TOOLING CO., INC. + + + + + IONI-A-HOME MFG. CO. + + + + + IOWA MANUFACTURING CO.CEDAR RAPIDS, IOWA + + + + + I. A. M. E. + + + + + IOWA STEEL FABRICATION; OSCEOLA, IOWA _TRAILERS + + + + + IBEN BOAT TRAILER + + + + + IC BUS, LLC; CONWAY ARKANSAS; ILLINOIS, OKLAHOMA _SCHOOL & COMMERCIAL BUSES_FORMERLY IC CORPORATION AND PREVTO THAT-AMERICAN TRANSPORTATION CORPATION - VMA/ICRP + + + + + ICEBEAR + + + + + ICL CARGO TRAILER + + + + + IC C0RP0RATI0N;F0RMERLY AMERICAN TRANSP0RTATI0N C0RP0RATI0N _6/2013 COMPANY IS NOW: IC BUS,LLC PER LIZ DOWLING NICB AND LISA LANGLER NAVISTARGLOBAL SECURITYCHARMAINE BLACK J.D. SENIOR PARALEGAL OIG NAVISTAR_VMA/ICBU + + + + + I.D.E.C.O. + + + + + IDEAL INDUSTRIES + + + + + IDENTITY MOTORS MANUFACTURING & ASSEMBLY; PHOENIX, AZ + + + + + IDLE-TIME CABOVER CAMPER TRAILER + + + + + IDAHO TOTE DOLLY, INC; JULIATTE, IDAHO + + + + + I-GO - MFG BY EVERGREEN RECREATIONAL VEHICLES + + + + + IRON HORSE BBQ, INC; OREGON BAR BQ AND SMOKER TRAILERS + + + + + ISHIKAWAJIMA-HARIMA HEAVY INDURSTRIES CO, LTD.; JAPAN + + + + + IRON HORSE TRAILER MANUFACTURING; TEXAS + + + + + INTERNATIONAL JET BOATS DE MEXICO S.A.DE C. V.MEXICO; TRAILERS + + + + + IKON; MFG BY KIBBI, LLC / RENEGADE + + + + + I. K. A. + + + + + IKARUS BUSES + + + + + ILO / ILO MOTERNWERKE (CAN ALSO BE WRITTEN AS JLO GERMANY + + + + + ISLAND; MFG BY KROPF INDUSTRIES, INC + + + + + IMAGO; COLTON, CALIFORNIA - TRAILERS + + + + + INTERMOUNTAIN WHOLESALE, INC.COMMERCE CITY, CO + + + + + INTERSTATE MANUFACTURING INC, RUPERT, IDAHO; TRAILERS & EQUIPMENT + + + + + IMPALA MOBILE HOMES & TRAVEL TRAILERS + + + + + I. M. P. (U.S.) + + + + + IMPERIAL INDUSTRIES + + + + + IMPERIAL(FOR MODEL YEARS 1955-1983, USEVMA/IMPE; FOR MODELS PRIOR TO 1955AND MODEL YEARS 1990-1993, SEEVMA/CHRY) + + + + + IMPERIAL MOBILE HOMES + + + + + IMPERATOR HORSE TRAILERS + + + + + IMPERIAL TRAILER CORPORATION, JACKSONVILLE, FL + + + + + IDAHO NORLAND CO. + + + + + INNOVATIVE SPECIALTIES; UNITY, MAINE TRAILERS + + + + + INNOVATIVE TRAILER MANUFACTURING EASTPOINTE, MICHIGAN + + + + + INDIAN (TAIWAN) + + + + + INDIES HOUSE, INC.HACKLEBURG, ALABAMA + + + + + INDUSTRIAL ENGINEERING COMPANY; COLUMBUS, NB _TRAILERS + + + + + INDEPENDENT PRODUCTS CO. + + + + + INDIAN MOTORCYCLE CO (ACQUIRED BY POLARIS INDUSTRIES APRIL 2011-VMA/POLS) NCIC VMA/INDI WILL REMAIN AS ASSIGNED CODE WMI/5YA PREVIOUS ASSIGNED TO INDIAN MOTORCYCLE REQUESTED TO BE TRANSFERRED TO POLARIS + + + + + INDIO TRAILER MFG. CORP. + + + + + INDIAN CAMPERS, INC. + + + + + INDEPENDENT MFG. CO., INC. + + + + + INDEPENDENT TRUCK TANK, LLC; BOLIVAR, MISSOURI _TRAILERS + + + + + IMEINDUSTRIAL & MUNICIPAL ENGINEERING, INC. + + + + + INDUSTRIEWERKE LUDWIGSFELDE (IWL); GERMANY MOTORCYCLES,SCOOTER + + + + + INFINITI + + + + + INFINITY MANUFACTURING, INC; HASLET, TEXAS + + + + + INFERNO; MFG BY KZRV, LP KZ RECREATIONAL VEHICLES + + + + + INFINITY TRAILER SALES; CANY0N, TEXAS + + + + + INGERSON MFG. CO. + + + + + INERGII, INC; SPRING HILL, FLORIDA + + + + + BLANCO (MODEL OF INTRAMOTOR) + + + + + INGRAM MANUFACTURING CO. + + + + + INGERSOLL-RAND CO.WOODCLIFF LAKE, NEW JERSEY + + + + + INGER-TECO CORP. + + + + + INDUSTRIAL INNOVATIONS, INC; STOCKTON, CALIFORNIA TRAILERS - ADDED/ASSIGNED 5/1/14 + + + + + INLAND EQUIPMENT CORP.ST. CHARLES, ILLINOIS + + + + + INLINE SOUTHWEST HORSE TRAILER + + + + + INSLEY MANUFACTURING CO.SUBSIDIARY AMCA INTERNATIONAL CORP. + + + + + INDEPENDENCE M0T0RCYCLE C0MPANY + + + + + INTERMECCANICA + + + + + INMAN TRAILERS; INMAN, KS + + + + + INNOCENTI + + + + + INNOVATIVE TRAILER, INC.; TEXAS + + + + + INNOVATIVE TRAILER MANUFACTURING, INC.RICHFIELD,UT NOT SAME AS INNOVATIVE TRAILER MFG., EASTPOINTE, MI + + + + + INDIANA PHOENIX; TRUCKS (REDI-MIX) CONCRETE ETC _ + + + + + INTRAPID TRAILER + + + + + INSANE CUSTOM CYCLE; GLENDALE, ARIZONA - MOTORCYCLES + + + + + INSTIGATOR,INC. HOUSTON, TEXAS (BOAT TRAILERS) (IXS,IXT,IXTHD,IXTRI,IXTRIHD MODELS) + + + + + INSLEY FOUR WHEEL TAG TRAILER + + + + + INNOVATIVE STREET MACHINES, LLC MIAMI FLORIDA (KIT VEHICLES) + + + + + INTERNATIONAL SPECIALIZED TRAILER MFG., LLC; LITCHFIELD, MN + + + + + INTERCONSULT MFG. CO. + + + + + INTERNATIONAL COACH MFG. + + + + + INTEGRITY CUST0M TRAILERS; R & D FABRICATI0N; DIV 0F DF INDUSTRIES + + + + + INTERNATIONAL INDUSTRIES, INC. + + + + + INTERNATIONAL HARVESTER CO. + + + + + INTERNATIONAL MOBILE HOMES OF CALIFORNIA + + + + + INTERSTATE PRODUCTS + + + + + INTERNATIONAL TRAILER CORP. + + + + + INTERSTATE TRAVEL TRAILER + + + + + INTERSTATE TRAILERS, INC.ARLINGTON, TX (NOT SAME AS INTERSTATETRAILERS, INC SIKESTON,MO VMA/ITST) + + + + + INTERSTATE WEST CORPORATION (INTERSTATE GROUP LLC) IDAHO ARIZONA,ARKANSAS + + + + + INTEGRITY TRAILERS, INC. EL RENO, OKLAHOMA (LEGACY MODEL) + + + + + INNO VAN; MORAINE, OHIO/MERC HOLDING CO. + + + + + INVADER TRAVEL TRAILER + + + + + INVICTA CAR COMPANY; UNITED KINGDOM AUTOS + + + + + INNOVATOR TRAILERS, INC; ELKHART, INDIANA + + + + + INDIAN VALLEY TRAILERS, TRINIDAD, TEXAS + + + + + IP MANUFACTURING, INC; FRESNO, CALIFORNIA TRAILERS + + + + + IPSCO-LAMBTON STEEL + + + + + IRON & OAK; MINNESOTA WOOD SPLITTERS + + + + + IRONWORKS MOTORCYCLE CO, + + + + + IRON OX TRAILERS, KANSAS + + + + + IRBIT MOTORWORKS OF AMERICA, INC; REDMOND WASHINGTON _(AFFILITATE_OF IRBIT MOTORCYCLE FACTORY (IMZ) RUSSIA + + + + + IRABECK & CO.HARRINGTON, DELAWARE + + + + + IRD + + + + + IRONDOG TRAILERS + + + + + IRON EAGLE TRAILERS + + + + + IRELAND TRAILER SALES, INC; ANDALUSIA ALABAMA _TRAILERS + + + + + IRONKING / IRONKING TRAILERS; SEBRING, FLORIDA _TRAILERS; ADDED/ASSIGNED 11/6/14 + + + + + IRONHORSE TRAILERS, INC; MORRISON, TENNESSEE _TRAILERS + + + + + IRON PANTHER INCORPORATED; CLOVIS, CALIFORNIA - TRAILERS + + + + + IRONWORKS INC ; SHAWNEE, OKLAHOMA (TRAILERS) + + + + + ISO + + + + + ISOMETRICS, INC; REIDSVILLE, NORTH CAROLINA + + + + + I.S.E., INC.DENVER, COLORADO + + + + + ISETTA + + + + + ISLANDER MOTOR HOME + + + + + INSTA-GATOR CHOPPERS, LLC (FLORIDA) PREVIOUSLY LOCATED IN COLORADO (MOTORCYCLES) + + + + + ISUZU + + + + + INTERNATIONAL SUPPLY CO., INC. - EDELSTEIN, ILLINOIS + + + + + ITOM + + + + + ITALIAN FORD + + + + + ITALIA + + + + + ITALIKA MOTORCYCLES (MEXICO) + + + + + ITALJET + + + + + ITALIANMOTO S.R.L; ITALY MOTORCYCLES, ETC + + + + + ITASCA MOTOR HOMES DIV WINNEBAGO IND., INC.,FOREST CITY, IOWA + + + + + ITALTELAI MFG. CO. (ITALY) + + + + + ITALVELO + + + + + INNOVATIVE TRAILER DESIGN INDUSTRIES; MISSISSAUGA, ONTARIO CANADA - TRAILERS (WMI/2P9 COMES BACK TO-PEEL TRUCK AND TRAILER EQUIPMENT; SAME ADDRESS AS INNOVATIVE TRAILER DESIGN IND. + + + + + INDEPENDENT TRAILER & EQUIPMENT COMPANY; YAKIMA, WASHINGTON + + + + + ITI TRAILERS AND TRUCK BODIES, INC., MEYERSDALE, PA + + + + + INDIANA TRAILER MANUFACTURING + + + + + INTIMIDATOR (PREVIOUSLY UTILITY VEHICLE UNIT OF BAD BOY, INC VMA/BDBY) UNIT WAS SPLIT OUT AND BECAME SEPARATE/DISTINCT COMPANY ARKANSAS + + + + + INDIANA TOLL AND MACHINE, INC; INDIANAPOLIS, INDIANA - TRAILER + + + + + ITM TRIKES PRODUCTION, INC; ALMO, KENTUCKY _MOTORCYCLES + + + + + INTERNATIONAL TRUCK & ENGINE CORP, INTERNATIONAL BRAND OF TRUCKS + + + + + INTREPID CYCLES INC; CALIFORNIA + + + + + INTERSTATE TRAILERS INC.,SIKESTON, MO (NOT SAME AS INTERSTATE TRAILERS INC., TEXAS VMA/INTT) + + + + + IN TECH TRAILERS OR INTECH TRAILERS, INC, NAPPANEE, INDIANA + + + + + IVECO TRUCKS OF NORTH AMERICA, INC.MFRS. OF MAGIRUS TRACTORS + + + + + JOB SITE TRAILER + + + + + JOE'S CUSTOM BOAT TRAILER + + + + + JOE'S WELDING SERVICE SALEM,ILLINOIS + + + + + JOHNSON MOTORS + + + + + JOHNSON MANUFACTURERS, INC. OR JOHNSON MANUFACTURING, INC. UVALDE, TEXAS (WMI - 1J9/121) + + + + + JOHNSON CORP. + + + + + JOHNSON'S TRAILER BUILDING & REPAIR + + + + + JOHNNY LIGHTNING + + + + + JOHNSON MFG. CO., INC. + + + + + JONES TRAILER CO.; WOODSON, TEXAS TRAILERS + + + + + C. S. JOHNSON CO. + + + + + JONWAY GROUP CO., LTD. MOTORSCOOTERS,MOTORCYCLES, ATV'S CHINA + + + + + JOPLIN + + + + + IRA JORGENSON + + + + + CARL A. JOHNSON & SONS + + + + + JOSHUA TRAILER + + + + + JOURNEY MOTOR HOMES, INC.ELKHART, INDIANA + + + + + JOWETT + + + + + JOY MFG. CO. (AIR POWER GROUP)MONTGOMERYVILLE, PENNSYLVANIA + + + + + JOYHON MOTORCYCLE CO., LTD., (AKA) CHONGQING JOYHON MOTORCYCLE CO., LTD. CHINA + + + + + JOYNER ATV'S, GO KARTS MOTOR SCOOTERS + + + + + JACKSON AUTOMOBILE COMPANY; JACKSON, MICHIGAN 1903-1923; ADDED/ASSIGNED 4/11/14 + + + + + JACKSON TRAILER + + + + + ESTATE POWER MOWERS MFG.BY JACOBSEN MANUFACTURING CO. + + + + + JACOBSEN TRAILERS INC, FARM TRAILERS & OVER THE ROAD TRAILERS + + + + + JAC-TRAC, INC.MARSHFIELD, WI + + + + + JACK GREEN CO, ITALY, TEXAS (TRAILERS) + + + + + JACK'S TRAILER MFG. + + + + + JACLEN MFG. CO. + + + + + JACOBSEN MOBILE HOMES + + + + + JACK'S TRAILER MFG. OF FLORIDA + + + + + JAEGER MACHINE CO.COLUMBUS, OHIO + + + + + JAG MOBILE SOLUTIONS; INDIANA. )MOBILE RESTROOMS, SHOWERS & SPECIALITY TRAILERS) + + + + + JAGUAR + + + + + JAHN FLATBED TRAILER + + + + + JAILHOUSE CHOPPERS, INC.; RINCON, GEORGIA + + + + + JACKEL ATV'S & CYCLES MFG BY CHINA JIALING INDUSTRY CO., LTD _ + + + + + JALLDEE, INC.SPENCER, WISCONSIN + + + + + JA-MAR MANUFACTURING INCSIKESTON, MO + + + + + JAMBOREE MOTOR HOME TRUCK + + + + + JAMCO TRAILERS; BRUCEFIELD, ONTARIO, CANADA + + + + + JAMIE'S WELDING; OKLAHOMA + + + + + JAMMER CYCLE PRODUCTS, INC BURBANK, CA + + + + + JANTZ MFG., INC. + + + + + JANUS MOTORCYCLES, GOSHEN, INDIANA (PARENT COMPANY - PARAGON MOTORCYCLES, LLC + + + + + JARCO, INC.NEWPORT BEACH, CALIFORNIA + + + + + JASON MFG.INDUSTRIES - ELKHART, IN + + + + + JAS TRAILERS; TEMPLE, TEXAS TRAILERS + + + + + BABETTA (MFD. BY JAWA, IMPORTED BYAMERICAN JAWA, LTD., PLAINVIEW,NEW YORK) + + + + + JAYCO, INC. + + + + + JAY DEE INDUSTRIESCASSOPOLIS, MICHIGAN + + + + + JAY-KEE MFG., INC.STATE CENTER, IOWA + + + + + JAYS HY LIFT MANUFACTURING CO. + + + + + JAY WREN TRAILER + + + + + JB + + + + + J. BOND & SONS, LTD OR JBS. LTD; MISSION BRITISH COLUMBIA, _CANADA - AGRICULTURAL,FARMING, DAIRY EQUIPMENT; ADDED/ASSIGNED 8/6/14 + + + + + J B ENTERPRISESELKHART, IN + + + + + J.B.H CUSTOM TRAILER, INC.; ARCOLA, ILLINOIS _TRAILERS; ADDED/ASSIGNED 1/24/14 + + + + + JIANGSU BAODIAO LOCOMOTIVE CO., LTD.; CHINA + + + + + J & B MANUFACTURING; A;BUQUERQUE, NEW MEXICO + + + + + J & B TRAILER SALES CUBA, MISSOURI + + + + + JOCOBS & ASSOCIATES HELENWOOD, TENNESSEE + + + + + JCB EXCAVATORS, INC.WHITEMARSH, MARYLAND + + + + + JCB, INC; POOLER, GEORGIA CONSTRUCTION EQUIPMENT + + + + + JIMMY CATAWBA / JIMMY CATAWBA EBIKES;PORT CLINTON, OHIO + + + + + JON'S CUSTUM ENGINEERED CYCLES, LIBBY, MONTANA + + + + + JCH SOLUTIONS, INC LEHIGH ACRES, FL + + + + + JOHNSON CRUSHERS INTERNATIONAL,INC OR JCI,KPI-JCI + + + + + J & C MFG., INC, RUSH SPRINGS, OKLAHOMA - TRAILERS + + + + + JACK COUNTY TANY MANUFACTURING; JACKSBORO, TEXAS _TRAILERS + + + + + DEERE AND COMPANY MOLINE, ILLINOIS + + + + + JD HANDLING SYSTEMS OR D.J. STEELE & CONSTRUCTION + + + + + JDS INDUSTRY; BERKELY SPRINGS, WEST VIRGINIA - TRAILERS + + + + + JECK INDUSTRIES, SCHALLER, IOWA + + + + + JEC RO + + + + + JEEP (FOR MODEL YEARS 1989 THROUGH PRESENT) CORPORATE NAME CHANGE FROM CHRYSLER GROUP TO: FCA US, LLC - 2015 + + + + + JEHM P0WERSP0RTS + + + + + J & E MANUFACTURING; ELKHART, INDIANA + + + + + JEN SELL CORP.ELKHART, INDIANA + + + + + JENNINGS TRAILERS, INC; EM0RY, TEXAS + + + + + JENSEN + + + + + JEEP (FOR MODEL YEARS PRIOR TO 1970) + + + + + JERACO ENTERPRISES, INC.MILTON, PENNSYLVANIA + + + + + JEREH EQUIPMENT GROUP CO., LTD. OR YANTAI JEREH EQUIPMENT _GROUP CO., LTD; YANTAI CHINA _TRAILERS ADDED-ASSIGNED 4/28/14 + + + + + JERRYTIME CAMPER + + + + + JERSEY TRAILER + + + + + JERRY'S WELDING SERVICE (JWS)FREEPORT, ILLINOIS + + + + + JET COMPANY, INC OR JET CO; HUMBILDT, IOWA _TRAILERS + + + + + JET HEAT, INC.; LIVONIA, MI + + + + + JETMOBILE + + + + + JET STREAM CAMPING TRAILER + + + + + JEWEL TRAILER, INC. + + + + + J & F TRAILERS; WEST SALEM, OHIO + + + + + J.F.W. MFG., INC.WICHITA, KANSAS + + + + + JIANGXI CAMPELL CO. LTD. DIV OF HONGDU AVIATION IND GRP; CHINA, DIRT BIKES, MINI BIKES ATV'S & ACCESSORIES + + + + + JH GLOBAL SERVICES, INC. SOUTH CAROLINA (LSV'S) + + + + + JOHNS CORP. + + + + + JOHNNY PAG.COM, RIVERSIDE, CALIFORNIA MOTORCYCLES + + + + + JOHN PENNER TRAILER MFG.; ELMORE CITY, OKLAHOMA TRAILERS - ADDED/ASSIGNED 5/14/15 + + + + + JIANGHUAI AUTOMOTIVE CO., LTD OR ANHUI JIANGHUAI AUTOMOTIVE COLTD-CHINA (JAC GROUP COMPANY) + + + + + JIAHUE MOTORCYCLE MANUFACTURINGCO., LTD. OR _ZHEJIANG JIAJUE MOTORCYCLE MANUFACTURING CO., LTD; CHINA _WMI/LLP + + + + + JIALING INDUSTRIES CO., LTD., GROUP + + + + + JIANSHE MOTORCYCLES & MOTORSCOOTERS, CHINA; MOUNTAIN LION MODEL OF ATV + + + + + JI-EE INDUSTRY COMPANY ., LTD, CHINA & TAIWAN; ATV'S SCOOTERS AND ENGINE PARTS ALSO SOLD UNDER E-TON BRAND NAME + + + + + JINJIE MOTOR MANUFACTURE CO., LTD OR JIANGSU JINJIE MANUFACTURE CO., LTD; MOTORCYCLES; CHINA + + + + + JIAJIA JUNENG MOTORCYCLE OR ZHEJIANG JIANIA JUNENG MOTORCYCLE_TAIZHOU CITY ZHEJIANG CHINA_OR ZHEJINAG JIAJIA JUNENG MOTORCYCLE TECHNOLOGY CO., LTD. + + + + + JIM DANDY, INC.CHICKASHA, OKLAHOMA + + + + + JIM & DAVE'S TRAILER MFG. + + + + + JIM GLO TRAILERS WILCOX,AZ + + + + + JIM'S TRAILER SHOP PORTLAND, OREGON + + + + + JINDO CORPORATION; SEOUL,SOUTH KOREA + + + + + JINLING VEHICLE CO., LTD OR YONGKANG JINLING VEHICLE CO., LTD SCOOTERS, ATV'S POCKET BIKES ETC + + + + + JINSCENG MOTORCYCLES/MINIBIKES, CHINA + + + + + JIM'S TRAILER MANUFACTURING; TOPEKA, KANSAS TRAILERS + + + + + J & J FLATBED TRAILER + + + + + JJ OUTDOORS INDUSTRIES, LLC; ERIE, COLORADO + + + + + J.J.J., INC. + + + + + J-J-N ENTERPRISES; SISKETON,MO + + + + + JERRY JAMES TRAILERSSIKESTON, MO; UTILITY TRAILERS + + + + + J & J TRAILER MANUFACTURING 0R J.D.J. TRAILER MANUFACTURING, 0NTARI0, CANADA + + + + + J & L EQUIPMENT (TRAILER); TENNESSEE + + + + + J. L. G. INDUSTRIES + + + + + JLM INDUSTRIES, MISSOURI, MFG OF BASS TRAKKER BOAT TRAILERS + + + + + J & L TANK, INC.SAGINAW, TEXAS + + + + + JOMAC; CARROLTON, OHIO - TRUCK BODIES MAINLY USED FORD CHASSIS + + + + + JOMAR + + + + + JET + + + + + JIMGLO TRAILERS & PRODUCTSPHOENIX, AZ; CAR TRAILERS ANDUTILITY TRAILERS + + + + + JMH TRAILERS, INC (JOHN M HILL MACHINE CO., INC) TRAILERS & DUMP BODIES + + + + + JAMES + + + + + JMSTAR MOTORCYCLE CO., LTD (AKA) SHANGHAI JMSTAR MOTORCYCLE CO., LTD., CHINA + + + + + J & M TRAILER COMPANY; SIKESTON, MISOURI _TRAILERS + + + + + JUPITER + + + + + J.P UTILITY TRAILERS & WELDING; ST. JAMES, M0 + + + + + J-ROD TRAILER CO.RED OAK, TEXAS + + + + + JRC CUSTOM TRAILERS, INC., BRISTOL, TENNESSEE (TRAILERS) + + + + + JR CUSTOM TRAILERS, LLC; OCALA, FLORIDA _TRAILERS + + + + + JERR-DAN + + + + + JIREH, INC / JIREH QUALITY SERVICE; ELKHART, INDIANA - TRAILER + + + + + JAMES RUSSELL ENGINEERING WORKS, INC DORCHESTER, MASSACHUSETTS + + + + + JRL CYCLES, LLC; BLACK HAWK, SOUTH DAKOTA - MOTORCYCLES + + + + + J & R MANUFACTURING C0., LLC; TRINITY AL. + + + + + JRS CUSTOM FABRICATION, INC. ; FLORIDA & SOUTH CAROLINA TRAILERS + + + + + JRTL + + + + + JRW TRAILERS, INC (DBA- WALTON AND BYSON TRAILERS) LOGAN, UTAH + + + + + J.S. MOBILE HOMES + + + + + JSR CUSTOM LLC; GILBERT, ARIZONA + + + + + JOHNSTON SWEEPER CO., CHINO, CA; COMPANY CHANGED NAME TO ALLIANZ SWEEPER VMA/ALNZ + + + + + JTC SALES, INC; WISCONSIN TRAILERS + + + + + J.T. IND., LTD.LENOX, IOWA + + + + + JETMOTO MOTORS USA, MOTORCYCLES, SCOOTERS, ATV'S ETC. + + + + + JUDE TENT TRAILER + + + + + FIVE-STAR ST, LTD EDITION. OR C2(MFD. BY JUILI ENTP. CO., LTD.,IMPORTED BY GENERAL MOPED CO. INC) + + + + + JUMPING JACK INC.; SALT LAKE CITY, UTAH _TRAILERS + + + + + JUNIOR CAMPING TRAILER + + + + + JV MANUFACTURING CO.; LAHABRA, CALIFORNIA TRAILERS + + + + + J & W TRAILERS; LAMAR, MO + + + + + CHRISTIE, J. W. BILL, INC.COLLIN COUNTY, TEXAS + + + + + JOHNSON WELDING & STEEL SUPPLYPHILO, ILLINOIS + + + + + OCTANE TT; MFG BY JAYCO + + + + + ALANTE MODEL, MFG BY JAYCO, INC + + + + + ANTHEM; MFG BY JAYCO + + + + + AUTUMN RIDGE TT; MFG BY JAYCO + + + + + ASPIRE; MFG BY JAYCO + + + + + BAJA; MFG BY JAYCO + + + + + CORNERSTONE; MFG BY JAYCO + + + + + CENTENNIAL; MFG BY JAYCO INC + + + + + COMET; MFG BY JAYCO INC + + + + + DESIGNER BRAND; MFG BY JAYCO RV, INC (VMA/JYCO) + + + + + EAGLE FW & EAGLE TT; MFG BY JAYCO + + + + + EMBARK; MFG BY JAYCO + + + + + ENVOY; BRAND MFG BY JAYCO RV INC + + + + + JAY FEATHER TT; MFG BY JAYCO + + + + + JAY FLIGHT TT; MFG BY JAYCO + + + + + GREYHAWK; MFG BY JAYCO + + + + + HUMMINGBIRD, BRAND MFG BY JAYCO, INC + + + + + INSIGNIA; BRAND MFG BY JAYCO RV, INC + + + + + JAY; MFG BY JAYCO INC + + + + + MELBOURNE; MFG BY JAYCO + + + + + NORTH POINT BRAND, MFG BY JYCO RV, INC. VMA/JYCO TRAILER - ADDED/ASSIGNED 5/5/15 + + + + + PINNACLE FW; MFG BY JAYCO + + + + + PRECEPT MFG BY JAYCO INC. + + + + + REDHAWK; MFG BY JAYCO INC. + + + + + SOLSTICE MFG BY, JAYCO + + + + + STARCRAFT AR-ONE, MFG BY JYCO, INC + + + + + SEISMIC; MFG BY JAYCO INC + + + + + SATELLITE, MFG BY JAYCO RV, INC + + + + + SENECA; MFG BY JAYCO, INC + + + + + STARCRAFT LAUNCH MFG BY JAYCO, INC + + + + + STARFLYER; MFG BY JAYCO INC + + + + + TRAVEL STAR FW & TRAVEL STAR TT; MFG BY JAYCO, INC + + + + + WHITE HAWK TT; MFG BY JAYCO INC + + + + + JZ RIDERS CUSTOM MOTORCYCLES, FLORIDA + + + + + KOOLS BROTHERS, INC. + + + + + KOA; MFG BY PALM HARBOR HOMES + + + + + KOALA; MFG BY LAYTON HOMES CORP. (DIV OF SKYLINE) + + + + + KODIAK COACH & MFG. CO. + + + + + KODIAK, LTD; BRANDON, MISSISSIPPI TRAILERS + + + + + FRED KODLIN MOTORCYCLES / FRED KODLIN METALLBAUER; GERMANY MOTORCYCLES + + + + + MASTER DIV., KOEHRING CO. + + + + + KOEHN MFG., INC. + + + + + KMMKOFFEL MACHINE & METAL FABRICATING, INC. + + + + + KOGEN INDUSTRIES, INC TRAILER + + + + + KOHLER CO. + + + + + KOKOPELLI TRAILERS; PHOENIX, ARIZONA BOAT TRAILERS OLSON OWSLEY ENTERPRISES, LLC + + + + + KOLBERG MFG. CORP., SUBSIDIARY OFPORTEC, INC. + + + + + KOMATSU AMERICAN CORP. + + + + + K & O MANUFACTURING CO., INC.;HULL, IA + + + + + KOMETIC SEE MOTO KOMETIK + + + + + KOMFORT TRAVEL TRAILER + + + + + KOMPAK CAMPING TRAILER + + + + + KOMAR + + + + + KON KWEST MFG. + + + + + KONTIKI CAMPER TRAILER + + + + + KORY FARM EQUIPMENT DIV. + + + + + KOSCH CO. + + + + + KOSTER MFG., INC. + + + + + KING OF THE ROAD TRAILER CO.CONYERS, GEORGIA + + + + + KOUNTRYAIRE TRAVEL TRAILER + + + + + JOHN R. KOVAR MFG. CO., INC. + + + + + KOZY COACH CO. + + + + + FAHRZEUGWERKE GMBH KARLS KAESSBOHRER,GERMANY KAESER KOMPRESSOREN GMBH + + + + + KAIKAI MEIDUO LOCOMOTIVE CO., LTD OR ZHEJIANG KAIKAI MEIDUO LOCOMOTIVE CO., LTD (IMPORTED BY :U.S. TITAN IMPORTS, INC) MOTORCYCLES + + + + + KAIER MOTORCYCLE MANUFACTURING CO., LTD OR CHONGQING KAIER MOTORCYCLE MANUFACTURING CO., LTD, CHINA + + + + + KAISER + + + + + KAITONG MOTORCYCLE CO., LTD., TAIZHOU CITY_CHINA ALSO KNOWN AS TAIZHOU CITY KAITONG MOTORCYCLE CO.LTD. + + + + + KAIZO UNIBODIES, INC PERF MAJOR MODIFY TO NISSAN -GT-R SKYLINES. CONTAIN DISTINCT WMI & VIN MODIFICATION SIGNIFICANT ENOUGH FOR THEM TONOT BE CLASSIFIED AS NISSANS (KAIZO UNIBODIES,INC) + + + + + KAJ'N HOMES, INC. + + + + + KAMP KING UTOPIAN + + + + + KAL-CUSTOM BOAT TRAILER + + + + + KALLIO CO.FREMONT, NEBRASKA + + + + + KALMAR INDUSTRIES CORP.; OTTAWA, KANSAS _(PREV KNOWN AS CARGOTEC SOLUTIONS, LLC AKA KALMAR SOLUTIONS,LLC) FORMERLY OTTAWA TRUCK CORP; VMA/OTWA_AKA KALMAR SOLUTIONS, LLC + + + + + KALYN CO. + + + + + KAMA + + + + + KAMP-A-WHILE INDUSTRIES + + + + + KAMI + + + + + KAMPERS KABIN + + + + + KANE TRAILERS GREELEY, COLORADO + + + + + KANDI (KANGDI) VEHICLES CO. LTD OR ZHEJIANG KANGI (KANDI) VEHICLES CO., LTD CHINA + + + + + KAN HAUL TRAILER SALES + + + + + KANN MANUFACTURING CORP.; GUTTENBERG, IOWA TRAILERS; ADDED/ASSIGNED 2/12/14 + + + + + KANN0N M0T0RCYCLES; SJH MANUFACTURING, INC.; KETCHUM, 0K + + + + + KANZOL ENTERPRISES, INC. + + + + + KAR-GO METAL STAMPING CO.WILLOW GROVE, PENNSYLVANIA + + + + + KARAVAN TRAILERS, INC. + + + + + KARCHER NORTH AMERICA OR KNA, INC; CAMAS, WASHINGTON TRAILERS + + + + + KARD CO, RENSSELAER, INDIANA + + + + + KARI COOL TRAILER + + + + + KARMA AUTOMOTIVE,LLC (FORMERLY FISKER SUSP 2012) + + + + + KAR-RITE CORPORATION FRANKLIN PARK, ILLINOIS + + + + + KARSON INDUSTRIES, INC. + + + + + KARTOTE + + + + + KASEY + + + + + R.FILION MANUFACTURER, INC -DBA-KASI INFRARED, CLAREMONT, NH TRAILERS + + + + + KASEL MFG., CO - EBENSBURG, PENNSYLVANIA + + + + + KASSBORTH + + + + + KASTEN MFG. CO.ALLENTON, WISCONSIN + + + + + KATO ENGINEERING, SUBSIDIARY OFRELIANCE ELECTRIC + + + + + KATOLIGHT CORP. + + + + + KAUFMAN TRAILERS INC. + + + + + KAWASAKI (JAPAN) + + + + + KAYOT, INC. + + + + + KAYDEL, INC. + + + + + KAYOUT-FORESTER TRAVEL TRAILER + + + + + KAYO MOTOR MACHINERY CO., LTD OR JINYUN KAYO MOTOR MACHINERY CO.LTD.JINYUN CHINA + + + + + KAYWOOD HOMES, INC. + + + + + KAZUMA; STANNIC MANUFACTURING C0., LTD. CHINA M0T0RCYCLE; CHEETAH M0DEL & 0THERS + + + + + K-BAR INDUSTRIES, INC SAVAGE, MN + + + + + KBH C0RP0RATI0N; CLARKSDALE, MS + + + + + KBM-TRIKES; GERMANY + + + + + KING'S CUSTOM BUILT BUILDERS,INC; ELLAVILLE, GEORGIA + + + + + KILLER CH0PPER CYCLE FABRICATI0N, LLC; HENNIKER, NH + + + + + K C CUSTOM TRAILERS; NORTH CAROLINA + + + + + KC POWERSPORTS / CHONGQING GUANGYU MOTORCYCLE MANUFACTURE + + + + + K-DEE LAUNCHER OR K-DEE SUPPLY, INC; WISCONSIN BOAT TRAILERS OR SPOOL TRAILERS + + + + + K-D MFG. CO. + + + + + KEARNEY TRAILERS CO. GRNADSALINE, TX + + + + + KEEN PERCEPTION INDUSTRIES, INC; TAIWAN - MOTORCYCLES, MOTOR- SCOOTERS, ETC + + + + + KEEWAY AMERICA LLC; PART OF QIANJIANG GROUP, MOTORCYCLES, DIRTBIKES, ATV'S POCKET BIKES KARTS + + + + + KELLOGG-AMERICAN, INC. + + + + + KELLEY MANUFACTURINGBOGATA, TEXAS + + + + + C.C. KELLEY & SON + + + + + KELMARK / KELMARK ENGINEERING; MICHIGAN KIT & COMPLETE VEHS + + + + + KELSON ENGINEERING CO. + + + + + KEMP KUSTOMS; WICHITA, KANSAS MOTORCYCLES + + + + + KEMPF CAR HAULER + + + + + KEN TRAILER + + + + + KENSKILL TRAILER CORP. + + + + + KENT AIR TOOL CO. + + + + + KDEN-CRAFT PRODUCTS, INC. + + + + + KENDON INDUSTRIES, INC.; CALIFORNIA + + + + + KENT MFG. CO., INC. + + + + + KENRON CORP. + + + + + KENSINGTON MOTOR + + + + + KENTUCKY MFG. CO.LOUISVILLE, KENTUCKY + + + + + KENWAY CAMPERS, INC. + + + + + KENNY BOYCE MOTORCYCLES + + + + + KEMPTER TRAILER + + + + + J0HN KERR MANUFACTURING, C0. + + + + + KERSTEN TRAILER SALES & SERVICE; HENDERSON, COLORADO _TRAILER & TANK TRUCKS + + + + + KESLER MANUFACTURING, INC; LOYAL, WISCONSIN;TRAILERS + + + + + KEVCO INDUSTRIES, ALABAMA + + + + + KEYSTONE TRAILER & EQUIPMENT CO.KANSAS CITY, MISSOURI + + + + + KEY INDUSTRIES, INC. + + + + + KEYSTONE COACH MFG. CO. + + + + + KEYWAY FABRICATION & DESIGN; NEW YORK + + + + + KAROSSERIE FABRIK BIBERACH / OTTENBACHER GERMANY; TRUCKS, TRAILERS, CABINS, BODIES ETC + + + + + KINGS HIGHWAY + + + + + K & G MFG. CO.DECATUR, ILLINOIS + + + + + KIT HOME BUILDERS WEST, LLC; CALDWELL, IDAHO TRAILRS (PARK MODELS) AND MODULAR HOMES + + + + + KI0TI TRACT0RS; DIVISI0N 0F DAED0NG USA, INC. SUBSIDIARY 0F DAED0NG INDUSTRIAL C0, LTD + + + + + KIA MOTORS CORPORATION + + + + + KIBBI, INC.; ELKHART, INDIANA + + + + + KIDR0N; TRAILERS + + + + + KIEFER BUILT, INC.KANAWHA, IOWA + + + + + KIKKER; HARDKNOCK MODEL OF POCKET BIKE ETC + + + + + KICK'IN KAMPERS, INC; TUCSON, ARIZONA + + + + + KILGORE INDUSTRIESPOMONA, CALIFORNIA + + + + + KILL BROS.DELPHOS, OHIO + + + + + KIMBLE CHASSIS; NEW PHILADELPHIA, OHIO MIXER TRUCKS & TRAILERS_DRILLING EQUIPMENT_(HINES SPECIALTY VEHICLE GROUP) + + + + + KING MIDGET + + + + + KIMBERLEY KAMPERS PTY., LTD; NEW SOUTH WALES AUSTRALIA + + + + + KING FISH BOAT TRAILER + + + + + BUCKINGHAM MFG BY KING HOMES, INC., ELKHART,INDIANA + + + + + KING RICHARDS, INC. + + + + + KING TRAILER CO., INC. + + + + + KING-CO + + + + + CIXI KINGRING MOTORCYCLE CO., LTD. CIXIX REGION OF CHINA MOTORCYCLES, SCOOTERS,ATV'S ETC. + + + + + KINL0N AND 0R CH0NGQING KINL0N SCIENCE & TECHN0L0GY GR0UP, CHINA + + + + + KINGSTON HORSE TRAILER + + + + + KINZE; FARM & GARDEN EQUIPMENT + + + + + KIPCO + + + + + RENEGADE CLASSIC MFG BY: KIBBI, LLC (VMA/KIBB) _MOTORHOMES & TRAILERS + + + + + KIRKS TRAILER MANUFACTURING + + + + + KISMET MFG. CO. + + + + + KISSEL MOTOR CAR COMPANY OR KISSEL INDUSTRIES + + + + + KIT HOUSE TRAILER + + + + + KIT CAR CENTRE (PTY),LTD. SOUTH AFRICA (KIT VEH'S) + + + + + KITTY CAT (KIT KAT) + + + + + COMPANION MFG BY KIT MFG. CO. + + + + + VILLAGIO MFG BY: KIBBI, LLC (VMA/KIBB) _MOTORHOMES & TRAILERS + + + + + K-JACK MOTOR LLC; GARDENA, CALIFORNIA + + + + + KLASSEN HOMES, LTD. + + + + + KLASSIC TRAILER MFG. + + + + + KELLY-CRESWALL CO., INC.XENIA, OHIO + + + + + KLD ENERGY TECHNOLOGIES; AUSTIN, TEXAS MOTORCYCLES,SCOOTERS + + + + + KLEIN PRODUCTS, INC. + + + + + K LINE TRAILER + + + + + KLINGER PRODUCTS + + + + + KELLY ENTERPRISES, INC; EUGENE, OREGON - SEMI TRAILERS + + + + + KLIMEK WELDING AND MANUFACTURINGMAPLE LAKE, MN; MANUFACTURES TRAILERS. + + + + + KOLPIN ATV & UTV AND ACCESSORIES + + + + + K-MART CAMPER FOLDUP + + + + + KIMBLE MANUFACTURING, LLC / KIMBEL TRAILERS, LLC ELGIN, OREGON TRAILERS + + + + + KAWASAKI MOTORS CORP., U.S.A.SANTA ANA, CA + + + + + KMG INTERNATIONAL; TANGO TRADE NAME + + + + + K & M MFG. CO.RENVILLE, MINNESOTA + + + + + KMN MODERN FARM EQUIPMENT, INC. + + + + + KAMPLITE MFG. CORP. MONTANA (CAMPING TRAILERS) + + + + + KELLER MARINE SERVICES, INC.; PENNSYLVANIA + + + + + KAMASURA (U.S.A.) + + + + + KNOWLES MFG. CO. + + + + + KNOX HOMES CORP. + + + + + KNAPHEIDE TRUCK EQUIPMENT COMPANY SOUTHWEST; RED OAK, TEXAS TRAILERS + + + + + KEN-BAR; G0 CARTS, MINI BIKES, MINI SC00TERS; ETC + + + + + KEN CRAFT TRAILER + + + + + KENCO FABRICATING CO.,INC. SCOTTDALE,PA + + + + + CIXI KONCED MOTORCYCLE CO., LTD OR KONCED MOTORCYCLE CO, LTD CHINA + + + + + KENDALL TRAILER MFG., INC - MIAMI, FLORIDA _TRAILERS + + + + + KINCAID EQUIPMENT MANUFACTURING, HAVEN, KANSAS - TRAILERS + + + + + KING HORSE TRAILER + + + + + KING AMERICAN, LLC; DOUGLAS, GEORGIA (TRLR) + + + + + KOENIGSEGG AUTOMOTIVE; SWEDEN + + + + + KINGHAM + + + + + KNIGHT MANUFACTURING, LTD; SURREY, BRITISH COLUMBIA CANADA TRAILERS - ADDED/ASSIGNED 10/7/14 (NOT SAME AS-KNIGHT TRAILER SALES; LANGLEY BC CANADA_VMA/KNTS) + + + + + KING AIRE; MFG BY NEWMAR CORP + + + + + KINGSWAY TRAVEL TRAILER + + + + + KING TRAILERS, INC - MARYSVILLE, WASHINGTON; BOAT TRAILERS + + + + + THE KINGSLEY COACH ,INC PENNSYLVANIA (DIVISION OF CITAIR) + + + + + KNIGHT MFG. CORP. + + + + + KNIEVEL MOTORCYCLE MANUFACTURING, INC; GREENVILLE, PA _MOTORCYCLE + + + + + KNL H0LDINGS, LLC;PARAG0ULD, AR; PEERLESS SEMI-TRAILER + + + + + KOENIGSEGG AUTOMOTIVE + + + + + KANN MANUFACTURING CORP; GUTTENBERG, IOWA _TRAILERS + + + + + KENWORTH NORTHWEST, INC.SEATTLE, WASHINGTON + + + + + KINETIC ENGINEERING LIMITEDPUNE, INDIA; MOPEDS + + + + + KENT INDUSTRIES, INC.BRISTOL, INDIANA + + + + + KNIGHT TRAILER SALES, INC; LANGLEY BRITISH COLUMBIA CANADA TRAILERS; ADDED/ASIGNED 5/30/14 + + + + + KNUDSEN AUTOMOTIVE, INC; OMAHA, NEBRASKA + + + + + KINROAD XINTIAN MOTORCYCLE MANUFACTURER CO., LTD; CHINA + + + + + KNOX AUTOMOBILE COMPANY MASSACHUSETTS + + + + + KAY PARK-REC C0RP.; JANESVILLE, IA; SPPEDY BLEACHER M0DEL + + + + + KOPAVI TRIKE, INC.; MENA, ALASKA MOTORCYCLES + + + + + KRO-BUILT COMPANY; RENO, NEVADA - TRAILERS + + + + + KROHNERT INDUSTRIES, INC CANADA TANKER TRAILERS AND TRUCKS + + + + + KROMAG (SUBS. OF PUCH) + + + + + KROPF MFG. CO., INC. + + + + + KROSS KOUNTRY LITTLE CHUTE WISCONSIN + + + + + KROWN CAMPER + + + + + KRAGER KUSTOM KOACH, INC. + + + + + KRAFT / TECH INC - MOTORCYCLES + + + + + KRAUSE PLOW CORP., INC. + + + + + KREIDLER + + + + + KREMIN WELDING; WALNUT GROVE, MINNESOTA; CONCESSION, UTILITY, CAR & SKIDSTEER, CARGO TRAILERS (AKA- KREMIN) + + + + + KRAFTSMAN TRAILERS INC.; LEXINGTON NORTH CAROLINA - TRAILERS + + + + + KARGO TRAILERS IVYLAND PENNSYLVANIA + + + + + KARGO-MAX TRAILER ENCLOSURES LTD; ONTARIO, CANADA TRAILERS + + + + + KRIS KRAFT MOBILE HOMES + + + + + KIRKHAM MOTORSPORTS UTAH + + + + + KRISTI TRAILER INDUSTRIES, INC; CANAST0TA, NY + + + + + KRUGER TRAILERS, INC; GEORGETOWN, DELAWARE + + + + + KRUZ, INC; KN0X, INDIANA (DUMP TRAILER) + + + + + KRYSTAL KOACH (AKA) KRYSTAL ENTERPRISES, BUSES, LIMO'S, STRETCH SUV/LIMO, BREA CALIFORNIA + + + + + KASEA MOTORCYCLES + + + + + KARSTEN - MOBILE AND MODULAR TRAILERS + + + + + KTM MOTOR FAHRZEUGBAU (MOTORCYCLES) OR KTM NORTH AMERICA + + + + + KTMMEX MOTORCYCLE MANUFACTURER, TANK SCOOTERS + + + + + KLEESPIE TANK & PETROLEUM EQUIPMENT INC., MORRIS, MINNESOTA + + + + + KUBOTA TRACTOR CORP.COMPTON, CALIFORNIA + + + + + KUHN FARM MACHINERY, INC. + + + + + KUNTRY KUSTOM RV LLC, INDIANA (TRAILERS: MOBILE TOILET, CASHIER, AUCTION TOPPERS ETC) + + + + + KURMANN TRAILER MFG. CO. + + + + + KURTIS KRAFT + + + + + KUSTOM KRAFT + + + + + KUT-KWICK CORP.MFRS. INDUSTRIAL MOWERS; BRUNSWICK,GEORGIA + + + + + KUTZ FARM EQUIPMENT; PINE GROVE, PA + + + + + KOVATCH MOBILE EQUIPMENT CORP; NESQUEHONING, PENNSYLVANIA _TRUCKS + + + + + KENWORTH MOTOR TRUCK CO.DIV. OF PACCAR, INC. ALSO INCLUDESKENWORTH GLIDER. + + + + + DART, KW + + + + + KWIK-LOC CORP., TOLEDO, OHIO CONVERTER DOLLIE + + + + + KWIK EQUIPMENT SALES,INC LA PORTE, TX + + + + + KWICK KIT CEMENT MIXER + + + + + KWIK LOAD, INC; SHERMAN, TEXAS TRAILERS + + + + + K & K MOBILE HOMES + + + + + KENSINGTON WELDING & TRAILER CO.KENSINGTON, CONNECTICUT + + + + + OUTBACK; MFG BY KEYSTONE RV COMPANY + + + + + ALPINE; MFG BY KEYSTONE RV COMPANY + + + + + AVALANCHE,MFG BY KEYSTONE RV COMPANY + + + + + BIG SKY; MFG BY KEYSTONE RV COMPANY + + + + + BULLET; MFG BY KEYSTONE RV COMPANY + + + + + COUGAR; MFG BY KEYSTONE RV COMPANY + + + + + CARBON; MFG BY KEYSTONE RV COMPANY + + + + + COPPER CANYON; MFG BY KEYSTONE RV COMPANY + + + + + DENALI MODEL; MFG BY KEYSTONE RV COMPANY + + + + + ENERGY; MFG BY KEYSTONE RV COMPANY + + + + + FUZION; MFG BY KEYSTONE RV COMPANY + + + + + HORNET; MFG BY KEYSTONE RV COMPANY + + + + + HIDEOUT MODEL MFG BY - KEYSTONE RV COMPANY + + + + + IMPACT; MFG BY KEYSTONE RV COMPANY + + + + + LAREDO; MFG BY KEYSTONE RV COMPANY + + + + + MONTANA; MFG BY KEYSTONE RV COMPANY + + + + + KYMCO SCOOTERS & MOTORCYCLES_KWANG YANG MOTOR CO + + + + + MOUNTAINEER; MFG BY KEYSTONE RV COMPANY + + + + + PASSPORT; MFG BY KEYSTONE RV COMPANY + + + + + PREMIER; MFG BY KEYSTONE RV COMPANY + + + + + RAPTOR; MFG BY KEYSTONE RV COMPANY + + + + + RESIDENCE; MFG BY KEYSTONE RV COMPANY + + + + + RETREAT; MFG BY KEYSTONE RV COMPANY + + + + + KEYSTONE RV COMPANY, GOSHEN, IN.MERGED WITH DUTCHMEN MANUFACTURING, INC + + + + + SPRINGDALE; MFG BY KEYSTONE RV COMPANY + + + + + SPRINTER; MFG BY KEYSTONE RV COMPANY + + + + + VANTAGE; MFG BY KEYSTONE RV + + + + + CONNECT BRAND MFG BY KZRC, LP + + + + + KEIZER-MORRIS INTERNATIONAL, INC, NORTH BRANCH, MICHIGAN _ALSO DBA-KM INTERNATIONAL TRAILERS + + + + + PRESTIGE MODEL, MFG BY KZRV, LLP + + + + + K Z INC. OR K Z RECREATIONAL VEHICLES, INDIANA TRAILERS + + + + + SPREE AND SPREE ESCAPE BRANDS MFG BY KZRV, LP + + + + + SONIC MODEL, MFG BY KZRV, LP / KZ INC OR KZ RECREATIONAL VEHICLES TRAILERS + + + + + SPORTSMAN CLASSIC AND SPORSTER BRANDS MFG BY KZRV,LP + + + + + KS-SPORT TREK; MFG BY KZRV, LP + + + + + SIDEWINDER; BRANF MFG BY KZRV, LP + + + + + VENOM; MODEL MFG BY KZRV LP (VMA/KZRV) TRAILER + + + + + VISION, MFG BY K Z INC OR K Z RECREATIONAL VEHICLES + + + + + LOODCRAFT + + + + + LOOK TRAILERS (LGS INDUSTRIES, INC) BRISTOL, INDIANA + + + + + LOADCRAFT; BRADY, TEXAS BUSH HOG + + + + + LOAD RITE TRAILERSDIV. OF PENNSBURY MFG., INC. + + + + + LOAD KING TRAILER CO.DIV. OF CMI CORP. ELK POINT, SD + + + + + LOCOMOBILE + + + + + LOCKE ENTERPRISES OF NEW YORK, INC; LOCKE,NEW YORK + + + + + LODAL, INC.KINSFORD, MICHIGAN TRASH REFUSE COLLECTION VEHICLES + + + + + BUSHOG/LOADCRAFT DIV. ALLIED PRODUCTS BRADY TEXAS CORP + + + + + LOAD STAR CORP.MACON, GEORGIA + + + + + LODE KING; CANADA + + + + + LOAD-EAZ TRAILER INC.BENSALEM, PENNSYLVANIA + + + + + LOFTNESS MFG. CO. + + + + + LOGIC MOTOR CO.; MOTORCYCLES + + + + + LOGAN COACH, INC.LOGAN, UTAH + + + + + LOLA + + + + + LOMBARD + + + + + L0MAC BOAT TRAILER + + + + + LONAIRE MFG. CORP. + + + + + LONE STAR BOAT MFG. + + + + + LONE STAR CLASSICS, INC; COLLEYVILLE, TX, KITS & REPLICAS + + + + + LONDON MOTORS + + + + + CRESTLANE MFG BY LONERGAN CORP. + + + + + F. A. LONG + + + + + LONG MFG. N.C., INC., CONST. & IND. DIV.TARBORO, NORTH CAROLINA + + + + + LONGMARK MOBILE HOMES + + + + + LONGLIFE + + + + + LONNIE'S TRAILER SALES + + + + + LONGRUN + + + + + LONG TRAILER CO., INC.TARBORO, NORTH CAROLINA + + + + + LOPROFILE BOAT TRAILER + + + + + LORAIN DIV.DIV. OF KOEHRING CO. + + + + + LORAK, INC. + + + + + LOTUS + + + + + LOUDO ENTERPRISES TRAILERS + + + + + LOVEBUG TRAVEL TRAILER + + + + + J. E. LOVE CO. + + + + + LOW BOY TRAILER + + + + + LOWE INDUSTRIES LEBANAN, MISSOURI + + + + + LOW PRO CUSTOM TRAILER + + + + + LOX EQUIPMENT COMPANY LIVERMORE, CALIFORNIA + + + + + BRINDLELAOTTO METAL FOBRICATING CO., INC. + + + + + LADY BEA TRAILERS MALDEN MASSACHUSETTS + + + + + LOADMASTER ALUMINUM BOAT TRAILERS, INC., TAMPA, FLORIDA + + + + + LACONIA CUSTOM CYCLES, NASHUA, NEW HAMPSHIRE + + + + + L A CARGO TRAILERS, LLC; DOUGLAS, GEORGIA + + + + + LAWN CHIEF + + + + + LACROSSE TOWABLE - DIVISION OF FOREST RIVER, INC.(FRRV) TRAILERS + + + + + LACEY, W.E. & SONS + + + + + LADA (IMPORTED FROM USSR) + + + + + ECO CAMP;MFG BY LAYTON HOMES CORP + + + + + LET'S GO AERO, INC., COLORADO SPRINGS, COLORADO - TRAILER + + + + + AMERICAN LA FRANCEDIV. OF A-T-O, INC. + + + + + LAFAYETTE MOTOR HOME + + + + + LAGONDA + + + + + LAGUSA MOTOR COACH + + + + + LAKOTA CORPORATION, BRISTOL, INDIANA (TRAILERS & RECREARIONAL VEHICLES) + + + + + BESTRAIL MFG BY LAKESIDE INDUSTRIES + + + + + LAKELAND CAMPER & MFG.DRAYTON PLAINS, MICHIGAN + + + + + LAKE RAIDER, INC; CAMDENTON, MISSOURI + + + + + LAKESIDE; MFG BY KROPF INDUSTRIES, INC + + + + + LASALLE + + + + + LAMBORGHINI + + + + + LAMBRETTA + + + + + LAMAR TRAILERS; SUMMERVILLE, TEXAS + + + + + LANE FLATBED TRAILER + + + + + LANCER MOBILE HOMES + + + + + LANCHESTER + + + + + LANDCRAFT CORP. + + + + + LANE HORSE TRAILER + + + + + LANGLEY MFG. DIV., M.D. KNOWLTON CO. + + + + + LANDOLA HOMES, INC. + + + + + EASY RIDER MFG BY LANDOLL CORP. + + + + + LANDMASTER + + + + + LANES PACESETTER TRAILER + + + + + LANCER + + + + + LANDIS STEEL CO. + + + + + LANHEIM, INC. + + + + + LANDAU MOTOR HOMEANAHEIM, CLAIFORNIA + + + + + LARSON MACHINE, INC.PRINCEVILLE, ILLINOIS + + + + + LARADO MOBILE HOMES + + + + + LARGES CATTLE SERVICE OR LARGES AI; NEBRASKA PORTABLE BREEDING TRAILERS - ADDED/ASSIGNED 9/9/14 + + + + + LAWRIMORE MANUFACTURING, INC ( ALABAMA ) TRAILERS + + + + + LARK TRAILER + + + + + W. F. LARSON, INC. + + + + + LARSEN LAPLINE TRAILER + + + + + FIRMA LENKO SEE LARVIN + + + + + LASALLEDIV. GLOBEMASTER M.H. + + + + + LASER + + + + + LAKE & SHORE CAMPER + + + + + LASALLE HOMES DIV OF TIDWELL INDUSTRIES, INC.,RIPLEY, MISSISSIPPI + + + + + LAO TRAILER MANUFACTURING; TOLEDO, OHIO _TRAILERS + + + + + LAVERDA + + + + + L. A. WOODS CO., INC.LAWRENCEVILLE, ILLINOIS + + + + + WALKABOUT; MFG BY LAYTON HOMES CORP + + + + + LAWNDALE HOMES, INC. + + + + + LAWRENCE TRAILER + + + + + LAYTON MFG. CO., INC.SALEM, OREGON + + + + + LAYTON HOMES CORP.(ASSESTS PURCHASED BY EVERGREEN RECREATIONAL VEHICLES LLC MR 1024828 + + + + + LAZER + + + + + LAZY J HORSE TRAILER + + + + + LOAD BOSS,INC/CHARLES H BURKETTS AUTORAMA INC; MANNS CHOICE,PENNSYLVANIA + + + + + LAWN BOY MFG. BY OUTBOARD MARINE CORP. + + + + + LEBEAU ENTERPRISES; LEXINGTON, NC + + + + + LANG BAR-B-Q GRILLS. INC; NAHUNTA, GEORGIA _TRAILER MOUNTED BAR B Q GRILLS/SMOKERS + + + + + L & B CONCEPTS (DBA-SCOOTERBILT MANUFACTURING) ROGERSVILLE, MOTRAILERS + + + + + L & B CUSTOM TRAILERS; MISSOURI + + + + + LARRABEE MARINE; SARASOTA, FLORIDA TRAILERS + + + + + LIEBHERR COMPANIES; CRANES & CONSTRUCTION EQUIPMENT + + + + + LIBERO; MFG BY TRIPLE E RECREATIONAL VEHICLES CANADA, LTD + + + + + LEBARON AMBULANCES (ORIG DIVISION OF BRIGGS MFG CO) MAKES OF VEHICLE CHASSIS + + + + + LIBERTY SEAMLESS ENTERPRISES OR LIBERTY ELECTRIC BIKES KNOXVILLE, PA (ELECTRIC SCOOTERS & BIKES) + + + + + LBTDIV. FRUEHAUF CORP. + + + + + LIBERATOR MOTORCYCLES,INC.; WHEAT RIDGE, COLORADO MOTORCYCLES; ADDED/ASSIGNED 12/16/14 + + + + + LIBERTY, INC. MAKER OF TRAV-A LONG TRAILER, LITTLE RIVER,SC + + + + + LUCON, INC ; GRIFFIN, GEORGIA (TRAILERS) + + + + + LC3 (FORMERLY LAFAYETTE COUNTY CAR COMPANY)-ACQUIRED BY EVI ELECTRIC VEHICLES, INC. FT. WAYNE, IN. + + + + + L0NG CHANG; USA ATV'S + + + + + LONCIN GROUP IMPORT & EXPORT CO., LTD.; CHINA + + + + + L-CART, INC. + + + + + LAN CHESTER (LANCHESTER) TRAILER SUPPLY, LLC; ATGLEN, PENNSYLVANIA + + + + + L & D TRAILERS INCORPORATED; SIKESTON,MO + + + + + LAZY DAZE MOTOR HOME MFG IN POMONA, CALIFORNIA + + + + + LDC INDUSTRIES, INC TRAILER MOUNTED LIFT BOOMS + + + + + LONG DOG ENTERPRISE, INC.; GRANTS PASS, OREGON (TRAILER) + + + + + LEADER INDUSTRIAL TIRES; KNOXVILLE, TENNESSEE MOBILE INDUSTRIAL TIRE PRESS + + + + + LDJ MANUFACTURING (THUNDER CREEK EQUIPMENT) PELLA, IOWA FUEL SERVICE TRAILERS + + + + + LOAD LINE TRAILER MANUFACTURING; MANITOBA, CANADA + + + + + LOADMASTER INC; INDIANA + + + + + L0AD MAX TRAILERS, LTD.; SUMNER, TX + + + + + L0ADMASTER TRAILER C0MPANY, LTD.' P0RT CLINT0N 0HI0; D0 N0T C0NFUSE WITH L0ADMASTER ELKHART INDIANA + + + + + LOAD TRAIL, INC.; SUMNER, TX + + + + + LADUN MOTORCYCLE CO.,LTD / SHANDONG LANDUN MOTORCYCLE CO.,LTD + + + + + LDV, INC (LYNCH DIVERSIFIED VEHICLES CORPORATE, MOBILE TOOL & EMERGENCY RESPONSE VEHICLES BURLINGTON, WISCONSIN + + + + + LEON MANUFACTURING CO., LTD.,(CANADA) + + + + + LEADER HORSE TRAILER + + + + + LEA-FRANCIS + + + + + LEAR SIEGLER, INC., HUTCHINSON DIV. + + + + + LEBER COACH MANUFACTURING, FLORIDA (JOHN WAYNE TURNER) + + + + + LECHMERE CONSTRUCTION + + + + + LECTRACAN + + + + + LEDWELL & SON ENTERPRISES, INC.TEXARKANA, TEXAS + + + + + LEE + + + + + LEE BOY CONSTRUCTION EQUIPMENT; ASPHALT & CONCRETE + + + + + LEE COACHES + + + + + L & E ENTERPRISES + + + + + LEER, INC.ELKHART, INDIANA + + + + + LEESBURG DIV.DIV. OF DIVCO-WAYNE INDUSTRIES + + + + + LEGACY HOUSING, LTD; FORT WORTH, TEXAS TRAILERS MOBILE HOMES + + + + + LEHMAN TRIKES USA, INC; NEVADA; SEPERATE VIN SUPPLIED BY POLARIS INDUSTRIES ** FINAL STAGE MANUFACTURER FOR SOME POLARIS VEHICLES ** _WMI/1L9 - LEHMAN & WMI/5VP - POLARIS (FLORIDA CONSIDERS LEHMAN A 2ND STAGE MFG &MAJOR ALTERER + + + + + LEISURE CRAFT + + + + + LEISURETIME MOTOR HOME + + + + + LEISURE HOME TRAILER MANUFACTURER - LEISURE TIME + + + + + LEISURE PRODUCTS, INC. + + + + + LEKTRACYCLE + + + + + LELAND ENGINEERING, INC. + + + + + THE LELY CORP. + + + + + LEM + + + + + LEMCO TOOL CORP.COGAN STATION, PENNSYLVANIA + + + + + LEN DAR CAMPERS (LENDAR) ALSO DOING BUSINESS AS (DBA) PATTEN CUSTOM RV'S; MINNESOTA + + + + + LEE ENTERPRISES MANUFACTURING C0., INC. ELKHART, INDIANA + + + + + LE ROI DIV.DRESSER IND., INC., SIDNEY, OHIO + + + + + LES AUTOBUS M.C.I; QUEBEC CANADA + + + + + LESC0 FARM & GARDEN EQUIPMENT/TURFCARE PR0DUCTS; M0WERS,SPREADERS & ATTACHMENTS + + + + + LEES LEISURE IND., LTD OR LEES-URE LITE PRODUCTS, LTD _BRITISH COLUMBIA, CANADA - LIGHT WEIGHT TENT TRAILERS + + + + + LEISURE MANOR, INC. + + + + + LETOURNEAU, R. G. + + + + + LEVCO MANUFACTURERS, INC. + + + + + LEVIS MOTORCYCLES; GREAT BRITAIN + + + + + LEWAUB TRAILER MFG. + + + + + LEWIS-SHEPARD + + + + + LEXUS + + + + + LEYLAND TRACTORS BRITISH LEYLAND DIST. BY UNIVERSAL TRACTOR EQUIPMENT CORP, RICHMOND VIRGINIA + + + + + LIFETIME CUSTOM COACH + + + + + LIFESTYLE RV / LIFESTYLE LUXURY RV; MIDDLEBURY, INDIANA RV'S MPV'S + + + + + LIFT-A-LOAD; ILLINOIS TRAILERS + + + + + LAFAYETTELOWBOY TRAILERS + + + + + LIFTING EQUIPMENT SOLUTIONS (LES) GARNER NORTH CAROLINA TRAILER MOUNTED CRANE + + + + + LEFTY BROTHERS CYCLES, LLC ; FAYETTEVILLE, NORTH CAROLINA MOTORCYCLES + + + + + LAFORZA UTILITY VEHICLE; HAYWARD,CALIFORNIA + + + + + L & G TRAILER + + + + + LET'S GO AERO; COLORADO SPRINGS, COLORADO TRAILERS + + + + + LONGBO (PARENT COMPANY-CHUANL MOTORCYCLE MFG., LTD TAIZHOU CHINA) MOTORCYCLES, SCOOTERS AND ATV'S + + + + + LONG CHIH INDUSTRIAL CO., LTDTAIPAI, TAIWAN + + + + + LEGACY RV LLC + + + + + LIGHTNING TRAILERS (DIV. OF FOREST RIVER VMA/FRRV) + + + + + LEGENDARY LUXURY COACH LLC, COBURG, OREGON; BUILT ON PREVOST CHASSIS + + + + + LOGAN MACHINE COMPANY TRAILERS WELDING & FABRICATION + + + + + LEGEND TRAILERS, INC + + + + + LEGEND MANUFACTURING, INC, ST JOHNS, MICHIGAN + + + + + LAGASSE RIDES; HAVERHILL, MASSACHUSETTS TRAILER BASED AMUSEMENT RIDES + + + + + LIGHTLINE PRODUCTS INC; SYRACUSE, INDIANA _TRAILERS + + + + + LEGEND TRAILERS OF TEXAS, INC; EUSTACE, TEXAS + + + + + LONGHORN TANK & TRAILER, INC; GRAVETTE, ARKANSAS + + + + + LION BUSES; MFG ON SPARTAN MOTORS CHASSIS (VMA.SPTN) _QUEBEC, CANADA, BUSES + + + + + LIONAL ENTERPRISES, INC. + + + + + LIFTALL FORKLIFT MFG BY LION MFG. CO., INC. + + + + + LIBERTY COACH CO. + + + + + LIBBY CORPORATION - TRAILER MOUNTED GENERATORS + + + + + LIBERTY TRAILER COMPANY; MICHIGAN + + + + + LIBERTY TRAVEL TRAILERS + + + + + LIBERTY HOMES, INC.GOSHEN, INDIANA + + + + + LIBERATOR BOATS; CROWLEY, TEXAS BPAT TRAILERS + + + + + LIBERTY INDUSTRIES; CLAYTON, INDIANA + + + + + LINCO TRAILER HOME + + + + + LICHTY'S BLACKSMITHING, INC.SILVERTON, OREGON + + + + + LIEBER INDUSTRIES, INC. + + + + + LIFETIME PRODUCTS GROUP, INC; TAMPA, FLORIDA + + + + + LIFE LINE EMERGENCY VEHICLES, INC; SUMNER, IA AMBULANES AND EMERGENCY VEHICLES (SECOND STAGE MANUFACTURER) _ADDE/ASSIGNED 1/26/15 + + + + + LIFTMASTER, INC. + + + + + LIFAN INDUSTRY GROUP CO.,LTD OR AMERICAN LIFAN PART OF CHNONQING LIFAN INDUSTRY; CHINA + + + + + LIFETIME PRODUCTS INC., UTAH (TRAILERS) PREVIOUSLY ALSO MADE ADJUSTABLE BASKETBALL SYSTEMS + + + + + LITTLE GIANT CRANE & SHOVEL, INC.DES MOINES, IOWA + + + + + LIGHT EQUIPMENT DIV.DIV. OF J. I. CASE CO. + + + + + LIGHTNING ROD MOTORCYCLES, INC; FLORIDA + + + + + LITTLE GIANT PRODUCTS, INC.PEORIA, ILLINOIS + + + + + LIGHTER-BILT TRAILERS, INC.DURHAM, CALIFORNIA + + + + + LIKENS TRANSFER & DUMP TRUCK OR EMPIRE LIKENS, MFG _INDIO, CALIFORNIS + + + + + LILAC + + + + + LIL' BUBBA (CURBING MACHINES & EDGING EQUIPMENT) + + + + + LIL' CAT, INC.ELKHART, INDIANA + + + + + LILLISTON CORP.ALBANY, GEORGIA + + + + + LIL INDIAN + + + + + LIL SNOOZY, LLC; ST MATTHEWS, SOUTH CAROLINA _TRAILER; ADDED/ASSIGNED 6/27/14 + + + + + LIL-TAG-ALONG TRAILERS, RICHALND, WASHINGTON + + + + + LIL'Z MANUFACTURED BY ZIEMAN PRODUCTS + + + + + LIMO TRIKES AUSTRAILIA; AUSTRAILIA _MOTOR TRICYCLE + + + + + LIME CITY EQUIPMENT, INC (TRAILERS) HUNTINGTON, INDIANA + + + + + LINCOLN-CONTINENTAL + + + + + LINDE + + + + + LINCRAFT INDUSTRIES + + + + + LINHAI MOPEDS, POWERMAX; CHINA + + + + + LINK BELT (CONSTRUCTION EQUIPMENT) DIVISION OF FMC CORP + + + + + APACHEMFD. BY LINDIG MFG. CORP. + + + + + LINCOLN PARK MOBILE HOMES, INC.SHIPSHEWANA, INDIANA + + + + + LINTZCRAFT TRAVEL TRAILER + + + + + LINVILLE HORSE TRAILER + + + + + LINWOOD MFG., INC. + + + + + LIPPERT COMPONENTS MFG., INC.; MILFORD, INDIANA + + + + + LITTLE PROSPECTOR MOTOR HOME + + + + + LIQUID & BULK TANK DIV.DIV. OF FRUEHAUF CORP.--OMAHA, NEBRASKA + + + + + LISLET FOUNDRIES, LTD. + + + + + LITTLE CHUM MFG. CO. + + + + + LITTLE DUDE TRAILER CO.AFFILIATED WITH TEXAS DUDE, INC.(FORMERLY TEXAS ROYAL MFG. CO.)FORT WORTH, TEXAS + + + + + LITTLE FOX CAMPERS, MUSKEGON, MI + + + + + LITTLE GUY RV / LITTLE GUY WORLDWIDE; MASSILLON, OHIO _TEARDROP TRAILERS; MULTIPLE BRANDS/MODLES - ADDED/ASSIGNED 10/31/14 + + + + + LIFT TRUCK, INC. + + + + + LITTLE PRINCE TRAVEL TRAILERMFRS. BOAT TRAILERS + + + + + LITTLE SPORT ENTERPRISES + + + + + LITTLEFORD BROTHERS, INC.MFRS. ROLLERS + + + + + LIGHT WORKS (SHEPHERD'S TABLE); POST FALLS, IDAHO _MOBILE HOMES/TRAILERS + + + + + LJW ENTERPRISES (LJW TRAILERS); LEVASY, MISSOURI TRAILERS + + + + + LEKTRIKE; ESCONDIDO, CALIFORNIA _ELECTRIC CYCLES + + + + + LAKEWOOD + + + + + LLOYD'S TRAILER FINISHING + + + + + LLOYD + + + + + L & L FABRICATION & STEEL COMPANY; PERHAM, MINNESOTA TRAILERS + + + + + LEES LEISURE INDUSTRIES LIMITED, CANADA MOTORCYCLES + + + + + LECTRIC LIMO (LOW SPEED VEH'S) TAMPA, FL + + + + + L & L TRAILERS + + + + + THE LITTLE MOTOR CAR CO FLINT MICHIGAN + + + + + LMC + + + + + LML CORP. + + + + + LML LIMITED; CHICAGO, IL 2 WHEELER VEHICLES _ + + + + + L & M TRAILER MFG. + + + + + LANDMARK; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + LINCOLN ELECTRIC CO.CLEVELAND, OHIO + + + + + LANCE TRUCK CAMPERS AND TRAVEL TRAILERS; CALIFORNIA 2012(BEGAN MAKING TRAVEL TRAILERS) OR LANCE CAMPER MFG. CORP + + + + + LANCIA + + + + + LANCE POWERSPORTS (AKA-ZNEN POWERSPORTS) MFG BY TAIZHOU ZHONGNENG MOTORCYCLE CO., LTD CHINA + + + + + LANCASTER MFG., INC.; BRISTOL, INDIANA - TRAVEL TRAILERS & FIFTH WHEELS + + + + + LANDA CLEANING SYSTEMS (PRESSURE WASHING SYSTEMS & TRAILER MOUNTED PRESSURE WASHING SYSTEMS) 1998 PURCHASED BY HARBOR GRP & BECAME BRAND FOR C-TECH IND; 5 YEARS LATER SOLD TO KARCHER ORIF CALLED LINTON AND ASSOCIATES THEN L AND A + + + + + LANDINI SPA; ITALY;AGRICULTURAL EQUIPMENT; TRACTORS ETC + + + + + L0ND0N TAXIS 0F N0RTH AMERICA; SUDBURY, MA + + + + + LAND ROVER + + + + + LA NEW INDUSTRIES, INC; MINNESOTA (1985).CHANGED NAME TO: NEWMANS MANUFACTURING INC IN 1987-1988 PER JOE NEWMAN + + + + + LOAD N GO TRAILER MFG.; OMAHA, ARKANSAS + + + + + LANDGREBE MANUFACTURING, INC; VALPARISO INDIANA _TRAILERS & TOW DOLLIES + + + + + L0NGH0RN TRAILERS / MCKINLEY ENTERPRISES DBA (D0ING BUSINESS AS) L0MGH0RN TRAILERS; BAY MINETTE, AL + + + + + LINGTIAN MOTORCYCLE CO., LTD. OR ZHEJIANG LINGTIAN MOTORCYCLE CO., LTD; YONGKANG ZHEJIANG CHINA - MOTORCYCLES/SCOOTERS + + + + + LONGTING POWER EQUIPMENT CO., LTD; ATV'S, DIRT BIKES ETC; CHINA + + + + + LINGYU VEHICLE INDUSTRY CO., LTD OR ZHEJIANG LINGYU VEHICLE INDUSTRY CO., LTD.; ZHEJIANG PROVINCE, CHINA + + + + + LIANGZI POWER CO., LTD OR SHANGDONG LIANGZI POWER CO., LTD CHINA; ATV'S + + + + + LINKLETTER'S WELDING, LTD. CANADA TRAILERS + + + + + LINAMAR CONSUMER PRODUCTS USA, INC.; MONTROSS, VIRGINIA _TRAILERS + + + + + LAND PRIDE FARM & GARDENING EQUIPMENT; M0WERS, ETC. + + + + + LAND PRIDE DIVISI0N 0F GREAT PLAINS MANUFACTURING; MAKERS 0F FARM, GARDEN & C0NSTRUCTI0N EQUIPMENT; SALINA KANSAS + + + + + LEINARD ALUMINUM BUILDINGS, UTILITY TRAILERS; MT. AIRY, NC + + + + + LONE STAR MANUFACTURING; VALLEY VIEW TEXAS + + + + + LONE WOLFE + + + + + LARSON CABLE TRAILERS, INC; HURON, SOUTH DAKOTA _TRAILERS + + + + + LRG TECHNOLOGIES, INC.; WEST SAINT PAUL, MINNESOTA + + + + + LARK UNITED MANUFACTURING OF TEXAS, LLC; MC GREGOR, TEXAS TRAILERS; ADDED/ASSIGNED 2/5/14 + + + + + L0RANGER ENTERPRISES, INC.; SAN ANT0NI0, TX + + + + + LARSON INTERNATIONAL, INC PLAINVIEW, TEXAS + + + + + LONE STAR CUSTOM TRIKES; AMARILLO, TEXAS THREE-WHEELED TRIKES + + + + + LORI ENGINEERING CORP. + + + + + L & S LINE MFG.; BRISTOL, TENNESSEE + + + + + L AND S TRAILERS & SUPPLY LLC; HAWTHORNE, FLORIDA + + + + + LEISURE TRAVEL VANS, LTD.; MORDEN, MB CANADA + + + + + LATCO INC; LINCOLN, ARKANSAS - TRAILERS + + + + + LEITCHFIELD TRUCK EQUIPMENT, INC,; LEITCHFIELD, KY + + + + + LOAD TECHNOLOGY INC (LOADTEC) MESQUITE, NEVADA - TRAILERS + + + + + LIMITED EDITION, 12', 12' J-LOUNGE, 14', 14'SLIDER & LARGER EDITIONS; MFG BY SUNDOWNER TRAILERS, INC. + + + + + LANE TRAILER MANUFACTURING COMPANY BOONE, IOWA + + + + + LTV AEROSPACE; DALLAS/TYLER, TEXAS; ATV _COMPANY KNOWN AS MANY DIFFERNET NAMES; LEWIS & VOUGHT CORP, CHANCE VOUGHT, VOUGHT SIKORSLY,VOUGHT AIRCRAFT CO, NOW KNOWN AS VOUGHT AIRCRAFT INDUSTRIES _AIRCRAFT & MILITARY VEH'S + + + + + LUBBOCK + + + + + LUBE MOTORCYCLES; SPAIN MOTORCYCLES + + + + + LUCAS TRAILERS / LUCAS AUTO PARK ORANGE PARK; ORANGE PARK, FL _TRAILERS; ADDED/ASSIGNED 7/30/14 + + + + + JAMES L LUCKY ENTERPRISES; MISSION HILLS, CALIFORNIA _TRAILERS + + + + + LUCRA CARS (LC470) + + + + + LUDWIGSEN MOTORCYCLES HOPE MILLS NC + + + + + LUEDTKE MFG., INC.ALLENTON, WISCONSIN + + + + + LUFKIN TRAILERSDIV. OF LUFKIN INDUSTRIES--LUFKIN, TEXAS + + + + + LUGER INDUSTRIES + + + + + LUCKY + + + + + LULL ENGINEERING CO.SUBSIDIARY N. MARSHAL SEEBURG & SONS,INC. + + + + + LUNDELL MFG. CO., INC. + + + + + LUNDGREEN FLATBED + + + + + LUV-IT MFG. + + + + + LUXOR-LEFFINGWELL COACH + + + + + LUXURY HOMES, INC. + + + + + LUYUAN INDUSTRIAL & TRADING CO., LTD OR YONGKANG LUYUAN INDUSTRIAL & TRADING CO., LTD. YONGKANG CITY ZHEIJIANG CHINA MOTORSCOOTERS, CYCLES ATV'S ETC. + + + + + A.C.E MODEL MFG BY LIVIN' LITE, INC + + + + + AXXESS MODEL; MFG BY LIVIN' LITE, INC + + + + + BEARCAT MODEL; MFG BY LIVIN' LITE, INC + + + + + CAMPLITE; MFG BY LIVIN' LITE CORP + + + + + CHALLENGER MODEL; MFG BY LIVIN' LITE, INC _TRAILERS ADDED/ASSIGNED 2/3/14 + + + + + FORD BRAND, MFG BY LIVIN' LITE INC./THOR LIVIN' LITE, INC + + + + + FREEDON ELITE MODEL, MFG BY LIVIN' LITE, INC TRAILERS ADDED/ASSIGNED 2/3/14 + + + + + LIVIN' LITE CORP OR LIVIN' LITE RV, INC + + + + + JEEP MODEL; MFG BY LIVIN' LITE, INC + + + + + POLARIS MODEL, MFG BY LIVIN' LITE, INC + + + + + QUICKSILVER; MFG BY LIVIN' LITE CORP + + + + + SIESTA MODEL, BRAND MFG BY LIVIN' LITE, INC + + + + + LVTONG GOLF & SIGHTSEEING CAR CO OR DONGUAN LVTONG GOLF & SIGHTSEEING CAR CO; CHINA ELECTRIC VEHICLES + + + + + VEGAS MODEL BRAND MFG BY LIVIN' LITE, INC + + + + + VRV; MFG BY LIVIN' LITE CORP + + + + + WINDSPORT CLASS A MODEL MFG BY LIVIN' LITE, INC TRAILER; ADDED/ASSIGNED 2/3/14 + + + + + LONE WOLF TRAILER CO. INC.; FALKVILLE, AL + + + + + LAW MAR TRAILERS + + + + + ALUMA SKY MODEL MFG BY LAYTON HOMES CORP + + + + + DART; MFG BY LAYTON HOMES CORP. (VMA/LAYT) + + + + + JAVELIN; MFG BY LAYTON HOMES CORP. (VMA/LAYT) + + + + + LEXION FW & LEXION TT; MFG BY JAYCO + + + + + LYMAN METAL PRODUCTS CORP. + + + + + LYNCOACH & TRUCK CO. + + + + + FLOTRAIL MFG BY LYNCH MANUFACTURING + + + + + LYNNTON MFG. CO. + + + + + LYNN-TOW TRUCK + + + + + LYNWOOD DUMP TRAILERS + + + + + TRIDENT; MFG BY LAYTON HOMES CORP. (VMA/LAYT) _TRAILER + + + + + MOODY MFG. CO. + + + + + MOONSHINE TRAILERS; KENTUCKY + + + + + MOORE EQUIPMENT CO. + + + + + MONTE ALUMINUM TRAILER DUMP + + + + + MOBILE MFG. CORP. + + + + + MOBILAIRE MOBILE HOMES + + + + + MOBILE CHAPEL TRAILER + + + + + MOTO BETA + + + + + MOBILE FREEZE + + + + + MOBILE ENGINEERING CO. + + + + + MOBILE FACILITY ENGINEERING CO. + + + + + MOTOBIC + + + + + MOBILE GARAGE MFG. CO. + + + + + MOBILE HOLDING CORP. + + + + + MOBILE HOME CO. + + + + + MOBILE HOME SERVICE + + + + + MOBILE OF MARYSVILLE + + + + + MOBILE OFFICE, INC. + + + + + MOBILE PRODUCTS, INC. + + + + + MOBILE SCOUT MFG. CORP.ARLINGTON, TEXAS + + + + + CINDERELLA MOBILE HOMES MFG BY MOBILE STRUCTURES, INC. + + + + + MOBILE TOPS, INC. + + + + + MOBILE UNIT MFG., INC. + + + + + MOBILEMANOR, INC. + + + + + MOBY 1 EXPEDITION TRAILERS LLC; SPRONGVILLE, UTAH TRAILERS + + + + + MONTE CARLO MOBILE HOMES + + + + + MOBLEY METAL WORKS + + + + + MOTOCICLETAS CARABELA SA + + + + + M0D CYCLES C0RP; MIAMI FL.; ITALJET M0T0 + + + + + MODEL A AND MODEL T MOTOR CARREPRODUCTION CORP. + + + + + MODERN MOBILE HOMES + + + + + MODERNISTIC INDUSTRIES + + + + + LAMPLIGHTER MFG BY MODULINE INTERNATIONAL, INC. + + + + + MODERN + + + + + MODERN, INC. TEXAS + + + + + MODULE, INC. + + + + + MOEN CUSTOM TRAILERS / MCT TRAILERS; VENTURA, CA + + + + + MOTO FINO USA; SCOOTERS, MOTORCYCLES, ATV'S ETC + + + + + MOFFETT ENGINEERING, LTD; FORKLIFTS ETC + + + + + MORGAN EQUIPMENT CO. + + + + + MOTO GUZZI (ITALY) + + + + + MOBILE HOME INDUSTRIES, INC.TALLAHASSEE, FLORIDA + + + + + MOHAWK, INC. + + + + + MOJAVE + + + + + MOLLOY MOBILE CRAFTS + + + + + MOLT, LLC - MIAMI, FLORIDA TRAILER MOUNTED SOLAR LIGHT TOWERS + + + + + MOBILITY, INC.MINNEAPOLIS, MINNESOTA + + + + + MOTO MORINI + + + + + MONO + + + + + MONARCH + + + + + MONARCH BOAT CO.CAMPER DIVISION + + + + + DAYTONA MOBILE HOMES MFD. BY MONARCH INDUSTRIES + + + + + MONDIAL + + + + + LAC ST-JEAN MOTONEIGE, LTD.SEE MONTAGNAIS + + + + + MONARCH MOBILE HOMES + + + + + MONITOR COACH CO. + + + + + MONON TRAILER DIV.DIV. OF EVANS PRODUCTS CO.--MONON,INDIANA + + + + + MONROE TRACTOR + + + + + MONSON & SONS TRAILER + + + + + MONTE + + + + + MONTGOMERY MFG. CO. + + + + + MONTICLAIRE MOBILE HOMES + + + + + MONTONE MFG. CO.HAZELTON, PENNSYLVANIA + + + + + MOPED WORLD; TAYLORS, SOUTH CAROLINA _MOTORCYCLES + + + + + MORBARK, INC (TRAILERS,GRINDERS HAND FED/WHOLE TREE CHIPPERS) + + + + + GRASSHOPPER MFG BY MORIDGE MFG., INC. + + + + + MORETTI + + + + + MORGAN + + + + + MORRIS BROTHERS + + + + + MORGAN MOBILE, INC. + + + + + MORGAN TRAILER MFG. CO MORGANTOWN,PENNSYLVANIA + + + + + MORRIS + + + + + MORSE HORSE TRAILER + + + + + MORITZ, INC.MANSFIELD, OHIO + + + + + MOTO RUMI + + + + + MORGER WELDING & MFG., INC.BAKERSFIELD, CALIFORNIA + + + + + MOSER; SEE ALSO VIM TRAILER + + + + + MOSKOVITCH + + + + + MOSLER AUTOMOTIVE/MOSLER AUTO CARE CENTER, RIVIERA BEACH, FL + + + + + MOBILE SWEEPER DIV.DIV. OF ATHEY PRODUCTS CORP. + + + + + MOTOROAM INDUSTRIES, INC.GALVA, ILLINOIS + + + + + MOTOC SEMI FLATBED TRAILER + + + + + MOTOBECANE; SCOOTERS & CYCLES + + + + + MOTEL MOBILE CORPORATION OF AMERICA + + + + + MOBILE TECHNOLOGIES GROUP (DMS DIGITAL MANAGEMENT SOLUTIONS)_ GREENVILLE, SC- ADDED/ASSIGNED 3/12/14 - TRAILERS (MILITARY, HOMELAND SECURITY_LAW ENFORCEMENT, ENERGY & SPORTING EVENTS_-DMS DIGITAL MANAGEMENT SOLUTIONS + + + + + MOTOM + + + + + MOTRON + + + + + MO TRAILER CORP.GOSHEN, INDIANA + + + + + MONTESA (SPAIN) + + + + + MOTUS MOTORCYCLES; BIRMINGHAM, ALABAMA BIRMINGHAM MOTORCYCLE COMPANY + + + + + MOTIVE POWER INDUSTRY, CO., LTD (DBA-GENUINE SCOOTERS, LLC) + + + + + MOUNT VERNON MOBILE HOMEDIV. CONCORD MOBILE HOMES + + + + + MOUNTAIN VALLEY ENTERPRISES + + + + + MOUNTAIN VIEW CAMPERS + + + + + MOUNTAINEER MFG. CO. + + + + + MOUNTAIN MANUFACTURING CO., INC. + + + + + MOBILITY VENTURES, LLC (BUILT ON CONTRACT BY:AM GENREAL) INDIANA + + + + + MONTGOMERY WARD - SNOWMOBILES + + + + + MOWETT SALES CO., INC. + + + + + MACOMA ENGINEERING, INC. + + + + + MACDONALD CAMPER KIT + + + + + MCDONALD CAMPER KIT DISTRIBUTOR + + + + + MACDONALD'S MOBILE HOMES + + + + + MACGREGOR YACHT CORP.COSTA MESA, CALIFORNIA + + + + + MACH 1 TRAILERS; CAVE CREEK, ARIZONA TRAILERS + + + + + MACK TRUCKS, INC. + + + + + MAC-LANDER, INC; OSCEOLA, FL + + + + + MAC MANUFACTURING, INC;& MAC LIQUID TANK TRAILER; ALLIANCE,KENT & SALEM, OHIO, BILLINGS, MONTANA + + + + + MASTER CRAFT INDUSTRIAL EQUIP. CORP. + + + + + MACS METAL MATERIALS; PORT CHARLOTTE, FLORIDA - TRAILERS + + + + + MADDEN TRAILER ASHDOWN ARKANSAS + + + + + MAD FABRICATION, LLC; TAMPA, FLORIDA - MOTORCYCLES + + + + + MADAMI M0T0R SC00TERS, ETC. + + + + + DEL RIOMFD. BY MADRID HOMES + + + + + MAYS ENTERPRISES, INC.ALBERTVILLE, ALABAMA + + + + + MAGNOLIA TRAVEL TRAILER + + + + + MAGNA AMERICAN CORP. + + + + + MAGIC TILT TRAILER MFG. CO., INC.BOAT TRAILERS--CLEARWATER, FLORIDA + + + + + MAGIC TOUCH, INC. + + + + + MAGLINE, INC.PINCONNING, MICHIGAN + + + + + MAGNUM PRODUCTS, INC., BERLIN, WISCONSIN + + + + + MAGNOLIA MOBILE HOMES MFG. + + + + + MAGSTER SCOOTERS; BAHAMA MODEL + + + + + MAGNUM CUSTOM TRAILER MFG. CO.BOAT UTILITY TRAILERS--AUSTIN, TEXAS + + + + + MAGNA STEYR; AUSTRIA (HIGH MOBILITY ALL TERRAIN 4 WHEEL DRIVE MILITARY UTILITY VEHICLES) PREVIOUSLY MFG BY STEYR-DAIMLER PUCH; VMA/STDP) + + + + + MAHONING HOMES, INC. + + + + + MARMON HARRINGTON + + + + + MAHINDRA; TOMBALL,TX;MAKER TRACTORS,FARM EQUIP & CYCLES + + + + + MAI MFG. CO. + + + + + MAICO (WEST GERMANY) + + + + + MARK LINE INDUSTRIES, INC.BRISTOL, INDIANA + + + + + MAIR & SON., INC. + + + + + MAJOR WAY + + + + + MAJESTIC CORP. + + + + + MAJESTIC RIDES MFG., INC.NEW WATERFORD, OHIO + + + + + MARK V TRAILER + + + + + MAL TRACTOR + + + + + MALRO USA DISTRIBUTORS HERBER CA; RECREATIONAL TRAILER + + + + + MALAGUTI + + + + + MALIBU BOATS, LLC; LOUDON, TENNESSEE TRAILERS + + + + + MARATHON LE TOURNEAU CO. + + + + + MALHEUR MOBILE HOMES, INC. + + + + + MALIBU CAMPERS + + + + + MALLARD COACH CORP. + + + + + MALANCA + + + + + MALLARD + + + + + MARLISS INDUSTRIES, INC. + + + + + MALYETTE + + + + + MAMMOTH TRAILERS, LLC; TEXAS + + + + + MANOR HOMES, INC. + + + + + MANAC, INC. + + + + + MANCO PRODUCTS, INC + + + + + MANET + + + + + MANGAR CO. + + + + + MANITOWC ENGINEERING CO., INC. + + + + + MANKATO MOBILE HOMES, INC. + + + + + MANN MADE PRODUCTS INC. TRAILMANN TRAILERS (TRADE NAME) + + + + + MANNING, RICHARD + + + + + MANNING MARINE, INC; COMSTOCK PARK, MI _TRLR + + + + + MANATEE HOMES COMMERCE, TEXAS + + + + + MARION POWER SHOVEL CO., INCDIV. OF DRESSER IND. + + + + + MAPLE LEAF, INC.MIDDLEBURY, INDIANA + + + + + MARQUE, INC.BRISTOL, INDIANA + + + + + MARLETTE HOMES, INC.MARLETTE, MICHIGAN FORMERLY MARLETTE COACH CO + + + + + MARK TWAIN MFG. CO. + + + + + MARBROUGH BOAT TRAILER + + + + + MARCOS / MARCOS ENGINEERING LTD + + + + + LONG HAUL, THEMFD. BY MARK FORE VATCO IND. (M.F.V.) + + + + + MARINE GR0UP LLC; MURFREESB0R0, TN (PR0-CRAFT) + + + + + ALEXANDRIA MOBILE HOMEMFD. BY MARIETTA HOMES + + + + + MARINE CAMPER TRAILER + + + + + MARKING MFG. + + + + + MARSHALL + + + + + MARMON + + + + + MARION METAL PRODUCTS CO. + + + + + MARATHON HOMES CORP.ELKHART, INDIANA + + + + + MARQUETTE CUSTOM BOAT TRAILER + + + + + MARLIN MFG. + + + + + MARS CAMPER CO. + + + + + MARTIN TRAILERS, LTD.ST. LAURENT, MONTREAL + + + + + MARUSHO + + + + + MAR-VAL INDUSTRIES, INC. + + + + + MARSHFIELD HOMES, INC. + + + + + MASCOT HOMES, INC. + + + + + MASERATI + + + + + MASTER LINER MFG. CO. + + + + + MASTERBILT TRAILERS, INC. + + + + + MASSON'S WELDING + + + + + MAS RACING PRODUCTS (KIT VEHICLE) ST PAUL, MINNESOTA + + + + + MASTERCRAFT BRYAN METAL PRODUCTS, INC + + + + + MASSEY-FERGUSON, INC. + + + + + MASTERLINE CO., INC. + + + + + MASTER VIEW + + + + + MATRA + + + + + MATE, INC.KATY, TEXAS + + + + + MATLOCK TRAILER CORP.NASHVILLE, TENNESSEE + + + + + MID-ATLANTIC TRAILER MANUFACTURING, INC.; DAYTON, VIRGINIA + + + + + MATRETTE + + + + + MATTMAN GLOBAL SPECIALTY VEHICLES; TEMECULA, CALIFORNIA TRAILERS AND SPECIALITY VEHICLES FOR LAW ENFORCEMENT COMM,BROADCAST, MEDICAL ETC + + + + + MAULDIN MFG. CO., INC. + + + + + MAUER MANUFACTURER, INC.; I0WA, TRAILERS + + + + + MAURELL TRAILER + + + + + MAVERICK + + + + + MAVERICK MOBILE HOME + + + + + MAGINNISS VIBRATOR EQUIP CO. + + + + + MARVELL MOBILE HOME + + + + + MARVIN LANDPLANE + + + + + MAXON EAGLEMFD. BY MAXON INDUSTRIES, INC. + + + + + MAXCRAFT TRAILER MFG. + + + + + MAXEY MFG, INC.; COLORADO + + + + + MAXIM IND., INC.MFR. OF MAXIM FIRE TRUCKS, MIDDLEBORO,MASSACHUSETTS + + + + + MAXWELL + + + + + MUXUM TRAILERS; WAYNESBORO, PENNSYLVANIA - _( DIVISION OF CAM SUPERLINE, INC; VMA/CMSU) + + + + + MAXI PRODUCTS CO,INC, JANESVILLE, WI DUMP BODIES & TRAILERS + + + + + MAYFAIR MOBILE HOMEDIV. OF DEROSE IND., INC.,INDIANAPOLIS, INDIANA + + + + + MAYBACH; BRAND WITHIN DAIMLER-CHRYSLER MERCEDES-BENZ + + + + + MAYCO PUMP CORP.LOS ANGELES, CALIFORNIA + + + + + MAYFLOWER TRAILERS OR HOMES + + + + + MAYHEM MANUFACTURING; CHAMBERSBURG, PENNSYLVANIA + + + + + MAYNARD FABRICATING AND REPAIR LLC; ELKHART, INDIANA + + + + + MAYRATH INDUSTRIES, INC. + + + + + MAYS INDUSTRIES, INC.BOAZ, ALABAMA + + + + + MAY TRAILER MANUFACTURING, LLC; ADA OKLAHOMA + + + + + MAZDA + + + + + M-B CO., INC. OF WISCONSIN + + + + + MCBURNIE COACH CRAFT, INC. + + + + + M-B CO, INC. OF WISCONSIN + + + + + MOBILE CONCEPTS BY SCOTTY; MT. PLEASANT, PA + + + + + MOTOBEE + + + + + MINUTEMAN BOAT HANDLING EQUIPMENT, INC., PLYMOUTH, MASS. + + + + + MOBILE INTERNATIONAL TULSA OKLAHOMA + + + + + MOBILE TRAVELER + + + + + MBK INDUSTRIE; FRANCE - MOTORCYCLES + + + + + M.B.M. + + + + + MOBILE SPECIALTIES, INC; SANFORD, FLORIDA - TRAILERS + + + + + MOBILITY TECHNOLOGIES, LLC; RICHMOND, INDIANA MOTORCYCLES; ADDED/ASSIGNED 11/7/14 + + + + + MOBILE TRAVELER + + + + + MOBILE TECH TRAILERS, INC, ARGOS, INDIANA _TRAILERS + + + + + MOTO BRAVO (MOTORCYCLES ETC) SUPPLIED/DISTRIBUTED BY BUYANG GROUP LTD. (VMA/BYNG) + + + + + M-B-W, INC. + + + + + MAC CORPORATION OF AMERICA (PARENT COMPANY - GRANUTECH SATURN SYSTEMS CORP OF AMERICA) DOING BUSINESS AS - DBA - MAC CORP OF AMERICA + + + + + MCCOLLOUGH CORPORATION BROOKFIELD MISSOURI + + + + + MECOX RESOURCES SA DE CV; MEXICO + + + + + MCCOY/TAYLOR, INC. + + + + + M. P. MCCAFFREY + + + + + MICAH'S CUSTOM WORKS; MALAGA, WASHINGTON + + + + + MCCL0SKEY BR0THERS MANUFACTURING; CANADA LIT.0NTARI0 + + + + + MCCOY MFG. & SALES CO. + + + + + MCCAIN INDUSTRIES + + + + + MCCABE-POWERS BODY CO. + + + + + MCCOOK MFG. CO. + + + + + MCCLAIN TRAILER MFG. CO.BOAT TRAILERS--HOUSTON, TEXAS + + + + + MCCRABB MFG., INC.WEST LIBERTY, IOWA + + + + + MCCARTHY TRAILERS + + + + + MCCULLOCH MITE-E-LITE, INC.,MCCULLOCH CORP. + + + + + MACOMB COUNTY CYCLES WORKS; WASHINGTON, MICHIGAN _MOTORCYCLES + + + + + MCCLENNY MACHINE CO. OF VIRGINIA, INC.SUFFOLK, VIRGINIA + + + + + MCELRATH TRAILERS; SOUTH CAROLINA + + + + + MCFARLANE MFG. CO., INC. + + + + + MCGEE TRAILER SALES, MT PLEASANT, TEXAS + + + + + MITCHAM TRIKES; TOWNVILLE, PENNSYLVANIA _THREE-WHEELED TRIKES + + + + + MAGNUM CHOPPERS (A UNIQUE CARS, INC); HIALEAH, FLORIDA MOTORCYCLES + + + + + MCISEE MOTOR COACH INDUSTRIES, INC. + + + + + MCINTYRE / W.H.MCINTYRE CO./ MCINTYRE MOTOR WAGON; AUBURN, IN + + + + + JOHN A. MCKAY + + + + + MACKEY TRAILER; TEMPE, ARIZONA + + + + + MACK TRAILER MFG. CO., INC.DETROIT, MICHIGAN + + + + + MCKAY MFG. CO., INC. + + + + + MCLAREN AUTOMOTIVE, LTD (AKA-MCLAREN) UNITED KINGDOM MCLAREN RACING, MCLAREN GROUP + + + + + MCLENDON TRAILERS OR MCLENDON TRAILERS LLC; ALABAMA + + + + + MCNAMEE COACH CORP. + + + + + MCNEILUS TRUCK AND MANUFACTURING; DODGE CENTER, MINNESOTA + + + + + MCN MOBILE HOMES CORP. + + + + + MCQUERRY TAN TRAILER + + + + + MCQUERRY HORSE TRAILER + + + + + MCCORD MANUFACTURING CO. + + + + + MICRO-LITE TRAILER MANUFACTURING, LLC; ELKHART, INDIANA (TRAILERS) + + + + + MC KEE ROUGHRIDER + + + + + MC ELROY COMPANY, INC. SNYDER, OKLAHOMA + + + + + THE MARINE CRADLE SHOP, INC.; CANADA + + + + + MCCLOSKEY INTERNATIONAL ONTARIO, CANADA + + + + + MASTERCRAFT TOOLS FLORIDA, INC DBA-ALTOCRAFT USA MIAMI, FL + + + + + M & C TRAILER SALES, PREV-RAY TRAILER COMPANY / RAY'S CUSTOM TRAILER CO; PARAGOULD, ARKANSAS ; TRAILERS - ADDED/ASSIGNED 8/12/14 + + + + + MC TRAILER MANUFACTURING; WINDHAM, TEXAS + + + + + MERCOTY TRAILER + + + + + MCCOY MILLER; AMBULANCES & LIGHT RESCUE VEHICLES; ELKHART, IN + + + + + MEADOW CREEK WELDING, LLC; NEW HOLLAND, PENNAYLVANIA + + + + + MID AMERICA MFG.; INC.; BERTRAND, MO + + + + + MID-AMERICA TRAILER MFG, LLC (ALSO DOES BUSINESS AS BOBCAT TRAILER OR NATIONWIDE TRAILER; MISSOURI + + + + + MD ENTERPRISES; CALIFORNIA + + + + + MODULAR SYSTEMS, INC; INDIANA + + + + + MIDLAND MANUFACTURING / MIDLAND MANUFAQCTURING LIMITED _CANADA + + + + + MODENA + + + + + MDQ TRAILER MANUFACTURING, INC; ALABAMA + + + + + MADRID MANUFACTURING, INC NEBRASKA TRAILERS ADDED/ASSIGNED 2/23/16 + + + + + MDS + + + + + MID STATES CAMPING TRAILER + + + + + M-D TRAILER CO.FORT WORTH, TEXAS + + + + + MDW, INC; LEWISBURG, TENNESSEE TRAILERS AND RACE VEHICLE TRANSPORTERS + + + + + 3 M DYNAMIC MESSAGE SYSTEMS; SPOKANE, WASHINGTON + + + + + MEADE + + + + + ALUMASTAR/NEXT GENERATION ALUMASTAR; BRAND MFG BY MERHOW IND + + + + + MEAN + + + + + MEB TRAILER SALES; WALNUT RIDGE, ARKANSAS + + + + + MECH HANDLING CO. + + + + + MEDALLION MOBILE HOMES + + + + + MEDFORD INDUSTRIES + + + + + MEDICAL COACHES, INC. + + + + + MEDTEC AMBULANCE CORPORATION; GOSHEN, INDIANA + + + + + MEDIX SPECIALITY VEHICLES, INC; ELKHART, INDIANA + + + + + MEGA TRAILERS; BELL, CALIFORNIA + + + + + MEI CYBERCORP TRAILER MOROCCO ELECTRIC,INC SOMERSET PA + + + + + MEIDUO MOTORCYCLE CO., LTD (ZHEJIANG CHINA & TAIZHOU CHINA) MOTORCYCLES, ATV'S, MOTOR SCOOTERS, STREET BIKES + + + + + SHANGHAI MEITIAN M0T0RCYCLE C0.; LTD. SHANGHAI, CHINA M0PEDS & SC00TERS + + + + + MELODY HOME MFG. CO. + + + + + MELMAR MOTOR HOME + + + + + MELGES BOAT WORKS, INC.ZENDA, WISCONSIN + + + + + MELMAK MOTOR HOME + + + + + BOBCAT SKID STEER LOADER MANUFACTURED BY MELROE DIV + + + + + MENGDELI ELECTRICAL CO., LTD OR ZHEJIANG MENGDELI ELECTRICAL CO., LTD; CHINA, SCOOTERS, POCKET BIKES ETC + + + + + MACANISMOS ENSAMBLADOS S. A. DE C. V.MEXICO + + + + + NEXT GENERATION BRAND; MFG BY MERHOW INDUSTRIES (VMA/MERW) + + + + + MERCURY BOAT CO. + + + + + MERCURY + + + + + MERIDIAN SPECIALTY VEHICLES, INC; LAS VEGAS, NEVADA SHUTTLE BUSES, SPECIALTY VEHICLES AND REFRIG VEHICLES, ETC + + + + + MERCURY COACH CORP. + + + + + MERRITT EQUIPMENT CO.PORTLAND, OREGON + + + + + MERKUR + + + + + CHARISMAMFD, BY MERRIMAC CORP. + + + + + MERCURY TRAILER INDUSTRIES + + + + + MERIT TANK & BODY; BERKELEY, CALIFORNIA + + + + + MERHOW INDUSTRIES; BRISTOL INDIANA TRAILERS + + + + + MERRY MFG. CORP.MARYSVILLE,WASHINGTON MFRS. CULTIVATORS + + + + + MERCEDES-BENZ + + + + + MESA III TRAVEL TRAILER + + + + + MESSERSCHMITT + + + + + METOO TRAVEL TRAILER + + + + + METAL CRAFT MANUFACTURING GREENVILLE NORTH CAROLINA + + + + + METEOR (CANADIAN MERCURY) + + + + + METALITE INDUSTRIES FORMERLY CHENEY WEEDER MFG, INC.VMA/CHEN SPOKANE, WASHINGTON + + + + + MERCANTILE MFG. CO., INC. + + + + + METRO METAL & DESIGN, INC (TRAILERS) NORTH CAROLINA + + + + + METROPOLITAN + + + + + METAVIC TRAILERS; ST. PIERRE-BAPTISTE, QUEBEC CANADA + + + + + METZENDORF TRAILER MFG. + + + + + MOTO ELECTRIC VEHICLES FLORIDA + + + + + MEYER MORTON CO. + + + + + MEYER MANUFACTURING CORP.; DORCHESTER, WISCONSIN, SOLD BY WISCONSIN BODY & HOIST; CHIPPEWA FALLS ,WI + + + + + METAL FABRICATION, INCWINCHESTER, TN + + + + + MCFARLAN MOTOR CORP INDIANA + + + + + MAINTENANCE & FABRICATION SERVICES; SAN PABLO, CALIFORNIA + + + + + 1954 MANUFACTURING, INC. GRAHAM, TX + + + + + MARINE FIBERGLASS PRODUCTS, INC; SANTA ANA CALIFORNIA _BOAT TRAILERS + + + + + MF TRIKE CENTER; GERMANY MOTORCYCLES ETC + + + + + MG + + + + + MONGOOSE TRAILERS;TEXAS + + + + + MAG INTERNATIONAL; FOUNTAIN VALLEY, CALIFORNIA + + + + + M.G.M., INC. + + + + + MGNOL TANDEM BOAT TRAILER + + + + + MAGNOLIA TRAILERS, INC. LUCEDALE, MS; NOT SAME AS MAGNOLIA MOBILE HOMES (MAGN) OR MAGNOLIA TRAVEL TRAILERS (MAG0) + + + + + MAGNUM MANUFACTURING; HARRISBURG, OR RECREATIONAL VHICLES + + + + + MAGENTA TRAILERS, INC HULL, IA + + + + + MOBILE GRILLS, INC. COLUMBUS, OHIO TRAILER SYTLE BAR BQ, SMOKER, CONCESSION TRAILERS + + + + + MGS, INC. + + + + + EBY, M.H., INC.OR M.H. EBY, INC. BLUE BALL, PENNSYLVANIA TRAILERS + + + + + BLAIR HOUSEMFD. BY MANUFACTURED HOUSING MANAGEMENTCORP. + + + + + M & H TRAILERS, INC; PORTLAND, OREGON + + + + + MOHAWK VALLEY WELDING & STAINLESS STEEL; UTICA, NEW YORK + + + + + MIAMI CHOPPERS, INC; MIAMI, FLORIDA _MOTORCYCLES; ADDED/ASSIGNED 1/22/14 + + + + + MICHALKE MFG. CORP. + + + + + MICRO BIRD, INC; QUEBEC CANADA - JOINT VENTURE BETWEEN BLUE BIRD AND GIRARDIN / MULTI PURPOSE PASSENGER BUSES; TYPE A BUSES + + + + + MICRO CONCEPT CARS / MIC CON CARS + + + + + MIC FABRICATING CORPORATION, INC; HARTFORD, WISCONSIN - TRAILERS + + + + + MICHIGAN CENTRAL AIRLINES + + + + + MICKEY TRUCK BODIES (ORIGINALLY W.F.MICKEY BODY CO) TRAILERS &TRUCK BODIES BEVERAGE, PROPANE ETC TRAILERS & TRUCKS) + + + + + MICHAEL MANUFACTURING, INC, ANTON CO. + + + + + MID-ATLANTIC HOMES CO. + + + + + MIDDLEBURY TRAILERS INC., MIDDLEBURY, INDIANA + + + + + MID-CAL FORKLIFT, INC. + + + + + MIDDLESEX EQUIPMENT CO. + + + + + MIDWAY ENGINEERING CO. + + + + + MIDWEST INDUSTRIES, INC.IDA GROVE, IOWA + + + + + CAPELLAMFD. BY MIDLAND INDUSTRIES, INC. + + + + + MIDMARK + + + + + MID-NEBRASKA TRUCK AND TRAILER; GRAND ISLAND, NEBRASKA + + + + + MID-EQUIPMENT CORP. + + + + + MIDAS INTERNATIONAL CORP. + + + + + MIDWEST MINI-TOTE CO.MUSKEGO, WISCONSIN + + + + + MIDWEST MOBILE HOMES & TRAILER MFG. CO. + + + + + MILES ELECTRIC VEHICLES; CALIFORNIA + + + + + MITSUBISHI FUSO TRUCK OF AMERICA, INCFOR VEHICLES WITH GROSS VEHICLE WEIGHT(GVW) OF OVER 7,000 POUNDS. ALSO INCLUDES BUSES, ALSO AATREC-FG EXPEDITION MOBILE BY RUF, INC RENAISSANCE UNIVERSAL VEHICLES, MITSUBISHI CONVERTIONS + + + + + MIKASA + + + + + MIKADO-TRIKE GBR; GERMANY MOTORCYCLES, ETC + + + + + MIKE'S WELDING & TRAILER MFG., LLC INDIAN TRAIL,NC + + + + + MIKRUS + + + + + MILLER ELECTRIC MFG. CO.MANUFACTURES ARC WELDERS + + + + + MILLAN FLATDECK + + + + + MILBURN WAGON COMPANY (1914-1923) + + + + + MILCO TANK & BOAT CO. + + + + + MILLER & SMITH + + + + + MILLER TRAILERS INC.BRADENTON, FLORIDA + + + + + MILLENNIUM; MFG BY UNITED COACHWORKS + + + + + MILLER EQUIP. DIV., MILLER EQUIP. CO + + + + + MILLER TILT-TOP TRAILER INC.MILWAUKEE, WISCONSIN + + + + + MILWAUKEE ELECTRIC TOOL CORP. + + + + + EXHIBITOR MFG BY MILEY TRAILER CO., INC. + + + + + MINNEAPOLIS-MOLINE (MOTEC), INC. + + + + + MILLER INDUSTRIES, INC., OOLTEWAH, TENNESSEE + + + + + MINISCOOTER + + + + + MINELLI + + + + + MINNESOTA VALLEY ENGINEERING NEW PRAGUE, MINNESOTA + + + + + MIRAGE MOTORHOMES, INC. + + + + + MIRAGE ENTERPRISES, INC., NAMPA, IDAHO CARGO & AUTO TRAILERS + + + + + MISSION TRAILERS (DIVISION OF ALCOM INC OF MAINE -CURRENT VMA/ALCM) WATERVILLE, MAINE (TRAILERS) + + + + + MISTRAL + + + + + MITCHELL CAMPER TRAILER + + + + + MITCHELL INDUSTRIAL TIRE CO., INC.CHATTANOOGA, TENNESSEE + + + + + MITSUBISHI + + + + + MITTS-MERRILL, INC. + + + + + METALMECCANICA ITALIANA VALTROMPIO SPA OR MI-VAL; ITALY MOTORCYCLES ASSIGNED/ADDED 1/16/14 + + + + + MI-JACK PRODUCTS; HAZEL CREST, IL + + + + + MJM ENTERPRISES, INC. + + + + + M.J.M. TRAILER MFG., INC. + + + + + MCKEE FARM TECHN0L0GIES, INC.ELMIRA, 0NTARI0 CANADA + + + + + MK 5-1400 MOTOR HOME + + + + + MK TRAILER SALES / MK TRAILERS, INC; CAREY IDAHO + + + + + MLBLT + + + + + MOBILIGHT, INC WEST JORDAN, UT (TRAILER MOUNTED LIGHTS) + + + + + MAPLE LEAF HOMES, INC, CANADA; MODULAR & MOBILE HOMES + + + + + MILLER BUILT TRAILERS; TIFTON, GEORGIA TRAILERS + + + + + MILLENIUM TRAILERS, INC.; ADDISON, AL + + + + + MILLER + + + + + MILLERTIME MFG,. LLC; NOWATA, OKLAHOMA TRAILERS + + + + + MOLING CORPORATION; MAKER OF CAR KING DOLLY TRAILERS + + + + + MELROE TRACTOR TRUCK + + + + + THE MALLORY COMPANY; KELSO, WASHINGTON FIRE AND SAFETY EQUIP + + + + + MULETUF TRAILER MFG; SIKESTON, MISSOURI TRAILERS + + + + + MULTITION HYDRAULIC TRUCK + + + + + MULTITEK, INC; PRENTICE, WI TRAILER & C0NST EQUIP + + + + + MULTI-TECH, INC INDIANALO IOWA + + + + + MOBILUX + + + + + MILWAUKEE MOTORCYCLE COMPANY; EAU CLAIRE, WISC + + + + + MERIDIAN MOTOR COMPANY, INC. LAS VEGAS, NV (LSV'S) + + + + + MINI-MARCELLINO + + + + + M MANUFACTURING INC; YOUNGSTOWN, OHIO - CONCESSION TRAILERS + + + + + MMLJ, INC.; HOUSTON, TEXAS + + + + + M & M MFG. CO. + + + + + MORRIS MULE TRAILER COMPANY; ANNISTON, ALABAMA + + + + + MARINE MASTER TRAILERS; TENNESSEE + + + + + MANOR; MFG BY ATHENS PARK HOMES, LLC_TEXAS + + + + + MONACO MOTOR HOME (HOLIDAY RAMBLER, MONACO, BEAVER, SAFARI, MCKENZIE & ROYALE COACH_ (WMI CODES CAN BE 51T, 51U, 51V, 51X, 51Z) + + + + + MOUNTAIN AIRE; MFG BY NEWMAR CORP + + + + + MONARCH (SWEDEN) + + + + + MOND INDUSTRIES, INC.MISSISSAUGA, ONTARIO, CANADA; PURCHASED BY TRAILMOBILE IN 1999 TRAILEMOBILE IN US & CANADA + + + + + MANITOU OR MANITOU NORTH AMERICA (MATERIAL HANDLING EQUIPMENT)FORKLIFTS ETC. + + + + + MAINLINE INC0RP0RATED; N. TAZEWELL, VA + + + + + MCKENZIE, BFG BY MONACO RV, LLC + + + + + MINI DIVISION OF BMW MAKER OF COOPER & COOPER-S + + + + + MONROE MOTORS INC., WALLY-MO DIVISIONHOLLADAY, TENNESSEE; MANUFACTURES CARCARRIERS AND UTILITY TRAILERS + + + + + MONARC + + + + + MONARK + + + + + MINSK OR MINSK MOTO; RUSSIA MOTORCYCLES + + + + + MONSOON (ATV'S) ALL TERRAIN VEHICLES + + + + + MANTASEE THREE R INDUSTRIES, INC. + + + + + MOUNTAIN TRAILER COMPANY LLC; NEW JERSEY + + + + + MONTEBELLO MOBILE HOME TRAILER + + + + + MONTGOMERY, BILL + + + + + MANTIS CHOPPERS, FORT COLLINS , COLORADO; APACHE SS MODEL + + + + + MPC CRUISER CAMPER TRAILER + + + + + MONSTER POWER EQUIPMENT; OLD SAYBROOK, CONNECTICUT TRAILER MOUNTED POWER EQUIP + + + + + MPG; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + MPH INDUSTRIES, INC OR MPH AUTOMOTIVE SERVICE; OWENSBORO, KENTUCKY - TRAILER MOUNTED SPEED MONITOR DEVICE + + + + + MAINE PORTAGE; CARMEL, MAINE - CANOE & KAYAK TRAILER + + + + + MQ POWER, ENGINEERED PRODUCTS; RANCHO DOMINGUEZ, CA; HEARTLAND RIG INTERNATIONAL; _ + + + + + MARAUDER TRAVELERS, INC. + + + + + MARCO + + + + + M & R CUST0M TRIALERS, INC (H0NEYSUCKLE ENTERPRISES, INC. DBA M & R CUST0M TRIALERS) JACKS0NVILLE, FL + + + + + MERCURY (SEE MERCURY MARINE) + + + + + MERIDIAN MANUFACTURING INC. STORM LAKE, IA + + + + + MR. ED. BOAT TRAILER + + + + + MORGAN BUILT INC, OREGON + + + + + MOTGAN THREE (3) WHEELER, LTD.; UNITED KINGDON 3 WHEEL CYCLES + + + + + MARGAY CYCLES & KARTS + + + + + MARION TRAILER SALES MARION INDIANA + + + + + JAMAICAMFD. BY MARION HOMES, INC. + + + + + MARKSMAN, MFG, SANTE FE SPRINGS, CALIFORNIA TRAILERS (MILLERBILT TRAILER & SALES) + + + + + MIRANDA'S WELDING SERVICE, LTD; NEWBURGH, NEW YPRK - TRAILERS + + + + + MARINE TRANSPORTATION CO., INC.; NORWELL, MA + + + + + MARQUEZ MFG., LTD.SUNNYSIDE, WASHINGTON + + + + + MURRAY MARINE CORP. + + + + + MORS; FRANCE - 1897-1925 + + + + + M-R-S MANUFACTURING CO. + + + + + MORSE OVERLAND MARINE, LLC; NEW GLOUCESTER, MAINE TRAILERS- ADDED/ASSIGNED 4/22/14 + + + + + M & R SPECIALTY TRAILERS AND TRUCKS, INC.; MACCLENNY, FLORIDA _TRAILERS & TRUCKS + + + + + MOTORETTE + + + + + MARATHON COACH; MOTOR COACHES/BUSES; OREGON, TEXAS & FLORIDA + + + + + MARTIN LOWBOY SEMI TRAILER + + + + + MARTINS ENTERPRISES; DONALDS, SC + + + + + MR TRAILER SALES; GEORGIA TRAILERS + + + + + MARTINEZ TRAILER + + + + + MERTZ MANUFACTURING, INC OR MERTZ MANUFACTURING,LLC PONCA CITY, OKLAHOMA + + + + + MIDSOTA MFG., INC.; AVON, MINNESOTA + + + + + MANSFIELD STRUCTURAL & ERECTING COMPANY; MANSFIELD, OHIO _TRAILERS + + + + + MIDSOUTH GOLF CARTS (LSV'S) CLEVELAND TN + + + + + MARSHIN MOTORBIKE CO., LTD. (AKA-CHONGQING MARSHIN MOTORBIKE CO., LTD) CHINA + + + + + M-SYSTEM, INC. + + + + + MID-STATES INTERNATIONAL MOTORCROSS INC., OHIO + + + + + MISKA TRAILER FACTORY; HAMILTON, ONTARIO CANADA + + + + + MISKIN SCRAPER WORKS, INC.; IDAHO CONSTRUCTION EQUIP AGRICULTURAL SCRAPERS + + + + + MASSIMO MOTORSPORTS, LLC; IRVING, TEXAS ATV'S, UTV'S + + + + + M.S, METAL WORKS, LLC; MOLALLA, OREGON + + + + + MILITARY SPEC. MANUFACTURING; FORT COLLINS, COLORADO + + + + + MUSTANG; C0NSTRUCTI0N EQUIPMENT ETC. + + + + + MASTER SOLUTIONS, INC; CARLISLE, PENNSYLVANIA + + + + + MASTERYDE TRAILERS, INC. COLUMBUS, GEORGIA + + + + + MASTER TOW INC. FAYETTEVILLE, NC + + + + + MISTY MEADOW TRAILER SALES; BERMONT - TRAILERS + + + + + LEMOPED (MODEL OF MOTOBECANE) + + + + + MOTOBI; ITALY MOTORCYCLES + + + + + MATCHLESS + + + + + MISSISSIPPI TANK CO., INC.HATTIESBURG, MISSISSIPPI + + + + + LAWN FLITE MFG BY MTD PRODUCTS, INC. + + + + + MT EATON TRAILER, LLC; DUNDEE, OHIO + + + + + METAL CRAFT TRAILERS SALT LAKE CITY, UTAH + + + + + MIGHTY MOVER TRAILERS, INC; CALIFORNIA + + + + + MONTANA (FARM & GARDEN TRACTORS AD EQUIPMENT) BOUGHT AGRACAT + + + + + MONOTONE TRAILER COMPANY; SOUTH CAROLINA + + + + + MARTIN INDUSTRIES, FLORENCE ALABAMA + + + + + MONSTER TANKS, INC (SHIPPING TRAILERS & CONTAINERS) + + + + + MOUNTAIN WEST INDUSTRIES TOOELE, UTAH + + + + + MAXWELL TRAILERS & PICKUP ACCESSORIES MEXICO, MISSOURI + + + + + COLUMBIA SEE MTD PRODUCTS, INC + + + + + METRO RIDER LLC, MOTORCYCLES, MOTOR DRIVEN SCOOTERS FOR STREETUSE; NEW JERSEY + + + + + C & C INDUSTRIESMFG. OF MASTER TRACK F.B. TRAILER;GAITHERSBURG, MD + + + + + MATRIX MANUFACTURING COMPANY; PRINCETON, MINNESOTA + + + + + TRAILERS DE MONTERREY, S.A. NUEVO LEON, MEXICO + + + + + MONTROSE TRAILERS; MICHIGAN + + + + + M.T. TRAILERS,INC; MCKINNEY,TX + + + + + MT MANUFACTURING, LLC; FT. LAUDERDALE, FLORIDA + + + + + MOTOVOX (APT POWER SPORT), MISSOURI MINI-BIKES, SCOOTERTS GO-KARTS, DIRT BIKES + + + + + MENTZER CUSTOM TRAILER MFG. NEWVILLE, PA + + + + + MUD CAT DIV., NATIONAL CAR RENTAL SYSTEM, INC + + + + + MUDD-OX (ALL TERRAIN VEHICLES, AMPHIBIOUS,ICE/SNOW ETC) + + + + + MUDSLAYER MANUFACTURING, LLC SEQUIM, WASHINGTON + + + + + MUD TECHNICAL INTERNATIONAL,INC. ATHEN, TEXAS + + + + + MUDDY RIVER, MFG DBA-HIKER TRAILER; COLORADO + + + + + MUHLBERG + + + + + MULTECH CORP.CANTON, SOUTH DAKOTA AND SOUIX CITY,IOWA + + + + + MULLIGAN MANUFACTURING, INC; GIBSTON, FLORIDA + + + + + MULLER MACHINERY CO.METUCHEN, NEW JERSEY + + + + + MULTIQUIP + + + + + MULTI TRAILER + + + + + MUNCY HOMES, INC.MUNCY, PENNSYLVANIA + + + + + MUNTZ + + + + + MURENA + + + + + CARRY-ALL SCRAPERS,ROOTERS AND CHISELS MFG. BY MURRAY MFG CO. + + + + + MURPHY ENGINEERING CO., INC. + + + + + MURRAY OHIO MANUFACTURING CO.BRENTWOOD, TENNESSEE + + + + + MURRAY TRAILERSCALDWELL, IDAHO + + + + + MUSTANG TRAILER MFG., INC.QUITMAN, ARKANSAS + + + + + MUSTANG + + + + + MUSTANG TRAILERS; GLASSPORT, PENNSYLVANIA - TRAIELRS + + + + + MUV-ALL TRAILERS MULTECH CORP. + + + + + MADVAC SPECIALITY SWEEPERS & VACUUMS, + + + + + M.V. AGUSTA + + + + + MARINE VENTURE ENTERPRISERS, INC.BALTIMORE, MARYLAND + + + + + MVP RV, INC; RIVERSIDE, CALIFORNIA - TRAILERS + + + + + MIDWEST AUTOMOTIVE DESIGNS; ELKHART, INDIANA RECREATIONAL VEHICLES (SPRINTER &_CHEVY CONVERSIONS ADDED/ASSIGNED 10/27/14 + + + + + MID-WEST CH0PPERS, INC.; GALESBURG, IL + + + + + DAYCRUISER MODEL, MFG BY MIDWEST AUTOMOTIVE DESIGNS (VMA/MWAD) + + + + + M & W GEAR CO., INC. + + + + + MAINE WOOD HEAT COMPANY; SKOWHEGAN, MAINE _TRAILER + + + + + M & W MFG. CO. + + + + + MIDWEST MOTORCYCLES MANUFACTURERS, LLC DUBUQUE IA + + + + + MARTCO WASTE SYSTEM EQUIPMENT + + + + + WEEKEND MODEL, MFG BY MIDWEST AUTOMOTIVE DESIGNS (VMA/MWAD) + + + + + MAX-ATLAS EQUIPMENT INTERNATIONAL, INC.; ST-JEAN-SUR-RICHELIEU, QUEBEC CANADA + + + + + MAXI-ROULE, INC., CANADA + + + + + MXT; MFG BY KZRV, LP OR KZ RECREATIONAL VEHICLES + + + + + MAXEY TRAILER MFG., INC. TEXAS TRAILERS + + + + + MYCO INDUSTRIES + + + + + MAYFAIRER MOTOR HOME + + + + + MYERS & SONS HI-WAY SAFETY INC. OR HI-WAY SAFETY INC. CHINO, CALIFORNIA + + + + + MAYNARD AND CO CHANDLER, AZ + + + + + MYERS-SETH PUMP, INC; JACKSONVILLE, FLORIDA _TRAILER MOUNTED PUMPS + + + + + MYSTICAL CUSTOM CYCLES, LLC; TROY, MISSOURI _MOTORCYCLES + + + + + MY-WAY CORP.LONGWOOD, FLORIDA + + + + + MYERS WELDING; SPARTA, TENNESSEE + + + + + MZ + + + + + MZMA + + + + + NORTH AMERICAN TRAILER S.A. DE CV, MEXICO TRAILERS / VACUUM TRAILER + + + + + NOBILITY HOMES, INC.OCALA, FLORIDA + + + + + NOBLE CULTIVATORS LTD. + + + + + NORTH COUNTRY + + + + + HAULER-TRAILER MFG BY NODINE MFG. + + + + + NORDIC + + + + + NOEL MFG. + + + + + NOLENA FOSTER TRAILER + + + + + NORTHWESTERN MOTOR CO.SUBSIDIARY FAIRMONT RAILWAY MOTORS, INC. + + + + + NOMAD TRAILERS & MOBILE HOMES DEWEY OKLAHOMA + + + + + NOMAD; MFG BY LAYTON HOMES CORP (DIV OF SKYLINE) + + + + + NOMANCO, INC. + + + + + NORTH AMERICAN SHIPBUILDING + + + + + NORCAL BOAT TRAILER + + + + + NORDINE MFG. CO. + + + + + NORTHWEST ENGINEERING CO. + + + + + NORRIS HOMES, INC. + + + + + NORJACK, INCL + + + + + NORTHLAND, INC/ NORTHLAND INDUSTRIES, INC; NAMPA, IDAHO TRAILERS + + + + + NORMAN + + + + + NORTH AMERICAN MFG. CO. + + + + + NORTHERN CRUISERS + + + + + NORSE TRAILER + + + + + NORTON (ENGLAND) AND NORTON AMERICA MOTORCYCLES ORIGINATED IN ENGLAND + + + + + NORTHERN STAR MOBILE HOME + + + + + NORTHLANDMAGLINE, INC. + + + + + NORTHWEST TRAILERS + + + + + NORTHWESTERN MOBILE HOMESDIV. RAINWAY MANUFACTURING COMPANY + + + + + NOSLO TRAILER MANUFACTURING; VERMONT + + + + + NORTH SHREVE WELDING / NORTH SHREVE WELDING & CONSTRUCTION _OR ROGERS TRAILER MFG, SHREVEPORT, LOUISIANA - TRAILERS + + + + + NOTHSWAY TANDEM TRAILER + + + + + NORTAIL (NORTH CANADIAN TRAILER); EDMONTAN ALBERTA, CANADA TRAILERS + + + + + NORTHLANDER TRAILERS / NORTHLANDER TRAILERS MANUFACTURING _MACHIASPORT, MAINE - TRAILERS ADDED/ASSIGNED 5/29/14 + + + + + NORTH TRAIL; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + NOVA FABRICATING, INC.; AVON, MN + + + + + NOVA BUS, QUEBEC CANADA + + + + + NABORS TRAILERS, INC.MANSFIELD, LOUISIANA + + + + + NORTH AMERICAN BUS INDSUTRIES (NABI) + + + + + NORTH ALABAMA TRAILER CO. + + + + + NANCHANG AIRCRAFT MANUFACTURING COMPANY; NANCHANG, JIANGXI PROVINCE CHINA; TRAIL RYDER MOTORCYCLES + + + + + NORTH AMERICAN CARGO, LTD SUMNER, TX + + + + + NATIONAL CRANE CORPORATION, SUBSIDI-ARY OF WALTER KIDDE & CO., INC. + + + + + NASH-HEALY + + + + + NAIROBI TRAILER + + + + + NAJO, INC; ARIZONA- MFG TRAIL BOSS TRAILERS + + + + + NORTH ALABAMA TRAILER CO; HARTSELLE, AL + + + + + NAMCO., INC. + + + + + N & HA MFG. CO. + + + + + NANJING AUTOMOBILE (GROUP) CORPORATION; CHINA _CARS, TRUCKS, BUSES, ETC. + + + + + NANLONG GROUP CO., LTD CHINA ; ATV'S MOTORCYCLES, SCOOTERS ETC + + + + + NANA'Z TRAILERS, LLC; APACHE JUNCTION, ARIZONA TRAILERS + + + + + NAPIER & SON LIMITED ANTIQUE AUTOS + + + + + NARDI-DANESE + + + + + NATIONAL RV INC., BUS TYPE COACHES, CALIFORNIA + + + + + NASAN TRAILER + + + + + NASH + + + + + NASH MFG. + + + + + NASHUA MFG. CO. + + + + + NATIONAL MOBILE HOMES + + + + + NATIONAL MANUFACTURING; VALLEY CITY, NORTH DAKOTA - TRAILERS + + + + + NORTH AMERICAN TRAVELER LLC, ELKHART, INDIANA + + + + + NATIONWIDE + + + + + NAUTICAL AMERICA - STATESVILLE, NORTH CAROLINA + + + + + NAVISTAR, NAVISTAR INTERNATIONAL, NAVISTAR-MODEC ELEVTRIC VEHICLE ALLIANCE; ILLINOIS & INDIANA WMI'S - 1HP,1HT,1HS,1HV,2HV,52U & 52V + + + + + NAVAJO HORSE TRAILER + + + + + NORTHERN BAY CO. INC. ; PENOBSCOT, ME + + + + + NEBRASKA CUSTOM CYCLES, NORTH PLATTE, NB (MOTORCYCLES) + + + + + NBC TRUCK EQUIPMENT, INC; ROSEVILLE, MI COMMERCIAL TRUCK BODIES & CHASSIS + + + + + NOBLE AUTOMOTIVE LTD; ENGLAND AUTOMOBILE MODELS M12 GTO, M400,M600 M14, M15, M10 + + + + + NICHOLSON MANUFACTURING, INC (NMI) IXONIA, WI + + + + + NICKELS BOAT WORKS, INC FLINT, MI + + + + + NATIONAL CUSTOM MOTORWORKS; SPOKANE, WASHINGTON (SHINERAY MOTORCYCLE) + + + + + NORTH COAST TRUCK BODY LLC, OHIO (TRIALER) + + + + + NC TRAIL RUNNER; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + NISSAN DIESEL MOTOR CO./ NISSAN DIESEL NORTH AMERICA COMPANY CHANGED NAME TO: UD TRUCKS/ UD TRUCKS NORTH AMERICA; FEBRUARY 2010; _VMA/UD + + + + + NEO CLASSIC MANUFACTURING,LLC,NEO TRAILERS,NEO MANUFACTURING STURGIS, MI + + + + + NEOPLAN USA CORPORATIONLAMAR, CO; TRANSIT BUSES + + + + + NEOSHO CUSTOM COACH CO.DIV. GEARHART'S BUILDING MATERIALS + + + + + NEAL MFG. CO., INC. + + + + + NEW BAME TRAILER + + + + + TAIZHOU NEBULA POWER CO., LTD CHINA + + + + + NECKAR + + + + + NECKOVER TRAILER MFG. CO.TROUP, TEXAS + + + + + NEDLAND INDUSTRIES, INC.; RIDGELAND, WI + + + + + GHOST MODEL; MFG BY NEXUS RVS, LLC TRAILER / MOTORHOMES + + + + + HARVARD (MODEL OF NEGRINI) + + + + + NEW HOLLAND HAYBINE + + + + + NALLEJ OF FLORIDA + + + + + NELSON-DYKES CO. + + + + + NELSON MFG. CO.OTTAWA, OHIO + + + + + PHANTOM MODEL; MFG BY NEXUS RVS, LLC TRAILER/MOTORHOME + + + + + NEPTUNE CORP. + + + + + NEW ERA TRANS CO., OCEANSIDE , NY; MOTORCYCLES, ATV'S, DIRT BIKES, SCOOTERS, & GO KARTS _ + + + + + NERCO TRAILER + + + + + NORTHEAST STEEL CORPORATION; CONNECTICUT + + + + + NESS MOTORCYCLES OR ARLEN NESS MOTORCYCLES, LLC; CALIFORNIA + + + + + KARL M. NEUFELD + + + + + NEVADA AIR PRODUCTS CO. + + + + + NEVADAN MFG. CO. + + + + + NEVILLE WELDING, INC., KINGMAN, KS + + + + + NEVLEN COMPANY INC.WAKEFIELD, MASSACHUSETTS + + + + + NEVAL MOTORCYCLES LTD. + + + + + VIPER MODEL; MFG BY NEXUS RVS, LLC TRAILER/MOTORHOME + + + + + NEW COMER INDUSTRIES, INC.GOSHEN, INDIANA + + + + + NEW DIMENSION + + + + + NEW ENGLAND HOMES OR TRAILERS + + + + + SPERRY NEW HOLLAND DIV SPERRY CORP., NEW HOLLAND,PENNSYLVANIA + + + + + NEW IDEA ELECTRIC LAWN GARDEN TRACTOR + + + + + NEW YORKER HOMES CORP. + + + + + NEWELL COACH CORP.MIAMI, OKLAHOMA + + + + + NEWHAM ENTERPRISES + + + + + NEWMANS MANUFACTURING; MINNESOTA (SLED-BED) TRAILERS, RECREATIONAL TRAILERS; SNOWMOBILE, ATV, MOTORCYCLE, SPORT UTILITY, ETC; PREVIOUSLY KNOWN AS LA NEW INDUSTRIES (1985) CHANGED NAME TO NEWMANS MFG IN 1987-1988 + + + + + NEWPORT HOMES, INC. + + + + + NEW STYLE HOMES, INC.PINEVILLE, MISSOURI + + + + + NEW PARIS TRAVELER CORP.NEW PARIS, INDIANA + + + + + NEW WAVE TEARDROP; BAINBRIDGE, GEORGIA + + + + + WEEKEND WARRIOR; MFG BY NEXUS RV'S , LLC (NEXU) _TRAILERS; ADDED/ASSIGNED 6/20/14 + + + + + NEXHAUL ROCKY MOUNT, VA + + + + + NEXTRAIL; OHIO + + + + + NEXUS RV; ELKHART, INDIANA MOTORHOMES AND TRAILERS + + + + + ENFIELD INDIA LIMITED MADRAS, INDIA + + + + + NEW FLYER; BUSES, SHUTTLES, HYBRID VEHICLES, NATURAL GAS VEHICLES OR NEW FLYER AMERICA + + + + + NINGBO LONGJIA MOTORCYCLE CO., LTD. ALSO: LONGJIA MOTORCYCLE CO., LTD + + + + + NOMAD GLOBAL COMMUNICATION SOLUTIONS, INC (GCS); MONTANA TRUCKS - TRAILERS + + + + + NATI0NAL GUARD (ILLIN0IS) + + + + + NEW HEIGHTS, LLC, PARADISE, PA + + + + + NEW H0RIZ0NS TRAVEL TTRAILERS; JUNCTI0N CITY, KS + + + + + NORTHERN HYDROLICS, INC. + + + + + NIAGARA TRAILER CO. + + + + + NICESON BOAT TRAILER + + + + + NICHOLS MFG. CO., INC. + + + + + NICKEL & HOLMAN FENTON MICHIGAN + + + + + NICHOLS CUSTOM WELDING; HOME OF NICHOLS TRAILERS; FARMINGTON, ME + + + + + NIFTYLIFT UNLIMITED; UNITED KINGDOM TRAILERS + + + + + NIMROD TENT TRAILER + + + + + NISSAN + + + + + NATIONAL INNOVATIVE VISIONS, INC - HILL CITY, MINNESOTA _ALSO KNOWN AS - TRAILERS INC OF HILL CITY + + + + + NLB CORP, PRESSURE WASHING & JETTING SYSTEMS, CAN BE TRAILER MOUNTED; COMPANY MAKES TRAILERS FOR THEIR EQUIPMENT + + + + + NELSON, LC, RECREATIONAL VEHICLES + + + + + NORTHERN LITE MFG., LTD; BRITISH COLUMBIA, CANADA TRAILERS + + + + + NATIONAL MOTOR VEHICLE COMPANY INDIANA + + + + + N & N REMORQUE, INC OR N & N ELITE; WICKHAM QUEBEC, CANADA + + + + + NORTH NEWTON TRAILER MANUFACTURING, CO.; NEWVILLE, PENNSYLVANIA TRAILERS + + + + + NEPTUNE; MFG BY PALM HARBOR HOMES + + + + + NORMAND CO., LTD - TRAILER + + + + + NORAMP, INC; ELKHART, INDIANA TRAILERS + + + + + NORRIS TRAILER MANUFACTURING; MOUNT PLEASANT, TEXAS TRAILERS + + + + + NORTH REPAIR & WELDING; RINGLE, WISCONSIN TRAILERS + + + + + NORSTAR TRAILERS (DBA IRON BULL TRAILERS) BROOKSTON TEXAS + + + + + GRUPO REMOLQUES DEL NORTE SA DE CV MEXICO + + + + + NORTH STAR OR NORTHSTAR TRAILERS; PARENT COMPANY CHANGZHOU NANXIASHU TOOL FACTORY VMA/CHNA) + + + + + NORTHTRAIL TRAILERS (DIV OF L & B MOORE COMPNAY, LTD) _TRAILERS + + + + + NORTHWAY SEE NORTHWAY SNOWMOBILES + + + + + NORTHWAY TRAILER + + + + + NORTH RIVER HOMESHAMILTON, ALABAMA + + + + + NORTHWOOD OF VIRGINIA; WINCHESTER VIRGINIA + + + + + NORTHWOOD MANUFACTURING, INC (AKA) NORTHWOOD INVESTMENTS CORP LA GRANDE, OREGON (NOT SMAE AS NORTHWOOD IN VIRGINIA) + + + + + NORWIN TRAILER + + + + + NORTH-SOUTH CONNECTION AUTO SALES, LTD; OLD FORGE, NEW YORK_TRAILERS + + + + + NASH MOTORCYCLE, LLC VANCOUVER WA + + + + + NASH CAR TRAILERS; ALLEGAN, MICHIGAN; CAR HAULERS, CARGO, MOTORCYCLE, SNOWMOBILE & UTILITY TRAILERS + + + + + NATIONAL SIGNAL INC; FULLERTON, CALIFORNIA _MESSAGE SIGNS, ARROW BOARDS, STREET SIGNS, TUNNEL LIGHTING (TRAILER MOUNTED) + + + + + NORTH SHORE MANUFACTURING CO., INC; BROWNSVILLE, TENNESSEE TRAILERS + + + + + NOR'EASTER BOAT TRAILERS + + + + + NSU PRINZ + + + + + NSU-FIAT + + + + + NEW TREND CUSTOM TRAILERS, INC FONTANA CALIFORNIA + + + + + NORTHERN TOOL AND EQUIPMENT COMPANY, INC MINNESOTA + + + + + NT FOCUS; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + NINTH CIRCLE CUSTOMS; DELTA JUNCTION, ALASKA MOTORCYCLES - ADDED/ASSIGNED 5/2/14 + + + + + NORTHERN; RINGLE, WISCONSIN TRAILERS + + + + + NATIONAL TRAILER MANUFACTURING, INC KELLER, TEXAS + + + + + NATIONS TRAILERS, INC OR THE NATIONS TRAILERS INC; MICHIGAN + + + + + NUMBER ONE + + + + + NU-CENTURY; MADERA, CA + + + + + NUELL COACH CORP. + + + + + NU-LIFE ENVIR0NMENTAL, INC.; EASLEY, SC RECYCLING + + + + + NUTTALL TRAILERS + + + + + NU VAN TECHNOLOGY, INC; TEXAS -TRAILERS + + + + + NU-WA CAMPERS, INC. + + + + + NUWAY MOBILE HOME MFG. CO. + + + + + NUWA HORIZON CAMPER TRAILER + + + + + NU WAY MFG - TUPELO, MISSISSIPPI ; TRAILERS + + + + + N0VAE C0RP. F0RT WAYNE INDIANA; MAKER 0F SURE-TRAC TRAILERS, FARM AND GARDEN EQUIPMENT ETC + + + + + NVT AMERICA (MOPED) + + + + + NORTHWEST ALUMINUM TRAILERS; ROSEBURG, OREGON _TRAILERS + + + + + N.W. CUSTOM ALUMINUM TRAILERS OR NORTHWEST ; WILBUR, OREGON TRAILERS + + + + + NORTH WOODS CANOE COMPANY LTD.; ALBERTA, CANADA + + + + + NORTHWEST CUSTOM TRAILER ROCHESTER, WASHINGTON + + + + + NEW CUSTOM TRAILERS, LLC CORNELIUS, OR + + + + + LONDON AIRE, MFG BY NEWMAR CORPORATION (NWMR) _ADDED/ASSIGNED 6/19/14 + + + + + NEW MCGRATH + + + + + NEWMAR CORPORATION; NAPPANEE, IN_ + + + + + NANYANG ENVIRONMENT & WATER RESEARCH INSTITUTE HYDROGEN POWERED BUSES, (GREEN TECHNOLOGY) + + + + + NEW STAR GROUP AKA NEWSTAR ENTERPRISES USA (SCOOTERS, ATV'S, MOTORCYCLES & ELETRIC BIKES) - XIONGTAI GROUP CO., LTD + + + + + NORTHWEST TECHNOLOGIES, INC; ESTACADA, OREGON _TRAILER ADDED/ASSIGNED 1/23/13 + + + + + NEW YORK CITY CHOPPERS DBA-NEW YORK CITY CUSTOM MOTORCYCLES SOUTHAMPTON, NEW YORK + + + + + POOLE, INC. + + + + + POCLAIN DIV., J. I. CASE + + + + + POINTER-WILLAMETTE + + + + + POINTER + + + + + POIRIER + + + + + POLORON PRODUCTSMFRS. RIDING MOWERS--HARRISON, NEW YORK + + + + + POLAR MFG. CO.HOLDINGFORD, MINNESOTA + + + + + RAYBON MANUFACTURING COMPANYWALLINGFORD, CT + + + + + POLINI MOTORCYCLES + + + + + POLLOCK INDUSTRIES + + + + + POLORON HOMES OF PA., INC.MIDDLEBURG, PENNSYLVANIA + + + + + E-Z-GO SEE POLARIS IND. INC ALSO E-Z GO AND TEXTRON + + + + + POLY-COAT SYSTEMS, INC, HOUSTON, TEXAS TANK TRAILER + + + + + PONDEROSA HOMES, INC. + + + + + PONDEROSA INDUSTRIES + + + + + PONTIAC (CANADIAN) (ALSO SEE MAKE PONTIAC) + + + + + PONTIAC + + + + + PONY XPRESS, GOSHEN, INDIANA MOTORHOMES + + + + + PONYCYCLE + + + + + POPCYCLE MOTORS (CHESTERFIELD, MO) NAME FOUND ON SCOOTER LONCIN GROUP ZHEJIANG HUAWAIN MOTORTCYCLE CO.LTD. + + + + + POPE MANUFACTURING COMPANY; HARTFORD, CONNECTICUT _(MODELS: HARTFORD VMO/HFD, TRIBUNE VMO/TRB, TOLEDO VMO/TLD + + + + + POR TRAILER + + + + + PORTABLE ELEVATOR MFG. DIV.,DYNAMICS CORP. OF AMERICA + + + + + PIONEER DIV., PORTEC, INC. + + + + + PORTA-DOCK, INC + + + + + PORTABLE STRUCTURES + + + + + PORTA-KAMP MFG. + + + + + PORTLAND WIRE & IRON WORKS + + + + + PORSCHE + + + + + PORTA-BUILT INDUSTRIES + + + + + PONTRAIL, INDIANA TRAILERS + + + + + POLAR TANK TRAILER; SPRINGFIELD, MO + + + + + POWERLINE PRODUCTS DIV OF WHITE OAK, INC.WASHINGTON,INDIANA + + + + + POWELL + + + + + POWELL MFG. CO., INC. + + + + + POWER CURBER, INC. + + + + + PACEMAKER BOAT TRAILER + + + + + PACEMAKER MOBILE HOMES & TRAVEL TRAILERDIV. LONERGAN CORPORATION + + + + + PACEMAKER + + + + + PACIFIC CAMPERS + + + + + PACKARD + + + + + PACESETTER + + + + + PAC WEST COMPANY; NORTH HIGHLANDS, CALIFORNIA - TRAILERS + + + + + PANDA MOTOR HOME + + + + + PADGETT, INC. NEW ALBANY, INDIANA + + + + + PADDLE KING, INC; MICHIGAN + + + + + PAGE ENGINEERING CO. + + + + + PAGE TRAILER + + + + + PAGANI AUTOMOBILI SPA; ITALY PASSENGER CARS + + + + + PAGSTA M0T0RCYCLES + + + + + PAIOLI / PAIOLI MECCANICA S.P.A ITALY MOTORBIKES, DIRT BIKES ETC + + + + + PACCAR INCORPORATED BELLVUE, WASHINGTON + + + + + PARIS + + + + + PAIUTE TRAILERS + + + + + PARKHURST MFG. CO., INC.SEDALIA, MISSOURI + + + + + PAK-MOR MFG. CO. + + + + + PALOMINO CAMPING TRAILER (DIV OF FOREST RIVER) + + + + + PAL MFG. CO., INC. + + + + + PALACE CORP. + + + + + PALM HARBOR HOMES; TEXAS (INC IN DELAWARE) _MODULAR/MOBILE HOMES_(PURCHASING CHARIOT EAGLE, INC - 2015) + + + + + PALLISER (RACING CAR) + + + + + PALM TRAILERS + + + + + PALMETTO SALES OF LAURENS + + + + + PALMER MACHINE WORKS, INC.ARMORY, MISSISSIPPI + + + + + PAMA CAMPER + + + + + PAMCO TRAILER + + + + + PACE AMERICAN, INC.WHITE PIGEON, MICHIGAN (THROUGHMARCH, 1988)MIDDLEBURY, INDIANA (EFFECTIVEAPRIL, 1988) + + + + + PACE AMERICAN OF UTAH, INC.; HURRICAN UTAH,ALSO IN INDIANA, GEORGIA AND TEXAS (BECAME PACE AMERICAN ENTERPRISES IN 6/2010 PER COMPANY NOTIFICATION) WMI/4FP + + + + + PANORAMA HOMES, INC. + + + + + PAN AMERICAN MOBILE HOMES DIV OF DIVCO-WAYNE INDUSTRIES + + + + + PANDA MOTOR SPORTS NORTH AMERICA, INC. + + + + + PANTHER WESTWINDS, LTD. + + + + + PANHARD + + + + + PANNONIA + + + + + PANTHER (MOTORCYCLE) + + + + + PANOZ AUTO DEVELOPMENT CO. + + + + + PARKVIEW RV; MFG BY PALM HARBOR HOMES, INC + + + + + PACE ARROW + + + + + PARIS TRAILER CO. + + + + + PARDONNET MFG. CO.LIVONIA, MICHIGAN + + + + + PARK ESTATES HOMES + + + + + BUNKHOUSE BRAND OF SIESTA MFG.BY PARK HOMES, INC. + + + + + PARILLA + + + + + PARK LANE MOBILE HOMES + + + + + PARK ROYAL + + + + + PARMITER, P. J. & SONS LTD. + + + + + PARK TRAILER CORP. + + + + + PARKER + + + + + PARKMASTERDIV. AMERICAN STERLING ENTERPRISES + + + + + PART GENERIC CODE FOR USE ONLY WHEN MANUFACTURER IS NOT LISTED + + + + + PARKWAY MFG. CO. + + + + + PARKWOOD HOMES, INC. + + + + + PARKWOOD MOBILE HOMES OF FLORIDA + + + + + PARSON CO. DIV.DIV. OF KOEHRING CO. + + + + + PERFECTION ARCHITECTURAL SYSTEMS, INC.; BOYNTON BEACH, FL + + + + + PASQUALI, USA VERONA, WISCONSIN + + + + + PASSPORT + + + + + PASTIME MFG. CO. + + + + + PATHFINDER MOBILE HOMES + + + + + PATRIOT MOTORCYCLE CORP.; SAN CLEMENTE, CA; ATV'S, DIRT BIKES ACQUIRRED STEED MUSCLEBIKE ASSETS PATRIOT MOTORCYCLES + + + + + PATTERSON WELDING, FLORIDA + + + + + PATZ CO. + + + + + PAUGHCO, INC.CARSON CITY, NV + + + + + PAULI COOLING SYSTEMS, INC. + + + + + PHIL BORRIELLO CHOPPER SHOP, LLC; NEW HAMPSHIRE (MOTORCYCLES) + + + + + PROBILT BODY AND TRAILER INC GLADE SPRING VIRGINIA + + + + + PISTEN BULLY, SNOW & BEACH GROOMING EQUIPMENT EXCAVATOR + + + + + PBM SUPPLY & MANUFACTURING INC; CHICO CALIF + + + + + PACIFIC BOAT TRAILERS, INC.ANAHEIM, CALIFORNIA + + + + + PACIFIC COACHWORKS, INC; RIVERSIDE, CALIFORNIA - TRAILERS(NEW FACILITY IN IDAHO - PACIFIC COACHWORKS, LLC) + + + + + PARAMOUNT CUSTOM CYCLES, LLC; RENO, NEVADA ASCENDANT, COUPE, SILENCER, ROADSTER & MATADOR MODELS + + + + + PACIFIC MANUFACTURING CORPORATION - ROSEBURG, OREGON - TRAILER + + + + + PACIFIC WEST TRAILERS; SAN JOSE, CALIFORNIA _TRAILERS + + + + + PCI MANUFACTURING, LLC; SULPHUR SPRINGS, TEXAS + + + + + PC INDUSTRIES, LLC; AFTON, WYOMING-MFG OF POWER LINE TRAILERS + + + + + PCM DIV.DIV. OF KOEHRING CO. + + + + + PAROS CUSTOM TRAILER INC. (WASHINGTON) + + + + + PARIS CUSTOM TRAILER CO.; TEXAS + + + + + PERFORMANCE CUSTOM TRAILERS, INC. WARRENSBURG, NY + + + + + P/D + + + + + PEDERSON + + + + + PDV + + + + + PEORIA CUSTOM COOKERS; PEORIA,ILLINOIS BAR B QUE AND SMOKER TRAILERS + + + + + PEABODY SOLID WASTE MANAGEMENT + + + + + PEACE GROUP INDUSTRY MOTOR SCOOTERS, MOPEDS + + + + + PEACH CARGO, LLC ADEL, GA + + + + + PEAK MANUFACTURING, INC. NORTH BATLEFORD, SK CANADA + + + + + BEN PEARSON MFG. CO., INC. + + + + + POWER & ELECTRIC CO., INC, (PECO, INC), CALIFORNIA + + + + + PENNSTYLE CAMPERS, INC. + + + + + PEDALPOWER ELECTROPED + + + + + PEDDLERS CHOICE + + + + + PEEK + + + + + PEEL + + + + + PEERLESS + + + + + PEGASO + + + + + PELICAN ALUMINUM MFG. + + + + + PELSUE; ENGLEWOOD, COLORADO TRAILERS + + + + + P.M.I. (PELLETIER MANUFACTURING, INC) - TRAILERS + + + + + PEMBERTON FABRICATORS, INC.; RANCOCAS, NJ + + + + + PENNSBURY MANUFACTURING CORPBENSALEM, PA; BOAT TRAILERS + + + + + PEMFAB TRUCKS; RANCOCAS, NEW JERSEY TRUCKS + + + + + P.E.M. MOTORCYCLE (PERRY E. MACK) WAVERLY MANUFACTURING COMPANY WISCONSIN + + + + + PENNCO INDUSTRIES, INC.SUBSIDIARY OF DEC INTERNATIONAL, INC.--WARREN, PENNSYLVANIA + + + + + PENDLAY + + + + + PENN METAL FABRICATORS EBENSBURG, PENNSYLVANIA + + + + + PENINSULA CAMPER MFG. + + + + + J. C. PENNEY + + + + + PENNSYLVANIA FURNACE AND IRONMFRS. TANKERS--COMPANY BOUGHT OUT BYDAIRY EQUIPMENT, MADISON, WISCONSIN + + + + + PENTON (KTM--AUSTRIA) + + + + + PENN-CUPIT INDUSTRIES LTD. + + + + + PEQUA GORDONVILLE PENNSYLVANIA + + + + + PERONE TRAILER + + + + + I.B. PERCH CO. + + + + + PERFORMANCE PRODUCTS, INC. + + + + + PEERLESS DIVISION DIV OF LEAR SIEGLER TUALATIN, OREGON + + + + + PERMA TENT CAMPER + + + + + PERRIS VALLEY CAMPERS + + + + + PEERLESS INTERNATIONAL CO., INC. + + + + + PETER BERGEN INDUASTRIES INC OF CANADA _TRAILERS - ADDED/ASSIGNED 2/7/14 + + + + + PETERSON INDUSTRIES, INC., KANSAS RECREATIONAL VEHICLES AND TRAILERS + + + + + PETTIBONE MICHIGAN CORP., SUBSIDIARY MERCURY MFG., CO + + + + + PETER PIRSCH & SONS CO.KENOSHA, WISCONSIN + + + + + PETTIBONE MERCURY, SUBSIDIARY MERCURY MFG., CO + + + + + PETTY FARM TRAILERS, LLC; PETTY, TEXAS TRAILERS + + + + + PEUGEOT + + + + + PEZZAIOLI / CARROZZERIA PEZZAIOLI S.R.L. ITALY + + + + + PRO FAB IND., INC; MOUNT VERNON, WASHINGTON TRAILERS + + + + + PRECISION FIRE APPARATUS; CANDENTON, MO + + + + + PFAUDLER CO. + + + + + PROFAB MEX S.A.DE C.V.; CHIHUAHUA, MEXICO TRAILERS, SEMI-TRAILERS + + + + + PERFORMAX; WYLIE, TEXAS - TRAILERS + + + + + PEGASUS VANS & TRAILERS, INC SANDUSKY, OH + + + + + PILGRAM INTERNATI0NAL, INC.; MIDDLEBURY, IN; FIFTH WHEEL TRAILERS; _NOT SAME AS PILGRIM MFG + + + + + PEAGUSAS + + + + + PHOENIX CAMPING TRAILER + + + + + P & H + + + + + PHAETON MOTORHOME; MFG BY TIFFIN MOTORHOMES, INC _RED BAY,ALABAMA + + + + + PHELAN MFG. CO.NASHVILLE, TENNESSEE + + + + + PHELPS HORSE TRAILER + + + + + PHILLIPS TRAILERSCHICKASHA, OKLAHOMA + + + + + PHILL TRAILER + + + + + PHILLIPS MFG. CO., INC.LEHI, UTAH + + + + + PHILIFT EQUIPMENT SALES CO. + + + + + PHANTOM TRIKES; BRIDGEPORT, PENNSYLVANIA MOTORCYCLES + + + + + PHOENIX TRIKE WORKS; MESA, ARIZONA MOTORCYCLES + + + + + PHOENIX TRAILERS, LLC; ELLSWORTH, MICHIGAN - BOAT TRAILERS + + + + + PIONEER COACH MFG. + + + + + PIONEER SALES & MFG. CO. + + + + + PIONEER PUMP, INC.; CANBY, OREGON TRAILER MOUNTED PUMPS + + + + + PIAGGIO GROUP AMERICAS INC, MAKER OF VESPA, PIAGGIO, MOTOR GUZZI, APRILIA & OTHER CYCLE AND SCOOTERS + + + + + PICK-UP TOP MFG. + + + + + PICKWICK + + + + + PIEDMONT DIV OF CONCORD MOBILE HOMES + + + + + PIERCE LOWBOY TRAILER + + + + + PIKE TRAILER COSOUTH GATE, CALIFORNIA + + + + + PIK RITE, INC LEWISBURG PENNSYLVANIA TRAILERS ADDED/ASSIGNED 2/24/16 + + + + + PILGRIM MFG. CO. + + + + + PILOT TRAILERS; FITZGERALD, GEORGIA TRAILERS + + + + + PINCOR PRODUCTS + + + + + PINES TRAILER CORP CHICAGO, ILLINOIS + + + + + PINIFARINA + + + + + PINSON TRUCK EQUIPMENT CO. + + + + + PINTO + + + + + PIPESTONE TANDEM BOAT TRAILER + + + + + PIPER INDUSTRIES, INC. + + + + + PIQUA ENGINEERING, INC. + + + + + PIERCE MFG., INC. MFR OF PIERCE DUPLEX,APPLETON, WISCONSIN + + + + + PITSTER PRO; MINI DIRT BIKES & MOTORCYCLES - MANUFACTURERD BY USA MOTORTOYS , LLC VMA/USAM + + + + + PITMAN DIV., EMERSON ELECTRIC CO. + + + + + PITS BY JJ; HOUSTON, TEXAS , SMOOKER BARB QUE TRAILERS + + + + + PIONEER TRUCKWELD INC.; SALEM, OREGON TRAILERS + + + + + PITTS ENTERPRISES (DBA - PITTS LOW BOY/HAULASS) _*** ALSO KNOWN AS : PITTS TRAILERS *** + + + + + PITMAN BROTHERS CO. + + + + + PITMAN DIV., A. B. CHANCE CO. + + + + + PITTSBURGH FORGING CO., FARM TOOLSDIV. + + + + + JOHN PITZER MFG. CO.GLENWOOD, IOWA + + + + + PIXIE PIKER TRAVEL TRAILER + + + + + PAUL JR DESIGNS, LLC ; ROCK TAVERN, NEW YORK - MOTORCYCLES + + + + + P.J. TRAILER MANUFACTURING, INCSUMNER, TX; UTILITY TRAILER + + + + + LINDSAY CO., INC., P. K.DEERFIELD, NEW HAMPSHIRE + + + + + PARKER TRAILER SALES, INC'; TEXAS + + + + + PLOT USA, INC DBA-ZERO ENGINEERING MOTORCYCLES LAS VEGAS, NV + + + + + PLASTIC ENGS. & CONSULTANTS + + + + + PLATTSBURG MFG. + + + + + PLAINS INDUSTRIES, INC. + + + + + PLAY-MOR TRAILERS, INC.WESTPHALIA, MISSOURI + + + + + PLAYMATE COACHES + + + + + PLANET PLOWS, INC. + + + + + PLAY PAC - RV TRAILERS + + + + + PLASTIC FORMING CO. + + + + + PLATT TRAILER CO. + + + + + PLAYBOY_AUTOMOBILE COMPANY/PLAYBOY MOTOR CAR CORPORATION _ BUFFALO, NEW YORK + + + + + PAULIBUILT; (BRAND MFG BY WELDING SHOP & MFG, LLC -VMA/WLDG) + + + + + PLAYBUOY PONTOON MFG., INC; MICHIGAN - TRAILERS + + + + + PL CUSTOM BODY & EQUIPMENT CO., INC., NEW JERSEY EMERGENCY VEHICLES; AMBULANCES, RESCUE SQUADS ETC. + + + + + PLEASURE HOMES MFG. + + + + + PLEASUREWAY MFG. + + + + + PLEASUREMATE INDUSTRIES + + + + + POLYJOHN ENTERPRISES CORP TRAILERS + + + + + POLAR KING INTERNATIONAL, INC. , FORT WAYNE, INDIANA REFRIGERATED TRAILERS; MOBILE UNITS + + + + + PALOMINO MANUFACTURING CORPORATION; ST. MARTIN, MINNESOTA MUV-ALL TRAILERS + + + + + PALM AIRE, INC.; ELKHART, IN + + + + + PALM BEACH GOLF CARS / LOW SPEED VEHICLES; DELRAY BEACH, FL LOW SPEED VEHICLES/ GOLF CARS; ADDED/ASSIGHED 1/12/15 + + + + + PEERLESS MANUFACTURING COMPANY, INC; SHELLMAN, GEORGIA + + + + + PAUL MUELLER COMPANY; SPRINGFIELD, MISSOURI _TRAILERS + + + + + PALMER MANUFACTURING, LLC; WISCONSIN - TRAILER + + + + + PARLIAMENT COACH CORPORATION; FLORIDA, BUS LIKE MOTORCOACHES + + + + + POLORON + + + + + PULLRITE TRAILERS; ONTARIO CANADA TRAILERS + + + + + PEERLESS LIMITED; CANADA - MFG PLANTS THROUGHOUT THE SOUTHERN US ARKANSAS + + + + + PLATINUM MANUFACTURING LLC; OKLAHOMA CITY, OK + + + + + PLATINUM & PLATINUM II; MFG BY COACH HOUSE INC MOTORHOMES + + + + + PLUTCHAK FAB, LLC MENOMINEE, MI + + + + + PLAYCAT INDUSTRIES, INC.POLAR BEARSEE RAYBON MANUFACTURING COMPANYPOLAR BEAR/WHIP ITSEE RAYBON MANUFACTURING COMPANY + + + + + POLYJOHN ENTERPRISES; WHITING, INDIANA TRAILERS + + + + + PLYMOUTH + + + + + PLAY PEN PRODUCTS, INC; SOUTH GATE, CALIFORNIA _TRAILERS + + + + + PALAZZO; MFG BY THOR MOTOR COACH INC. + + + + + PARK MODELS MANUFACTURING, INC., GEORGIA, CABIN & CONDO STYLE MOBILE TRAILER HOMES + + + + + PIONEER MOTORS USA,LLC MISSISSIPPI; MOTORCYCLES, DIRT BIKES, SCOTERS, ATV'S, GENERATORS AND REPLACEMENT PARTS_DIVISION OF SHANDONG PIONEER MOTORCYCLE CO.,LTD ;CHINA (JINAN FLYBO IS THE EXPORT ARM OF SHANDONG PIONEER) + + + + + PINE CONE LOW SPEED, LLC; LEBANON, OREGON LOW SPEED VEHICLES + + + + + PIONEER; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + PANHANDLE TRAILERS; IDAHO - TRAILERS + + + + + PINE-HILL MANUFACTURING, C0.; GAP, PENNSYLVANIA + + + + + PENN TRAILER + + + + + PANTERRA M0T0RSC00TER,M0T0RCYCLES,M0T0RBIKES + + + + + PANZER MOTORCYCLE WORKS, LLC COLORADO + + + + + PARTY PODS, LLC; ORLANDO, FLORIDA SELF CONTAINED ENTERTAINMENT + + + + + PORTAGE PAL TRAILER (BAILEY FABRICATING); HUMBOLDT, IOWA CANOEKAYAK TRAILERS + + + + + PREMIER PLUS ENTERPRISES; OREGON TRAILERS + + + + + PRO-PERFORMANCE MANUFACTURING, INC; OKLAHOMA CITY, OK TRAILER - ADDED/ASSIGNED 6/11/14 + + + + + PARADISE POWER SPORTS, LLC; FLORIDA POWER SPORTS VEHICLES + + + + + PROCONESSIONS TRAILERS; AUGUSTA, GEORGIA TRAILERS + + + + + PROFORM TRAILERS INC., POCAHONTAS, IL + + + + + PROGRESS + + + + + PRO LINE TRAILERS; COCOA, FL + + + + + PROMARK PRODUCTS CORP. + + + + + LES MACHINERIES PR0N0V0ST, INC; CANADA + + + + + PROPER CHOPPER MOTORCYCLES + + + + + PRO-TRAIL, INC.NASHVILLE, TENNESSEE + + + + + PROWLER INDUSTRIES + + + + + PRAIRIE TRAILERS SALES & SERVICE, MINNESOTA + + + + + PRAIRIE SCHOONER + + + + + PRESTON AMUSEMENTS, INC.; ALVARADO, TX + + + + + PRARIE SCHOONER, INC.ELKHART, INDIANA + + + + + PRATT INDUSTRIES, INC.; BELLEAIR BLUFFS, FL + + + + + PRECISION BOATWORKS; SITKA, ALASKA (TRAINING TRAILERS / MARINESAFETY + + + + + PIERCE ARROW + + + + + PRECISI0N CYCLE W0RKS; CAR0, MI; AGGRESS0R M0DEL + + + + + PRIDE HEAVY VEHICLE IND; PRIDE ENTERPRISES _ + + + + + PREVOST CAR, INC.MFRS. OF PREVOST BUS --SAINTE CLAIRE,QUEBEC, CANADA + + + + + PREBUILT MFG. + + + + + KEEL-HAULER MFD BY PRECISION DEBURRING & FABRICATING, INC + + + + + PRE-BUILT STRUCTURES + + + + + PREMIER TRAILER + + + + + PRECISION EQUIPMENT MANUFACTURING, INC., FARGO, NORTH DAKOTA + + + + + PRESIDENTIAL MOBILE HOMESDIV. U. S. ALUMINUM COMPANY + + + + + PRESVAC SYSTEMS (BURLINGTON) LTD. + + + + + PREW PROCO TRAVEL TRAILER + + + + + PROGRESSIVE TANK; ARTHUR, ILLINOIS TRAILERS + + + + + PROGRESSIVE INDUSTRIES OR PROGRESSIVE TRAILERS PHOENIZ, AZ + + + + + PRO HAULER TRAILER INC.; SOUTH CAROLINA + + + + + PARKHURST + + + + + PRIOR PRODUCTS, INC.DALLAS, TEXAS + + + + + PRIBBS STEEL & MFG., INC.; NORTH DAKOTA + + + + + ELKTON MFD BY PRICE-MEYERS CORP. + + + + + PRIEFERT MFG. CO., INC; MT PLEASANT, TEXAS TRAILERS + + + + + PRIDE & JOY MINI MOTOR HOME + + + + + PRIME MOVER + + + + + PRINCESS HOMES + + + + + PRIME TIME MANUFACTURING ( DIVISION OF FOREST RIVER, INC) ELKHART, INDIANA - FIFTH WHEELS, TRAVEL TRAILERS ETC. + + + + + PRIVATE COACHDIV. F & L CONSTRUCTION + + + + + PINES TRAILER CORP. PINE GROVE PENNSYLVANIA + + + + + PARK LINER, INC; GIBSONVILLE, NORTH CAROLINA TRAILERS + + + + + PAR-KAN COMPANY; SILVER LAKE, INDIANA TRAILERS + + + + + PROLINE PRODUCTS, LLC; NEW HAMPSHIRE NOT SAME AS VMA/PROL - PRO LINE; COCOA FL + + + + + PRO LITE TRAILERS; PECULIAR, MISSOURI + + + + + PRINCE MOTORS + + + + + PARMA COMPANY; PARMA, IDAHO TRAILERS + + + + + PREMC0 PR0DUCTS, INC.; LA VERNE, CA; TRIPLE L TRIALERS + + + + + PRIME TRAILER PRODUCTS; MCKINNEY, TEXAS + + + + + PARAMOUNT TANK, INC COMMERCE, CA + + + + + PRINCETON DELIVERY SYSTEMS / PIGGY BACK BRAND FORK LIFTS COLUMBUS OHIO + + + + + PR0 0NE M0T0RCYCLES & PARTS + + + + + PURPLE CHOPPER, LLC; DELAND, FLORIDA + + + + + PRO PULL, LLC; GREENWELL SPRINGS LOUISIANA + + + + + PRECESION POWERSPORTS; DISCOVERY LINE OF UTILITY TASK VEHICLES/UTV'S - XLT500, XLT700, XLT-C700, SX 800 + + + + + PRORIDE TRAILERS, PORT ALLEN, LOUISIANA + + + + + PRESTIGE CUSTOM TRAILERS CHRISTOPHER ILLINOIS + + + + + PROTERRA INC; GOLDEN, COLORADO - BUSES + + + + + PRO-TECH FABRICATORS, INC; FORT MORGAN, COLORADO _TRAILERS; ADDED/ASSIGNED 9/2/14 + + + + + PRESTIGE HOUSING CONWAY ARKANSAS + + + + + PRATHER ENGINEERING, INC ELKHART, IN + + + + + PROTAINER, INC; PROTRAILER (TRADE NAME) ALEXANDRIA, MN + + + + + PORTER MANUFACTURING CORP.; LUBBOCK, TEXAS MFG OF GROUNF SUPPORT EQUIPMENT FOR: DEPT OF DEFENSE + + + + + PROTECTION SERVICES, INC LEMOYNE, PA + + + + + PORT TRAILER MFG. CO.CITY OF INDUSTRY, CALIFORNIA + + + + + PROVAN INDUSTRIES (TIGER MOTORHOMES) SOUTH CAROLINA + + + + + PROWLER, PROWLER FW, PROWLER LYNX, PROWLER SPORT FW _MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + PRYER INDUSTRIES (ADA, OHIO) + + + + + PURE STEEL CUSTOM CYCLES, INC. + + + + + PRO-STREET FRAMEWORKS, LLC; HENRYETTA, OKLAHOMA _MOTORCYCLES; ADDED/ASSIGNED 4/14/14 + + + + + PORTERSVILLE SALES & TESING, INC; PORTERSVILLE, PA. (PORTER) + + + + + PRO STOCK TRAILER MANUFACTURING, OREGON & NEVADA + + + + + PROSTAR, LLC LIMA, OHIO + + + + + PRODUCTION TECHNOLOGIES, INC LOGAN UTAH TRAILERS + + + + + POTOMAC RV; ELKHART, INDIANA - TRAILERS + + + + + PETERSON MOTOR INDUSTRIAL CO., LTD + + + + + PARALLEL INTELLIGENT TRANSPORTATION, LLC (DBA-PIT MOTORS, LTD)SCOOTERS, MOTORCYLES ETC + + + + + PETRO 2 GO,LLC DE PERE WISCONSIN TRAILERS + + + + + PETERBILT MOTORS CO.DIV. OF PACCAR, INC. + + + + + PRO-TRAK TTRAILERS, INC.; CANTON, TX + + + + + INDEPENDENCEMFD. BY PATRIOT HOMES, INC. + + + + + PETERSON TRAILERS; GIBSONTON, FLORIDA TRAIELRS + + + + + P & T TRAILER SALES, ALABAMA ( CAR HAULER, LANDSCAPING, UTILITY & EQUIPMENT TRAILERS) + + + + + PRO-TRAC TRAILERS WEST RANCHO CORDOVA, CA + + + + + PTV + + + + + PT WELDING, LLC; WOODLAND, CALIFORNIA - TRAILERS / GRAIN HOPPERS + + + + + PUCH + + + + + PUCKETT BROTHERS MFD. DIV. CO. INC.LITHONIA, GEORGIA + + + + + PULL-D0 TRAILERS, L0NE 0AK, TEXAS + + + + + PULL A LONG MFG. & SALES + + + + + PULLERS PRIDE, INC.(TRADE NAME) MURPHY'S WELDING;PETAL, MISSISSIPPI + + + + + PUL-TOY TRAILERS, INC CENTRAL POINT, OR + + + + + PUMA CAMPER SALES DIV AMERICAN STERLING ENTERPRISES + + + + + PULLMAN MODULAR INDUSTRIES (TRAILER) WORCESTER, MA PULLMAN COACH COMPANY, LLC + + + + + PUMA + + + + + PUTZMEISTER; WISCONSIN & CALIFORNIA MFG & SOLD WORLWIDE _CONCRETE / MORTAR EQUIPMENT - ADDED/ASSIGNED 9/16/14 + + + + + PUZEY BROS., INC.FAIRMONT, ILLINOIS + + + + + PIVCO AS, ELECTRIC CARS FROM NORWAY - 1999 FORD MOTOR BOUGHT INTEREST IN CO., CHANGED THE NAME OF BOTH CITI & PIVCO TO THINK.THEN REPLACEDIT WITH THE NEIGHBOR VEH. 2002 DISCONTINUE PRODUCTION + + + + + PLEASANT VALLEY HOMES, INC; PINE GROVE, PENNSYLVANIA MOBILE & MODULAR HOMES ADDED/ASSIGNED 8/11/14 + + + + + JOEY 4*7, 5*7; MFG BY PLEASANT VALLEY TEARDROP TRAILERS, LLC + + + + + MYPOD MFG BY;PLEASANT VALLEY TEARDROP TRAILERS VMA/PVTT + + + + + RASCAL; MFG BY PLEASANT VALLEY TEARDROP TRAILERS, LLC + + + + + 5,6 WIDE ROUGH RIDER MFG BY: PLEASANT VALLEY TEARDROP TRAILERS, LLC + + + + + 4*8, 5*8, 5*10, 6*10 MFG BY: PLEASANT VALLEY TEARDROP TRAILERS, LLC + + + + + T AND G BRAND MFG BY PLEASANT VALLEY TEARDROP TRAILERS + + + + + PORTLAND VINTAGE TRAILER WORKS, LLC; PORTLAND, OREGON + + + + + PLEASANT VALLEY TEARDROP TRAILERS, LLC; SUGARCREEK, OHIO + + + + + PLEASURE-WAY INDUSTRIES, LTD., SASKATOON SASK., CANADA + + + + + POWER DYNE + + + + + POWERLITE; BRAND MFG BY PACIFIC COACHWORKS,INC. CALIFORNIA + + + + + POWER TRAC MACHINERY + + + + + PW TRAILER + + + + + PEREWITZ MOTORCYCLES; BRIDGEWATER, MASSACHUSETTS MOTORCYCLES + + + + + BASIS MFG BY PLEASURE-WAY + + + + + EXCEL;MFG BY PLEASURE-WAY + + + + + LEXOR; MFG BY PLEASURE-WAY + + + + + PLATEAU; MFG BY PLEASURE-WAY + + + + + TRAVERSE; MFG BY PLEASURE-WAY + + + + + PYLE HAUL-IT-ALL FLATBED + + + + + PYRAMID MOBIL HOMES + + + + + Q C METAL FAB., INC ELKHART, IN + + + + + QE MFG. CO., INC.NEW BERLIN, PENNSYLVANIA + + + + + CHINA QINGQI GROUP, INC; MOTORCYCLES,MOPEDS,SCOOTERS ETC + + + + + QIANJIANG M0T0RCYCLE GR0UP C0RP.; P.R. CHINA QIANG M0T0RCYCLESOR ZHEJIANG QIANJING MOTORCYCLE CO., LTD + + + + + QIPAI MOTORCYCLE CO., LTD OR JIANGMEN QIPAI MOTORCYCLE CO., LTD, (AKA) QIPAI MOTORS; CHINA + + + + + QIYE SCOOTER CO., LTD OR ZHEJIANG QIYE SCOOTER CO., LTD CHINA, SCOOTERS, POCKET BIKES, ATV'S, DIRT BIKES ETC + + + + + QUALITY CARGO; NASHVILLE, GEORGIA TRAILERS + + + + + Q LINK OR QLINK LP, GRAPEVINE, TEXAS MOTORCYCLES + + + + + QUALITEC MANUFACTURING, LLC; BRISTOL, INDIANA + + + + + QUALITY BUILT TRAILER, INC.; NEW MARKET, TN + + + + + QUALITY PRODUCTS, INC.; WEST VIRGINIA (TOM BOY & PACK MULE) + + + + + QINGXIN LIANTONG INDUSTRY LIMITED; GUANGDONG, CHINA + + + + + QUANTYA SA - MOTORCYCLES + + + + + QUALITY STEEL & ALUMINUM PRODUCTS; ELKHART, INDIANA + + + + + QINGDOA SINGAMAS INDUSTRIAL VEHICLE CO., LTD. SAN RAMON CA. + + + + + QUADRAX, FAT DADDY FAB OR FAT DADDY RACING, L.C. _(FAT DADDY RACING, L.C. IS PARENT COMPANY - OGDEN, UTAH + + + + + QUAKER CITY IRON WORKS, INC.PHILADELPHIA, PENNSYLVANIA + + + + + QUALITY TRAILER + + + + + QUALITY TRAILER MANUFACTURY/MANUFACTURING, INC, MIAMI FLORIDATRAILERS + + + + + QUICKLOAD_CUSTOM BUILT TRAILERS; FLORIDA + + + + + QUIK MANUFACTURING, CO; FOUNTAIN VALLEY, CA + + + + + QUINCY COMPRESSOR DIV.COLT IND, INC., QUINCY, ILLINOIS + + + + + QUALITY TRAILERS OF N.C., INC.; LEXINGTON, NORTH CAROLINA + + + + + QUALITY MFG. CO., INC.; ROME, NEW YORK + + + + + QVALE. MODENA, ITALY ; QVALE AUTOMITIVE GROUP LTD. MAKER OF MANGUSTA SPORTS CAR _ + + + + + QWS EXPRESS TRAILERS, INC; COMMERCE, TEXAS + + + + + QINGYUAN ELECTRIC VEHICLE CO., LTD. (AKA) TIANJIN QINGYUAN ELECTRIC VEHICLE CO., LTD. + + + + + ROOFMASTER + + + + + ROOSE MANUFACTURING; PELLA, IA + + + + + ROOTES + + + + + ROAM-A-BOUT CAMPER + + + + + ROAD ROAMER CAMPERS + + + + + ROAD MOTOR HOME + + + + + ROADLINER MFG. DIVISION + + + + + ROADMASTER MFG. CO. + + + + + ROADRUNNER MFG. CORP. + + + + + ROADWAY TRAILER, LTD. + + + + + ROAMINGHOME CO., INC. + + + + + ROADMASTER RAIL, INC; CHERRY VALLEY ILLINOIS, INCOMPLETE CHASSIS NOT SAME AS ROSDMASTER VMA/ROAF + + + + + ROAD WARRIOR; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + R0BB KAUFMAN, INC.; LEXINGT0N, N0RTH CAR0LINA + + + + + ROBIN MFG. CO. + + + + + ROBINHOOD MOTOR HOMES, INC.REDONDO BEACH, CALIFORNIA + + + + + ROBIN HOOD TRAVEL TRAILERS + + + + + ROBERT HORSE TRAILER + + + + + R. O. CORP. + + + + + ROCKIN-BAR TRAILERS LTD.DURANT, OKLAHOMA + + + + + ROCKET TRAILER, LTD. + + + + + ROCKFORD WELDING & MACHINE + + + + + ROCHDALE + + + + + ROCKFORD + + + + + ROCKIE MOUNTAIN MFG., INC. + + + + + ROCKLAND HOMES, INC. + + + + + MANITOU MOBILE HOMES MFD BY ROCHESTER HOMES, INC. + + + + + ROCKPORT TRAILER MFG. CORP. + + + + + RODERUNNER BIKE TRAILERS, INC FORT WORTH, TX + + + + + RODS & RIDES BY TD, LLC; SAINT JAMES, MISSOURI MOTORCYCLES + + + + + ROYAL ENFIELD MOTORS SUBSIDIARY OF EICHER MOTORS LIMITED + + + + + ROGER CARTER CORP, KINSTON, NORTH CAROLINA _MOBILE OFFICE TRAILERS, ETC - ADDED/ASSIGNED 9/17/14 + + + + + ROGERS BROTHERS CORP. + + + + + ROGUE MARINE, LLC / RIVERBANKS MANUFACTURING, LLC; OREGON BOAT TRAILERS + + + + + ROGERS TRAILERS, INC. + + + + + ROGUE RIVER TRAILER MFG. CO. + + + + + ROCKNE + + + + + ROCKLAND MFG. CO., INC. + + + + + ROKON + + + + + ROCKWOOD, INC.MILLERSBURG, INDIANA + + + + + ROLLS-ROYCE + + + + + ROLAND CURTAINS USA INC., ARLINGTON, TEXAS + + + + + ROLLING BOAT, INC.; ESTACADA, OREGON TRAILERS + + + + + ROLCO MFG. CO. + + + + + ROLL-O-FLEX, LTD.REGINA, SASKATCHEWAN + + + + + ROLLIGON - NAV, LP; ANDERSON, TEXAS - TRAILERS + + + + + ROLL-A-LONG & STERLING COACH CO. + + + + + ROLITE, INC. + + + + + ROLLFAST + + + + + ROLLING HOMES, LTD. + + + + + ROLL N TRAILERS; HILL CITY, MINNESOTA TRAILERS + + + + + MAYBERRY MFD BY ROLLOHOME CORP. + + + + + ROLLS RITE TRAILERS, INC; MARIANNE, FL + + + + + ROLLS INTERNATIONAL TRAILER MOBILE HOME + + + + + R0LLING THUNDER M0T0RCYCLES CUST0M + + + + + ROYAL LAND YACHT + + + + + ROMAE INDUSTRIESMOUNTAIN VIEW, MISSOURI + + + + + ROME INDUSTRIES, INC. + + + + + ROSS MANUFACTURING & WELDING, LLC; BURLEY, IDAHO _TRAILERS + + + + + RONCO COACHES, INC. + + + + + RON'S TRAILERS INC.; OREGON, OH + + + + + ROPER OUTDOOR POWER PRODUCTS KANKAKEE ILLINOIS + + + + + ROAD RANGER CAMPER TRAILER + + + + + ROADRUNNER FABRICATION, INC; FLIPPIN, ARKANSAS TRAILERS + + + + + ROAR MOTORCYCLES, INC., DYATONA BEACH, FLORIDA (MOTORCYCLES) + + + + + ROAD RUNNER + + + + + ROADRUNNER RV SUPPLIERS; EPHRATA, WASHINGTON _TRAILERS + + + + + ROSA TRAILER MANUFACTURING, WISCONSIN LOGGING/FORESTRY TRAILERS + + + + + ROSCO MFG. CO.MINNEAPOLIS, MINNESOTA + + + + + ROSEMONT MOBILE HOME DIV DEROSE INDUSTRIES + + + + + ROSSION OR ROSSION AUTOMOTIVE - POMPANO BEACH, FL + + + + + J.H. ROSS CO. + + + + + ROTOCRAFT BOAT TRAILER GRANTS PASS OREGON + + + + + ROTOCHOPPER,INC GRINDING MACHINES WOOD PRODUCTS MINNESOTA + + + + + ROTECH, INC. + + + + + ROCKETT TRAILERS MEDLEY FLORIDA BOAT TRAILERS + + + + + ROULETTE CARAVAN CO. + + + + + ROUST-ABOUT + + + + + ROVER + + + + + ROWSE HYDRAULIC RAKE CO. + + + + + ROXON OFFICINA ITALIANA S.R.L ITALY MOTORCYCLES,DIRT BIKES DUNE BUGGYS,ATV'S + + + + + ROYAL BROTHERS + + + + + ROYAL CREST CO. + + + + + ROYER FOUNDRY AND MACHINE CO.KINGSTON, PENNSYLVANIA + + + + + ROYCO MFG. CO. + + + + + ROYAL CARGO TRAILERS, INC; MIDDLEBURY, IN + + + + + ROYCRAFT COACH CO. + + + + + ROYAL INDUSTRIES NOBLE DIV. + + + + + ROYALS INTERNATIONAL MILLERSBURG INDIANA + + + + + RABBIT + + + + + RABBIT, JR. + + + + + 5150 RACE TRAILERS + + + + + RACH WELDINGST. JOSEPH, MICHIGAN + + + + + RACINE CONSTRUCTION TOOL DIV.,RACINE FEDERATED, INC. + + + + + THE RACK FACTORY ; FERRISBURGH, VERMONT (TRAILERS) + + + + + RACMAC TRAILER + + + + + ROADCRAFT MFG. & LEASING + + + + + RADAMACHER TRAILER + + + + + RAD INDUSTRIES; MOTORCYCLE TRAILERS MOTORCYCLE LIFTS, BOAT LIFTS AND POWER LIFTS ETC + + + + + RADICAL SPORTSCARS U.K.; PETERBOROUGH, ENGLAND MODELS INCLUDE - RXC, SR1, SR3, SR8 + + + + + RAES UTILITY TRAILER + + + + + RAFTER D TRAILER MFG.; CHARLESTON, MISSOURI + + + + + RAGE'N INC, FALCON, BALCKHAWK, STRYKER MODELS TRAILERS RIVERSIDE, CALIFORNIA + + + + + RAGLAN INDUSTRIES / RAGLAN WELDING SHOP., LTD OSHAWA ONTARIO CANADA + + + + + RAINBOW CAMPER CO. + + + + + RAINBOW CORP. + + + + + LEISURE VEHICLES, INC.TROY, MI + + + + + RAINWAY MFG. CO. + + + + + RAIDTRAC; CANADA MULTI WHEELED AND TRACKED ATV VEHICLES AND SNOWMACHINES + + + + + RAJA TRAILER & EQUIPMENT SALES LTD.; BRITISH COLUMBIA,CANADA + + + + + RAJYSAN INCORPORATED; VAN NUYS, CALIFORNIA TRAILERS + + + + + RALLYMASTER TRAVEL TRAILER ARLINGTON TEXAS + + + + + RAM TRUCKS CHANGED FROM MODELS TO LINE MAKES UNDER CHRYSLER GROUP BEGINNING W/MODEL YEAR 2013. AFFECTED MODELS ARE:1500-VMO/150, 2500-VMO/250, 3500-VMO/350, 4500-VMO/450, 5500-VMO/550_VIN POS 5 WILL BE ALPHA CHAR R FOR 2013 D FOR 2012 & PRIOR + + + + + RAMADA TENT CAMPING TRAILER + + + + + RAMBLER-MANUFACTURED PRIOR TO 1966,1966 AND LATER RAMBLERS MANUFACTURED BY AMERICAN MOTORS - SEE AMERICAN MOTORS + + + + + RAM ENTERPRISES, LLC; ELGIN, NEBRASKA - TRAILERS + + + + + RAMIKA INDUSTRIES; CHATSWORTH, CALIFORNIA (TRAILERS) + + + + + RAM-LIN CUSTOM TRAILERS, INC + + + + + R & A MANUFACTURING PARTENRS, LTD.; HOUSTON, TX + + + + + RAMSEY TRAILERS + + + + + RAMSES + + + + + RANCHETTE TRAVEL TRAILER + + + + + RANCHO TRAILERS, INC. + + + + + RANDALL, WALTER + + + + + RANDOLPH COACH + + + + + RANGER BOATS & TRAILERS, FLIPPIN, ARKANSAS, BOAT TRAILERS + + + + + RANCH KING ENTERPRISES, INC. BELLEVILLE, TEXAS + + + + + R-ANELL HOMES, INC.DENVER, COLORADO + + + + + RANCH MANUFACTURING COMPANY; LAMAR, COLORADO + + + + + RANSOME LIFT EQUIPMENT CO., SUBSIDI-ARY OF GILES & RANSOME, RANSOME MANUFACTURING ; FESNO, CA + + + + + RAPID TRAVELER COACHES + + + + + RAPSURE, INC; NAPPANEE, IN UTILITY & OTHER TYP TRAILERS + + + + + RATCO WELDINGBILLINGS, MONTANA + + + + + RAT RACE TRIKES; PHOENIX, ARIZONA MOTORCYCLES + + + + + RATZLAFF TRAILERS TENT TRAILERS + + + + + RAVO INTERNATIONAL BV NETHERLANDS TRUCKS STREET SWEEPERS ETC + + + + + RAVENS-METAL PRODUCTS, INC.PARKERSBURG, WEST VIRGINIA + + + + + RAVENS, INC; KENT, OHIO TRAILERS + + + + + ARKANSAS TRAVELERMFD. BY RAWHIDE STOCK & HORSE TRAILERMFR., INC. + + + + + RAW STRIKER LTD.; UNITED KINGDON + + + + + RAYCO MANUFACTURING,INC.; WOOSTER,OH EQUIPMENT & TRAILERS + + + + + RAYNE PLANE, INC. + + + + + RAYFAB INC., PRINCETON ONTARIO, CANADA + + + + + RAYGO, INC.MINNEAPOLIS, MINNESOTA + + + + + RAYMOND PRODUCTS CO. + + + + + RAYMUR ACCEPTANCE CORP. + + + + + RAYNELL CAMPERS + + + + + RAY-TECH INFRARED CORP; NEW HAMPSHIRE TRAILERS + + + + + RAZOR MFG BY HEARTLAND RECREATIONAL VEHICLES, LLC _5TH WHEEL / TOY HAULER TYPE TRAILER + + + + + ROAD BOSS TRAILER MFG., LLC; PAULS VALLEY, OKLAHOMA + + + + + BAY POINT; MFG BY RECREATION BY DESIGN, LLC TRAILER + + + + + MONTE CARLO; MFG BY RECREATION BY DESIGN, LLC _TRAILER + + + + + RBM MFG; FORT FAIRFILED, MAINE - TRAILERS + + + + + R-B MANUFACTURING CO; OLATHE, KANSAS TRAILERS + + + + + NORTH AMERICAN; MFG BY RECREATION BY DESIGN, LLC TRAILERS + + + + + MINI-CRUISERMFD. BY R.B.R. CORP. + + + + + ROYAL TRAVEL; MFG BY RECREATION BY DESIGN, LLC TRAILERS + + + + + ROBINSON METAL INC. DBA-ROBINSON CUSTOM ENCLOSURES DEPERE, WISCONSIN; TRAILERS + + + + + ROBERTS METAL MANUFACTURING, CO; HUNTING PARK, CALIFORNIA + + + + + RECREATION BY DESIGN LLC.; ELKHART, IN + + + + + RACE COACHES, INC CUTHBERT, GEORGIA TRAILERS + + + + + RECONSTRUCTED TRAILERS + + + + + RACE CAR REPLICAS; CLINTON TOWNSHIP, MI + + + + + REC BOAT HOLDINGS, LLC; CADILLAC, MICHIGAN TRAILERS, BOAT + + + + + ROOSTER CUSTOM CYCLES, INC WASHINGTON MOTORCYCLES + + + + + RC COMPONENTS + + + + + RCO FABRICATION, LLC DBA-MINI TRAILER USA, CUSHING,OKLAHOMA TRAILERS + + + + + RICHARDS UTILITY TRAILER + + + + + RICHWAY INDUSTRIES JANESVILLE, IA + + + + + R.C. INDUSTRIES, INC.GOSHEN, INDIANA + + + + + ROCKING CHAIR MANUFACTURING; ANTLERS, OKLAHOMA - TRAILER CAR HAULER + + + + + ROCKFORD COMMERCIAL WAREHOUSE, INC.; MACHESNEY PK, IL _TRAILERS ADDED/ASSIGNED 4/28/14 + + + + + ROCK HILL BODY CO (ROCK HILL BUGGY COMPANY); ROCK HILL, SC TRUCK BODIES, TANK TRUCKS, ETC + + + + + BIG A MFG BY RICKEL MFG. CORP. + + + + + ROCKY MOUNTAIN TRAILERS; AURORA, COLORADO TRAILERS + + + + + R0CKIN L. RIGGIN C0RP.; GRAHAM, TEXAS + + + + + ROCKPORT MFG BY FOREST RIVER VMA/FRRV COMMERCIAL TRUCKS + + + + + ROCKET CITY TRAILERS, INC.; HUNTSVILLE, ALABAMA _TRAILERS CAR HAULERS + + + + + ROCKY TOP TRAILERS, LAFOLLETTE, TENNESSEE + + + + + R CLARK ENTERPRISES PORTLAND, OR + + + + + R0AD CLIPPER BY DIAM0ND C TRAILER MANUFACTURING; MT. PLEASANT,TX + + + + + ROCHESTER CARRIAGE MOTOR COMPANY, ROCHESATER, NY + + + + + RC MOTOR HOME + + + + + RC MOTORSPORTS; OR RC MOTORS, MOTORCYCLES ETC. + + + + + RC TRAILERS, INC; MIDDLEBURY, INDIANA TRAILERS + + + + + RED DOG TRAILERS - ROYALTON, MINNESOTA TRAILERS + + + + + RED OAK MFG, INC.; RED OAK, IOWA TRAILERS + + + + + R AND D BALER TRAILERS, LLC; EUGENE, OREGON + + + + + READING BODY WORKS, INC; READING, PENNSYLVANIA _TRUCKS + + + + + RADICAL CURVES CUSTOM MOTORCYCLES LAKE WORTH, FLORIDA + + + + + RAIDER + + + + + RIDEAU / ALUMINUM RIDEAU FRANCE + + + + + RIDGELINE, INC; WASHBURN, TN + + + + + REDRAGON / REDRAGON OIL & GAS SYSTEMS INTL., INC. ONTARIO CANADA UTILITY AND RECYCLING SYSTEMS + + + + + RDH MANUFACTURING, INC HOLLY HILL, FL + + + + + ROAD KING TRAVEL TRAILERS + + + + + RIDLEY MOTORCYCLE COMPANY; OKLAHOMA CITY, OK + + + + + REID MANUFACTURING LLC; CARROLLTON, GA TRAILR MOUNTED PAVING EQUIPMENT + + + + + ROADMAN CAMPERS, LLC; MINNESOTA TRAILERS + + + + + RED STREAK SCOOTERS PRODUCT OF MEITIAN MOTORCYCLE CO VMA/MEIT + + + + + R & D TRAILER & EQUIPMENT SALES TEXAS + + + + + REO + + + + + REA TRAILER CO.ELGIN, ILLINOIS + + + + + READI-BUILT TRAILERS; THOMASVILLE, NC + + + + + REALCO TRAILER + + + + + REAR'S MFG. CO. + + + + + REBEL MOBILE HOMEDIV. SKYLINE HOMES + + + + + REBEL BOAT TRAILER + + + + + RECONSTRUCTED MOTORCYCLE (SEE OPERATING MANUAL PART 1) + + + + + R.E. CUSTOM BOAT TRAILERS WEST COLUMBIA, SC + + + + + RECO GOLIATH TENT TRAILER + + + + + RECREATIVE INDUSTRIES, INC. + + + + + REC-SHA TRAILER + + + + + RED ARROW TRAILER CO. + + + + + RED BARON CHOPPERS; PHOENIX, ARIZONA MOTORCYCLES + + + + + REDCAT M0T0RS JEFFERS0N, L0UISIANA; CHEETAH M0DEL + + + + + RED DALE COACH CO. + + + + + RED GOOSER HORSE TRAILER + + + + + RED HORSE MOTORWORKS; LENEXA, KS + + + + + REDI-GO TRAVELER + + + + + REDDICK EQUIPMENT CO., INC. + + + + + COUNTRY ESTATE MFD BY REDMAN HOMES, INC. + + + + + REDNECK ENGINEERING; SOUTH CAROLINA; MOTORCYCLES ETC. + + + + + RED RIVER CUSTOM TRAILER, CLARKSVILLE, TEXAS + + + + + REDSTONE COACH CO. + + + + + RED BARON TRAILERS; PHOENIX, ARIZONA + + + + + REED ENTERPRISES, INC. + + + + + REED MFG. CO. + + + + + REEL TRAILERS + + + + + REESE PRODUCTS, INC ELKHART, IN + + + + + REEVES TRAILER + + + + + REGENT HOMES CORP. + + + + + REGIS CORP. + + + + + REGAL MOTOR CAR COMPANY DETROIT MI + + + + + REGARD MACHINERY CO., LTD. OR JINHUA REGARD MACHINERY CO.,LTD CHINA MOTORCYCLES + + + + + REGENCY GT; MFG BY TRIPLE E RECREATIONAL VEHICLES CANADA, LTD + + + + + REGION WELDING, INC; UNION, MISSOURI TRAILERS + + + + + REIDS TRAILERS, INC.PLEASANT GARDEN, NORTH CAROLINA + + + + + REINELL BOAT TRAILER + + + + + REISER MANUFACTURING, INC.; NEW WATERFORD, OHIO _TRAILERS + + + + + REITNOUER, INC; READING, PENNSYLVANIA TRAILERS + + + + + RELIANT + + + + + RELIABLE TANK INC.RHONE, TEXAS + + + + + RELCO CORP.MFD. IN NORTH BILLERICA, MASSACHUSETTS + + + + + RELIANCE TRAILER MFG.DIV. REDWOOD RELIANCE SALES CO.,COTATI, CALIFORNIA + + + + + RELIART TRAILER MFG. CO. + + + + + REALITE / REAL LITE TRAILERS & MOTORHOMES + + + + + REMORQUES, TANQUES Y EQUIPOS, S.A. DE C.V, MEXICO + + + + + REMACKEL WELDING AND MANUFACTURING; FOREST LAKE, MINNESOTA TRAILERS (VARIOUS STYLES) + + + + + REMBRANT MOBILE HOME + + + + + REMCO MFG BY ROME ENGINEERING & MFG. CO. + + + + + COUNTRYSIDE MOBILE HOME MFG BY REMIC INDUSTRIES, INC. + + + + + REMKE TRAILER + + + + + REMEQ, INC. PRINCEVILLE, QUEBEC CANADA + + + + + REMTEC; COLUMBIA-REMTEC; ALL FALL UNDER THE UMBRELLA OF REMCOR GROUP LBT, INC ACQUIRED BY THE REMCOR GROUP + + + + + RENAULT + + + + + RENEGADE TRIKES ; INDIANA (ECSTASY INC VIN WMI/1E9/157) ALSO SEE ECSTASY INC VMA/RENE + + + + + RENT-A-TRAILER CORP. + + + + + A RESTROOM TRAILER COMPANY, LLC; CONSTANTINE, MICHIGAN + + + + + RE'S TRAILERS; STARKE, FLORIDA - TRAILERS + + + + + RETTIG ENTERPRISES; SIKESTON, MO + + + + + REVO MOTOR COMPANY OR REVO NORTH AMERICA + + + + + REVOLUTION CYCLE COMPANY; MARIETTA, GEORGIA MOTORCYCLES + + + + + REVELLA CAMPING TRAILER + + + + + REVCON + + + + + REEVES ROOFING EQUIPMENT CO. + + + + + REWACO - TRIKES, LLC; OR REWACO-TRIKES USA LAS VEGAS NEVADA + + + + + REX + + + + + REXHALL; MANUFACTURER 0F AERBUS, R0SEAIR, REXAIR & 0THER MOTORHOMES + + + + + REX MOBILE HOMES DIV OF DIVCO-WAYNE INDUSTRIES + + + + + REXNORD, INC. + + + + + REYNOLDS MFG. CO. + + + + + RFC MFG., INC. + + + + + RON'S FIX-IT SHOP; NEW HAMPSHIRE, TRAILERS + + + + + R & G + + + + + ROGUE INDUSTRIES, INC; WHITE CITY, ORIGON + + + + + RHODES TRAILERS AND TRUCK BODIES OR AJR, INC PARKERSBURG, WV TRUCK, TRAILER BODIES + + + + + RHON MOTORCYCLE CO., LTD OR QINGQI GROUP NINGBO RHON MOTORCYCLE CO., LTD - CHINA, MOTORCYCLES, MOTOR SCOOTERS, ATV'S ETC + + + + + RHEA'S TRAILER SALES, INC.; TEXAS + + + + + RINGO HILL FARMS EQUIPMENT COMPANY, INC., QUAKERTOWN, PENNSYLVANIA (AKA) RINGO, TRAILERS + + + + + RHINO TOOL COMPANY + + + + + RYAN HOWELL MARKETING, LLC (DBA-RHM, LLC) CALDWELL,IDAHO + + + + + RHIN0 TRAILER MANUFACTURING; MAN0R, TX + + + + + RICHARD PICHE, INC.QUEBEC, CANADA + + + + + DARIAN MOBILE HOMES MFD BY RICHARDSON DIV. GREAT SOUTHWESTERN CORP + + + + + RICE TRAILER CO, DENISON, IOWA + + + + + RICHARDSON HOMES CORP. + + + + + RICKMAN TRAILER + + + + + RICHARDS & CLARK MFG. CO. + + + + + RICHLAND HOMES MFG. CO.SUBSIDIARY MAGNOLIA MOBILE HOME + + + + + RICH'S PORTABLE CABINS OR RICH'S VACATION COTTAGES; _NORTH POWDER, OREGON - PARK MODEL RV'S/TRAILERS + + + + + RICHARDSON MFG. CO., INC. + + + + + RIDE-ON,INC. MFRS BOAT TRAILERS CERES, CALIFORNIA + + + + + RIDGECRAFT CORP.BRECKENRIDGE, TEXAS + + + + + RIGHT PRODUCTS, INC. + + + + + R & I INDUSTRIES CITY OF INDUSTRY CALIFORNIA + + + + + RILEY (AUTO) + + + + + RILEY FORESTRY EQUIPMENT; MONTEZUMA, GA, SAWS, DELIMBERS, GRAPPLES, HYDRA-GATES (DELIMBING) MONTEZUMA, GA + + + + + RIMER, INC. + + + + + RICH INDUSTRIES + + + + + RING-O-MATIC MFG. CO.PELLA, IOWA + + + + + RINK MFG. CO. + + + + + RIPCO, INC. + + + + + RIVER RIM TEARDROPS, LLC; CAHONE, COLORADO _TRAILERS; ADDED/ASSIGNED 12/16/14 + + + + + RITE-BILT + + + + + RITE-ON TRAILERS DIV OF WINDWARD MARKETING + + + + + RIVER TRAIL TRAILERS LITTLE ROCK ARKANSAS + + + + + RITE-WAY TRAILER, INC.; MICHIGAN + + + + + RANGER MOBILE HOMES MFD BY RITZ-CRAFT, INC. INDIANA SEE RITZ-CRAFT OF PA, INC + + + + + RIVERBIRCH MOBILE/MODULAR HOMES; LOUISIANA + + + + + RIVERCRAFT; BOAT TRAILERS + + + + + RIVERDALE STEEL WORKS + + + + + RIVIERA + + + + + THE RIVERMAN BOATWORKS OR RIVERMAN BOATWORKS ALSO DBA- FISHCRAFT/SMITH / ROCK RIVERBOATS + + + + + BROWN TRENCHER DIV., RIVINIUS, INC. + + + + + BILL RIVERS + + + + + RIVERSIDE TRAVEL TRAILER, INC; PERU, INDIANA FORMERLY ADVENTURE MANUFACTURING & TIMBERLAND + + + + + RIVERSIDE TRAVEL TRAILER, INC + + + + + RIVER RUN + + + + + RIVIERA MFG. CO. + + + + + RIYA MOTORCYCLE CO LTD OR ZHEJIANG RIYA MOTORCYCLE CO LTD _(DBA-MOTORCYCLES FROM 50CC TO 300CC) CHINA + + + + + REMORQUES JMS TRAILERS, QUEBEC, CANADA + + + + + R JENKINS TRAILERS OR RJ'S WELDING; SOUTH CAROLINA + + + + + R & J TRAILERS, INC OR R & J TRAILERS COMPANY, FRESNO, CALIF. + + + + + RKO ENTERPRISES; MADISON, INDIANA - FIRE APPARATUS + + + + + ROCK AND ROLL PARENT COMPANY - KOCH PERFORMANCE GROUP, LLC DBA-ROCK AND ROLL + + + + + ROKETA MOTOR SCOOTERS, DISTRIBUTED BY GOLDENVALE ALSO KIDS SNOWMOBILE;SUPER SNOW-FOX MODEL + + + + + ROCKWELL + + + + + ALLEN, R. L. COMPANY, INC.BATTLE CREEK, MICHIGAN + + + + + RELIABLE CUSATOM TRAILERS, LLC., KAUKAUNA, HAWAII + + + + + REVOLOGY CARS INC (REPLICAS) ORLANDO FL + + + + + ROCK LINE PRODUCTS, INC, LA VERNE, CALIFORNIA - TRAILER + + + + + ROLLRITE TRAILER MANUFACTURING; LODI, CALIFORNIA _TRAILERS + + + + + ROLLINGSTAR, MFG., INC. ; BARNEVELD, NY + + + + + ROULOTTES PROLITE, INC. QUEBEC CANADA + + + + + ROLUX / STE ROLUX FRANCE MINI CAR + + + + + RANCH MANUFACTURING COMPANY; LAMAR, COLORADO _TRAILERS + + + + + RAMPLESS MOTORCYCLE TRAILERS FT. LAUDERDALE, FL + + + + + RAMPANT TRAILERS, LLC NORTH CAROLINA TRAILERS ADDED/ASSIGNED 2/23/16 + + + + + ROADMASTER LLC, GOSHEN, IN RECREATIONAL VEHICLES + + + + + R M TRAILER LTD; UNITED KINGDON TRAILERS + + + + + R & M TRAILER MFG., INC.; OMAHA, NEBRASKA TRAILERS + + + + + COUNTRY-BOY MFD BY REID'S MFG. & WELDING CO. + + + + + ROCKY MOUNTAIN WELDING AND FABRICATING; PLEASANT GROVE, UTAH + + + + + RM WARREN MANUFACTURING; SUTHERLIN, OREGON TRAILERS + + + + + RANCH MANUFACTURING COMPANY TRAILERS + + + + + RANCE ALUMINUM, INC; RENEGADE TRAILERS VARYING STYLES SNOWMOBILES ETC + + + + + RENEGADE / RENEGADE RV; BRISTOL INDIANA MOTORCOACHES & TRAILERS + + + + + REINKE MFG. INC; DESCHLER, NEBRASKA + + + + + RENLI VEHICLE CO., LTD OR ZHEJIANG RENLI VEHICLE CO.,LTD ZHEJIANG, CHINA - MOTORCYCLES/ATV'S + + + + + RENAISSANCE MOTORS; BECAME ZEBRA MOTORS + + + + + REINERT CONCRETE PUMPS FLORENCE KENTUCKY CONCRETE PUMPS + + + + + RINSO FORKLIFT + + + + + RANS0ME M0WERS; B0BCAT M0DEL + + + + + RONSON MANUFACTURING CORP; MISSOURI + + + + + RENTAL COTTAGE; MFG BY ATHENS PARK HOMES, LLC + + + + + RUNAWAY TRAILERS; SUMMERFIELD, FLORIDA + + + + + H & H SNOWMOBILESCLEVELAND, OH + + + + + RPM-CO; OLD TOWN, FLORIDA + + + + + RP TRAILERS, LLC; WILSONVILLE, OREGON + + + + + RAPTOR; ATV + + + + + RANGE ROVER OF NORTH AMERICA + + + + + R & H HORSE TRAILER + + + + + FAT CAT MFD BY R & R MFG. CO. + + + + + ROYAL RIDER MOTORCYCLE MANUFACTURING CO., INC.; HUDSON, FL + + + + + RIDGE RUNNER INDUSTRIES, INC.FAIRMOUNT, WEST VIRGINIA + + + + + ROAD RESCUE, INC; AMBULANCE, MEDIC TRUCK MANUFACTURER; SOUTH CAROLINA + + + + + R & R TRAILERS INC, THREE RIVERS MICHIGAN + + + + + R & R TRACTOR SALES & PARTS; LAKE CHARLES LOUISIANA -TRAILERS + + + + + R & R TRUCK & TRAILER, MFG (SPA TOTER) LINCOLN, ARKANSAS PORTABLE TRANSPORT SYSTEM FOR SPAS + + + + + ROSEBURG TRAILER WORKS TRAVLER TRAILERS OREGON + + + + + R & S CUSTOM CYCLES; MODESTO, CALIFORNIA - MOTORCYCLES + + + + + R & S CUSTOM TRAILERS, INC.; RIVERSIDE, CALIFORNIA + + + + + ROSENBAUER MOTOR, LLC OR ROSENBAUER AMERICA, WYOMING,NM FIRE AND RESCUE VEHICLES ALSO SOUTH DAKOTA PREV KNOWN AS CENTRAL STATE FIRE APPARATUS + + + + + RICH SPECIALTY TRAILERS; TOPEKA, INDIANA + + + + + ROUSSY / D & C ROUSSY INDUSTRIES, LTD. CANADA TRAILERS + + + + + R/S TRUCK BODY CO., INC.ALLEN, KENTUCKY + + + + + RACING SCIENCE TECHNOLOGY DEV.CO. LTD. CHINA + + + + + R & S TRAILER, SALES; LAKE HAVASU CITY, ARIZONA _TRAILERS - ADDED/ASSIGNED 12/10/15 + + + + + REELSTRONG INC., PENNSYLVANIA + + + + + ROAD SYSTEMS INC, TRAILER & TRUCK BODIES/CHASSIS + + + + + RAYTHEON; WALTHAM, MASSACHUSETTS + + + + + RTM URUGUAY S.A. OR RTM GROUP, INC; URUGUAY & MIAMI FLORIDA + + + + + RETRO RIDE TEARDROPS, LLC; WISCONSIN TRAILERS + + + + + ROADTREK; KITCHENER, ONTARIOA CANADA VANS & MOTORHOMES + + + + + R.T.R. TRTAILERS,INC.; FARMINGDALE, NJ + + + + + ROARING TOYZ, INC; SARASOTA, FLORIDA MOTORCYCLES + + + + + RUCHMORE HOMES + + + + + RUCKER PERFORMANCE MOTORCYCLE COMPANY/U.S. CUSTOM CYCLES DBA-RUCKER PERFORMANCE MOTORCYCLE COMPANY, + + + + + RUDD;S TRAILER SALES; SOUTH CAROLINA + + + + + RUDGE WHITWORTH OR RUDGE-WHITWORTH (MOTORCYCLES) + + + + + RUF AUTOMOBILES OF AMERICA, INC. LONG BEACH, CA ODELS - RT12, CTR3, RGT, RK(COUPE & SPYDER) + + + + + RUFF & TUFF ELECTRIC VEHICLES, INC., SC (LOW SPEED VEH'S) + + + + + RUGG MANUFACTURING CO. + + + + + RUGER TRAILERS, LLC; FEDERAL HEIGHTS, COLORADO TRAILERS; ADDED/ASSIGNED 2/3/14 + + + + + RUSH INDUSTRIES, INC.ELKHART, INDIANA + + + + + RULE STEEL TANKS, INC; CALDWELL, IDAHO + + + + + RUMI + + + + + RUN-ABOUT + + + + + RUPP + + + + + RUSH & S0N, INC; LEN0IR CITY, TENNESSEE + + + + + FRANK RUSSELL MFG. CO. + + + + + RUSHMORE HOMES + + + + + RUSSCO LOWBOY TRAILER + + + + + RUSTLER HORSE TRAILER + + + + + RUTTMAN + + + + + RUTT + + + + + RIVER OAKS HOMES, INC.BOAZ, ALABAMA + + + + + RV INDUSTRIES, INC. + + + + + R-VISION, INC. INDIANA; MANUFACTURER OF TRAIL BAY TRAVEL TRAILER AND OTHER BRANDS + + + + + HITCH HIKERMFD.BY R. V. KOMPACTS, INC. + + + + + RIVALSIR (1993) INC., CANADA + + + + + RIVERSIDE RV INC, BRISTOL INDIANA RECREATIONAL VEHICLES AND TRAILERS + + + + + RIVER WOLF DRIFT BOATS; ROSEBURG, OREGON - BOAT TRAILERS + + + + + RANDALL'S VIP TRAILERS, INCTEMPE, AZ; BOAT AND UTILITYTRAILERS + + + + + R WAY TRAILER MANUFACTURING CORPORATION; FREEPORT, MN (COMBINED WITH ENGLE FABRICATION TO FORM CENTERLINE TANK & TRAILER) + + + + + ROSEWOOD CLASSIC COACHES ARKANSAS (FUNERAL COACHES,HEARSES & LIMOUSINES) + + + + + RICE & WOOLARD MFG., INC NAYLOR,MO ALSO KNOWN AS R & W MFG INC + + + + + RYOBI + + + + + ROYAL; ATHENS PARK HOMES, LLC; TEXAS + + + + + RYAN MFG. + + + + + RYCSA + + + + + RYDER + + + + + RAY-MAN, MANUFACTURING, INC; KEOTA, IOWA TRAILERS - ADDED/ASSIGNED 9/30/14 + + + + + RAYNER EQUIPMENT SYSTEMS; SACRAMENTO, CALIFORNIA TRAILERS + + + + + RAZORBACK TRAILERS; PENNSYLVANIA + + + + + R & Z TRAILER; ST. MCMINNVILLE, ORIGON TRAILERS + + + + + SOONER MFG. + + + + + SOUTH AG MANUFACTURING, INC; WENDELL, NORTH CAROLINA _TRAILERS -PROLINE TRAILERS + + + + + SOUTHCO INDUSTRIES, INC; SHELBY, NORTH CAROLINA _FORESTRY TRUCKS & TRAILERS ; GENERAL TRUCK BODIES + + + + + SOUTHERN OHIO CHASSIS LLC LEESBURG, OH + + + + + SOCIETY COACH BUILDERS + + + + + S0UTHERN CLASSIC TRAILER MFG., INC. SUMNER, I0WA + + + + + SODERSTROM MACHINE SHOPCANTON, SOUTH DAKOTA + + + + + SOIL MOVER MFD. DIV. + + + + + SOL CAT BOAT TRAILER + + + + + SOLO MOTORS, INC. + + + + + SOLARES TRAILERS; HEMET CALIFORNIA TRAILERS + + + + + SOLECTRIA + + + + + SOUTHERN LIFESTYLE HOMES, INC.ADDISON, ALABAMA + + + + + SOLAR TECHNOLOGY, INC.; PENNSYLVANIA + + + + + SOMERSET WELDING & STEEL SOMERSET, PENNSYLVANIA + + + + + SON-DYKE TRAILER CO.BOAT TRAILERS CALICO ROCK, ARAKANSAS + + + + + SONI II + + + + + S0PK0 MANUFACTURING, INC; LAWRENCEVILLE, VA + + + + + SOUTHERN PRIDE DISTRIBUTING, LLC; BAR-B-QUE TRAILERS & SMOKERSOVENS + + + + + SOUTHERN SALES, INC; TRAVELERS REST,SC + + + + + SOUTH BAY TRAILERS; LOUISVILLE, KY + + + + + SOUTHWEST WELDING & MFG. CO. + + + + + SOUTHEAST MFG. CO., INC. + + + + + SOUCY LALIBERTE, INC.; CANADA + + + + + SOUDRE KERR, INC.; COOKSHIRE, QUEBEC CANADA + + + + + SOUTHEASTERN + + + + + SOUTH FLORIDA CHOPPERS, INC WEST PALM BEACH, FLORIDA CUSTOM CYCLES + + + + + SOUTHERN TRAILERS + + + + + SOUND LINE TRAILERS & MANUFACTURING, BREMERTON, WASHINGTON + + + + + SOUTHLANE HORSE TRAILER + + + + + SOUTHWEST TRUCK BODY CO.ST. LOUIS, MISSOURI + + + + + SOVAM + + + + + SOUTHWIND MOTOR HOME + + + + + SAAB + + + + + RECREATIVES, INC.SEE SABRE + + + + + SABINE MFG., INC. + + + + + SABRE EQUIPMENT DIV.DIV. SABRE METAL PRODUCTS + + + + + SABRA + + + + + SABERS SPECIALITIES, LLC SOUTH DAKOTA MOTORCYCLES + + + + + SABERTOOTH MOTOR GROUP, LLC SARASOTA, FLORIDA SABERTOOTH MOTORCYCLES, LLC IS A FRAUDULENT COMPANY + + + + + SACHS + + + + + SANJIANG DYKON MOTORCYCLE CO., LTD OR NINGBO SANJIANG DYKON MOTORCYCLE CO., LTD. ; CHINA - MOTORCYCLE + + + + + SAFARI CONDO INC (PAR NADO,INC-PARENT CO) CANADA + + + + + SAFEWAY MOBILE HOMES DIV.DIV. COMMODORE CORPORATION + + + + + SAFTI + + + + + SAGE MFG. CO. + + + + + SAHARA MOBILE HOMES + + + + + ST. CLAIR CUSTOM BUILT + + + + + ST. JOSEPH MARINE TRAILER + + + + + SAILBOATTRANSPORTER TRAILER LLC; MICHIGAN + + + + + SAIL TRAILERS; COLUMBUS, GEORGIA TRAILERS + + + + + SALSBURY + + + + + SALSCO, INC + + + + + SALEM MOBILE HOME TRAILER + + + + + SALING MFG. CO. + + + + + THE SALEM TOOL CO. + + + + + SAILIN CENTER INC.; NEW JERSEY + + + + + SALVACO, INC.COLUMBUS, OHIO + + + + + SAFARI MOTOR COACHES, INC.HARRISBURG, OR + + + + + SAME & LAMBORGHINI TRACTORS OF NORTH AMERICA INC + + + + + SAMPSON + + + + + SAMS + + + + + SANDS WELDING INC; ALBANY,MN + + + + + SANG YONG MOTOR COMPANY; SOUTH KOREA + + + + + SANI-CRUISER CO. + + + + + SAN-JO TRAILER MFG; POTTERSVILLE, MISSOURI - TRAILERS + + + + + SANKER MFG. & SUPPLY + + + + + SANTA CRUZ TRAILER MFG. CO. + + + + + SANTA FE SPRINGS DIV.DIV. OF DIVCO-WAYNE INDUSTRIES + + + + + SANTELER BROTHERS + + + + + SANTO + + + + + SARACEN + + + + + STARCRAFT MFG. CO./ STARCRAFT RV; TOPEKA, INDIANA + + + + + SATOH JAPANESE TRACTOR + + + + + SATELLITE INDUSTRIES / SATELLITE SUITES; BRISTOL, INDIANA + + + + + SATURN CORPORATION + + + + + SATURN HOMES DIV OF HARRELSON CORPORATION + + + + + SAUBER MANUFACTURING COMPANY; VIRGIL, IL + + + + + SAVAGE COACH MFG., INC. + + + + + SAVAGE MFG. CORP PLEASANT GROVE UTAH + + + + + SAVANNAH HOMES, INC.SAVANNAH, TENNESSEE + + + + + SOUTHERN ARC WELDING AND DESIGN; TAMPA, FLORIDA TRAILERS + + + + + SAXON MOTORCYCLE COMPANY, BLACK CROWN,GRIFFIN,FIRESTORM, SCEPTRE,VILLAN & WARLORD MODELS + + + + + SBM NORTHWEST, LLC; IDAHO TRAILERS & CONSTRUCTION EQUIPMENT + + + + + SEABRING HOME, INC. + + + + + S & B TRAILERS, INC GILBERT, ARIZONA + + + + + SEBRING HOME CORP. + + + + + SCOOTALONG + + + + + SCOTSMAN INDUSTRIES, INC. + + + + + SCOTT EQUIPMENT COMPANY, MERRIMAC, MA; EQUIPMENT TRAILERS + + + + + SCOTSMAN MFG. CO. + + + + + SCORPION + + + + + SCOTT + + + + + SCOUT MOTOR HOME + + + + + SCAD-A-BOUT MFG. & ALUMINUM CO. + + + + + SCAG POWER EQUIPMENT, DIVISION OF MTEALCRAFT OF MAYVILLE,WI MAKER OF POWER RIDING MOWERS + + + + + SCAMP OR SCAMP EVELANDS, INC. BACKUS, MN OR EVELANDS, INC. + + + + + SCANIA ORANGE CONNECTICUT (SAAB-SCANIA OFAMERICA, INC.) + + + + + SCAMPER COACH TRAILER + + + + + SAN CAR TECHNOLOGY CALIFORNIA + + + + + SKAT OR SKAT-KITTY + + + + + SECO, INC.; FT. COLLINS, CO + + + + + SCORPION CHOPPERS, INC.; SOUTH AMBOY, NEW JERSEY + + + + + SOUTHERN COMFORT CABINS, INC. PARK MODELS; LAKE HAMILTON, FL + + + + + SCENIC CAMPERS CO. + + + + + SCEPTER UTILITY TRAILER + + + + + SCHANTZ & SONS, INC.MARINE, ILLINOIS AKA-SCHANTZ MFG, INC + + + + + SCHACHT OR G.S. SCHACHT MOTOR TRUCK COMPANY + + + + + SCHRADER DUMP TRAILER + + + + + SCHENKEL BROTHERS MFG. CO. + + + + + SCHIFSKY TRAILERS + + + + + SCHERTZER EQUIPMENT CO. + + + + + SCHETZKY EQUIPMENT CORP. + + + + + SCHEVELLE HOMES SALES CORP. OF ALABAMA + + + + + SCHIEBOUT MFG. CO. + + + + + SCHIEN BODY & EQUIPMENT CO.CARLINVILLE, ILLINOIS + + + + + SCHLEMMER BOAT CO. + + + + + SCHULT MOBILE HOMES CORP.MIDDLEBURY, INDIANA + + + + + SCHNURE HO' TRAILER + + + + + SCHWARTZ MFG. CO. + + + + + SCHWARZE INDUSTRIES, INC; HUNTSVILLE, ALABAMA STREET SWEEPERS ETC - ADDED/ASSIGNED 10/01/2014 + + + + + SCI0N; NEW LINE/MAKE 0F VEHICLE UNDER THE T0Y0TA BRAND + + + + + SCI TRAILER + + + + + SCHULER MFG. & EQUIPMENT CO., INC. + + + + + SCOTT MANUFACTURING, INC; LUBBOCK, TEXAS _TRAILERS; ADDED/ASSIGNED 7/30/14 + + + + + SCOTT MIDLAND DIV.DIV. A-T-O, INC. + + + + + SCHRAMM, INC.WEST CHESTER, PENNSYLVANIA + + + + + SCAMP TRAILER + + + + + SEARCHMONT AUTOMOBILE CO OR SEARCHMONT MOTOR COMPANY PHILADELPHIA, PA + + + + + SCHMUCKER'S WELDING / SCHMUCKER'S WELDING, LLC; BRENEN, IN. TRAILERS + + + + + SCHNELLER MANUFACTURING, INC; N. LARGO, FLORIDA TRAILER + + + + + SCORPA / SCORPA MOTORCYCLE USA; LOUISVILLE, KENTUYCKY FRANCE - MOTORCYCLES + + + + + SCORPION MOTORSPORTS, INC; CORAL GABLES, FLORIDA - MOTORCYCLES + + + + + SCARAB / SCARAB MOTORSPORTS + + + + + SCORPIONCROSBY, MN + + + + + SANTIAGO CHOPPER SPECIALTIES, LLC; FLORIDA + + + + + SCOUTBOAT TRAILER + + + + + STAR CUSTOM TRAILERS, INC.LEBANON, TENNESSEE + + + + + SCAT TRAK; CONSTRUCTION EQUIPMENT + + + + + SCOTT MURDOCK TRAILERS SALES LLC; LOVELAND, COLORADO _TRAILERS; ADDED/ASSIGNED 11/13/14 + + + + + SCOTT'S RIDING MOWERS/TRACTORS MFG FOR SCOTTS BY JOHN DEERE + + + + + SCHEUERLE; GERMANY TRAILERS AND TRANSPORTERS + + + + + SCULLY COACH CO., INC. + + + + + SEATING CONSTRUCTIRS USA W, INC - BROOKSVILLE , FLORIDA _TRAILERS FOR PORTABLE SEATING ETC + + + + + SCENIC VIEW WELDING, LLC - PARADISE, PENNSYLVANIA - TRAILERS + + + + + SCHWARTZ'S TRAILERS SALES, INC , NOBLESVILLE, INDIANA _SMALL & MEDIUM TRAILERS MFG + + + + + SOUTH DADE CHOPPERS, LLC; MIAMI, FLORIDA MOTORCYCLES; ADDED/ASSIGNED 1/17/14 + + + + + SAN DIEGO CUSTOM TRAILERS CALIFORNIA + + + + + SDGUSA - SPEED DEFIES GRAVITY-BIKE AND ATV PARTS + + + + + SIDUMP'R TRAILER CO., NEBRASKA + + + + + SOUDURE J M CHANTAL INC.; QUEBEC, CANADA _TRAILERS / ROLL BACK TRUCKS - ADDED/ASSIGNED 10/17/14 + + + + + SEAROVER TC CAMPER + + + + + SEA BREEZE TRAILER + + + + + SEACAMPER BOAT TRAILER + + + + + SEAL COATERS DEPOT, INC; HERNANDO, FLORIDA _(TRAILER) + + + + + SEAGRAVE FIRE APPARATUSCLINTONVILLE, WISCONSIN + + + + + SEAGULL + + + + + SEA LION UTILITY TRAILER + + + + + SEAL MATEDIV. OF TATECO, INC. + + + + + SEAMAN DIGZ-ALLMERRILL, IOWA + + + + + SEAL-RITE PRODUCTS; AUXVASSE, MISSOURI TRAILER MOUNTED COMMERCIAL ROAD SEALING EQUIPMENT + + + + + SEARS, ROEBUCK & CO. + + + + + SEA STALLION TRAILERS KLAMATH FALLS OREGON + + + + + SEAT + + + + + SEARS, WENDELL + + + + + SECO MFG. CO. + + + + + STAR ELECTRIC CARS INC, FORT LAUDERDALE, FL + + + + + SECURITY INDUSTRIES + + + + + SERVICYCLE + + + + + SEEMORE FLATBED TRAILER + + + + + SEIDEN MOBILE HOMES + + + + + SELOX MFG., LTD.TORONTO, ONTARIO, CANADA + + + + + SELBURN FLATBED TRAILER + + + + + SELEC TRAILERS, LLC; ENGLEWOOD, FLORIDA + + + + + SELMA TRAILER & MFG. CO. + + + + + SELLERS TRAILER + + + + + SELBY MFG. CO.NICOLLET, MINNESOTA + + + + + SEMO TANK BAKER EQUIPMENT COMPANY; TRANSPORTATION EQUIPMENT TANKERS ETC, FIRE APPARATUS MISSOURI & FLORIDA + + + + + SPECIALITY EQUIPMENT MARKET ASSOCIATION; CALIFORNIA + + + + + SEMLAC CORP. + + + + + SEMINOLE BOAT TRAILER + + + + + SENORA TRAILERSYUMA, AZ; TRAILERS + + + + + SERA + + + + + SCOTTY SPORTSMANMFD. BY SERRO TRAVEL TRAILER CO. + + + + + SELECT TRUCK CENTER; BLACKFOOT, IDAHO TRAILERS + + + + + SEA TECH TRAILERS MIAMI, FL + + + + + SETRA OF NORTH AMERICA ; SETRA EVOBUS GMBH + + + + + SUNN ELECTRIC VEHICLE COMPANY; MAINE + + + + + SEVERE TRAILERS, LLC, OKLAHOMA TRAILERS + + + + + JENKINS EQUIPMENT CO., INC. SUBSIDIARY OF SWEEPSTER INC + + + + + SEWER EQUIPMENT CO. OF AMERICA + + + + + SEXT0N M0T0RCYCLE C0MPANY + + + + + SAFET CAMPER + + + + + SOUTH FLORIDA TRAILERS, MIAMI, FLORIDA TRAILERS + + + + + SFM + + + + + SOUTHERN FRAC, LLC ; WAXAHACHIE, TEXAS TRAILERS + + + + + SFS TRUCK SALES, INC MFG PRO-HAUL TRAILERS GALLIPOLIS OHIO TRAILERS + + + + + SOUTH FLORIDA TRAILER MANUFACTURER, INC; MIAMI, FLORIDA + + + + + SOUTHERN FIELD WELDING; BURLEY, IDAHO + + + + + SOUTH (GA) GEORGIA CARGO, PEARSON, GEORGIA (TRAILERS) + + + + + STARGATE MANUFACTURING INC. ONTARIO CANADA + + + + + SIGNATURE EQUIPMENT CORPORATION; SALT LAKE CITY, UTAH + + + + + SIGNA TOUR CAMPERS, LLC; TAMPA, FLORIDA CAMPERS/TRAILERS + + + + + SIGNAL MOTOR TRUCK COMPANY - ORIG MFG IN DETROIT MI + + + + + SEGWAY MOTORIZED PERSONAL TRANSPORTER VMO/TOY, VST/OP - OPEN BODY + + + + + SHOOPS HORSE TRAILER + + + + + SHOALS AMERICAN INDUSTRIES, INC.; MUSCLE SHOALS, ALABAMA TRAILERS + + + + + SHOP BUILT TRAILERS + + + + + SHO-ME CAMPERS CO. + + + + + SHOPMADE FLATBED TRAILER + + + + + SHOVEL SUPPLY CO., INC. + + + + + SHOWCO NOMAD TRAILER + + + + + SHAMROCK CAMPERSDIV. CLASSIC MFG. CO. + + + + + GALWAY MFD BY SHAMROCK HOMES + + + + + SHANGHAI JIALING BUSINESS CO., LTD, SCOOTERS,MOTORCYCLES DISTRIBUTED BY HITONG MOTORS CORP; MIAMI, FL + + + + + SHARRATT MOBILE HOMES & SUPPLIES + + + + + SHASTA INDUSTRIES + + + + + SHOWHAULER TRUCKS,INC MOTORHOME CONVERSION MIDDLEBURY,INDIANA ON FREIGHTLINER CHASSIS + + + + + SHAVER MFG. CO. + + + + + SHAW-WYNN HOMES CORP. + + + + + SHAY MOTORS CORPORATION AKA-MODEL A & MODEL T MOTOR CAR REPRODUCTION CORP + + + + + SHERWOOD BARONET TENT TRAILER + + + + + SHADOW TRAILERS SHADOW BOAT TRAILER GLENCOE, OK + + + + + SHADOW TRAILERS INC; OCALA , FLORIDA ** NOT SAME AS SHADOW TRAILERS GLENCOE, OK(VMA/SHDO) + + + + + SHELBY AMERICAN + + + + + SHELBY MOBILE HOMES DIV COMMODORE CORPORATION + + + + + PULLER-TENSIONER MFD BY SHERMAN & REILLY, INC. + + + + + SHENKE MOTORCYCLE CO., LTD OR SHANGHAI SHENKE MOTORCYCLE CO., LTD. CHINA + + + + + SHERTZER DUMP TRAILER + + + + + SHETRON MANUFACTURING, LLC; PENNSYLVANIA + + + + + SHORT GO, INC; FORT SCOTT, KANSAS_, OLYMPIANS MODEL + + + + + SHIPBUILT VAN TRAILER + + + + + SHILOH HOMES DOUBLE SPRINGS ALABAMA + + + + + SHIPMATE SEMEK MFG, INC. + + + + + SHINERAY MOTORCYCLE CO., LTD (AKA-CHONGQING SHINERAY MOTORCYCLE CO., LTD.) CHINA + + + + + SHIPPETTE MOBILE HOMES + + + + + SHIRAUL, LLC ; SUNNYSIDE WASHINGTON TRAILERS DBA-BULLETT TRAILER MANUFACTURING + + + + + SHIVVERS MANUFACTURING, I0WA + + + + + SHIWEI VEHICLE CO, LTD OR JINHUA SHIWEI VEHICLE CO., LTD JINHUA CITY ZHEJAING PROVINCE CHINA, SCOOTERS,ATV'S & POWER ASSISTED BIKES + + + + + SHIJIAZHUANG MFG MOTORCYCLES AND ATV'S + + + + + SHL + + + + + SHELF ABOVE MANUFACTURING, INC CHARDON, OH TRAILERS + + + + + LIVING QUARTER BRAND/LINE, MFG BY SHADOW TRAILERS, INC. _VMA/SHDW + + + + + SHANDONG PIONEER MOTORCYCLE CO.; LTD OR PIONEER MOTORCYCLE CO. LTD - JINAN CHINA - MOTORCYCLES, SCOOTERS, ATV'S ELECTRIC BIKES ETC + + + + + SHUNQI VEHICLE INDUSTRY CO., LTD / ZHEJIANG SHUNQI VEHICLE INDUSTRY CO., LTD CHINA + + + + + SHORE PARK, SHORE PARK PREMIER, SHORE PARK ELITE; MFG BY HOMETTE CORP (AFFILIATED W/SKYLINE) + + + + + SHENGQI MOTION APPARATUS CO., LTD OR SHENG QI GROUP ALSO; ZHEJIANG SHENGQI MOTION APPARATUS CO., LTD; CHINA ATV'S , SCOOTERS + + + + + SAHARA ATV'S & FUN CARTS, (JOSLIN CORP) DIRECT FACTORY RESELLER NOT MANUFACTURER + + + + + SHERCO MOTORCYCLE + + + + + SHERROD VANS, JACKSONVILLE, FLORIDA, CONVERSION VANS; CHEVY, FORD & GMC + + + + + SHARP MFG., LLC; BLUE RAPIDS, KANSAS TRAILERS + + + + + SHERWOOD SENTRY HORSE TRAILER + + + + + SHANGHAI TANDEM MOTOR CO., LTD + + + + + SHORTSTOP ENTERPRISES, INC; TOMAH, WISCONSIN CONCESSION AND OTHER TYPE TRAILERS + + + + + S & H TRAILER MFG. CO., INC. MADILL OKLAHOMA + + + + + SHOWTOWN MANUFACTURING CO., INC., FLORIDA TRAILERS + + + + + SHUOPU SCIENCE AND TECHNOLOGY DEVELOPMENT CO., LTD / JIANGMEN SHUOPU SCIENCE AND TECHNOLOGY DEVELOPMENT CO., LTD CHINA + + + + + SHUAGSHI MOTOR MFG.,CO.,LTD OR CONGQING SHUAGSHI MOTOR MFG. CO.LTD CHONGQING CHINA - MOTORCYCLE + + + + + SCHUTT INDUSTRIES; CLINTONVILLE, WISCONSIN MILITARY TRAILERS AND CUSTOM ENGINEERED GROUND SYSTEMS + + + + + SCHWING AMERICA, INC TRAILER/TRUCK MOUNTED CONCRETE PUMPS ETC. MINNESOTA + + + + + SCHWINN MOTOR SCOOTERS; PARENT COMPANY IS BENZHOU VEHICLE INDUSTRY GROUP; CHINA, DISTRIBUTED BY PACIFIC CYCLE; MADISON, WI VMA/BNZH ASSIGNED TO BENZHOU VEHICLE INDUSTRY. + + + + + SHOW-ME TRAILERS, INC.SMITHTON, MISSOURI + + + + + SHOWTIME MANUFACTURING RIVERSIDE, CALIFORNIA (MOTORCYCLES - SPECIAL CONSTRUCTION) + + + + + SIATA + + + + + S.I.C. CHOPPERS STYLE IN CUSTOM CHOPPERS; KENMORE, NEW YORK MOTORCYCLES + + + + + SICKASSO CYCLE CREATIONS INC; DAVIE, FLORIDA + + + + + SIC METALS & FABRICATION, LLC OR SIC METALS ALUMINUM; CLARION, PENNSYLVANIA - CARGO MAXX TRAILERS + + + + + SIDE DUMP INDUSTRIES; SOUTH SIOUX CITY NEBRASKA - TRAILERS + + + + + SIDEKICK RV INC; GOSHEN, INDIANA TRAILERS + + + + + SILVER EAGLE TRAVEL TRAILER + + + + + SIEBERT TRAILERS, INC.STOCKTON, CALIFORNIA + + + + + SIEMS ENTERPRISES; SHELLEY, IDAHO TRAILERS + + + + + SIERRA CAMPERS MFG. + + + + + SIESTA; MFG BY THOR MOTOR COACH INC + + + + + SILVER FOX TRAILERS; COLORADO + + + + + SIGAME CORP.GARDENA, CALIFORNIA + + + + + LEAR SIEGLER MFD BY SIGNAL DIV. OF LEAR SIEGLER,INC. + + + + + SIKK INC., MOTORCYCLERS SAND VEH'S ARIZONA DUNE BUGGYS + + + + + SILA AUTORETTA + + + + + DORSETT MOBILE HOMES MFD BY SILVERCREST INDUSTRIES, INC. + + + + + SILVER LEAF MFG. CO. + + + + + SILVERLINE + + + + + SILVER PIGEON + + + + + SILENT HOIST & CRANE CO. + + + + + SILVER STREAK TRAILER CO. + + + + + SILVER CROWN (SUPREME CORP CO) MOTORHOME, MOTOR GARAGES + + + + + SIMCA + + + + + SIMON UTILITY TRAILER + + + + + SIMON ACCESS DOVER, OHIO - TRUCKS; VAN CONVERSION, INCOMPLETE VEHICLES + + + + + SIERRA MOTOR CORPORATION; BRISTOL, IN RECREATIONAL VEH'S + + + + + SIMEK MFG., INC. + + + + + RON SIMMS BAY AREA CUSTOM CYCLES ; HAYWARD, CALIF - MOTORCYCLES + + + + + SIMENSON MFG. CO. + + + + + LANDLORD MFD BY SIMPLICITY MFG. CO., INC. + + + + + SIMSON + + + + + SIMPSON ENTERPRISES, INC. + + + + + SIMPSON WELDING & CUSTOM TRAILERS HOWBOY TRAILERS; HUGO,OK + + + + + SINGER + + + + + SINGLE TILT TRAILER + + + + + SUN INTERNATIONAL RACING CORP.CALIFORNIA + + + + + SILVER STAR TRAILER + + + + + SISU USA INC. + + + + + SIGHTSEER MOTOR HOME + + + + + SIX PAC CAMPER + + + + + SIZEMORE WELDING, INC; BUNNELL, FLORIDA TRAILERS + + + + + SJC INDUSTRIES CORP (DBA-MARQUE & MCCOY MILLER) _MANUFACTURER OF MCCOY MILLER, MARQUE & PREMIERE BRAND AMBULANCES; CHASSIS OF FORD,GM, INTERNATIONAL & FREIGHTLINER USED IN MANUFACTURING + + + + + S & J ENTERPRISES; MISSOURI + + + + + SKODA + + + + + SKAGIT PACIFIC CORPORATION SEDRO-WOOLLEY, WA + + + + + SKAMPER CORP. + + + + + SKANK BIKES; BOYNTON BEACH, FLORIDA CUSTOM MOTORCYCLES + + + + + SKYCAT MODEL MFG, BY: LAYTON HOMES; INDIANA _DIV OF SKYLINE IND. + + + + + SKILES INDISTRIES, INC. ATWOOD, KANSAS TRAILERS + + + + + SKI KART + + + + + SKIM AIR TRAILER + + + + + SKIPPER B TRAILER CO., INC.DIV OF ANDERSON IND., INC.BURLESON FORMERLY BROWN IND TEXAS + + + + + ARIENSSEE SKIROULE LTD + + + + + SKI-TOW MFG. CO., INC.ELKHART, INDIANA + + + + + ACADEMY MOBILE HOMES MFD BY SKYLINE MOTORIZED DIV + + + + + SCHWARTZKOPF EXCLUSIVE CUSTOMS; MARIA DEL REY, CALIFORNIA _MOTORCYCLES + + + + + SKIPPY TRAILER + + + + + SKYTEAM C0RP0RATI0N, LTD. ALSO JIANGSU SACIN MOTOR CO., LTD (SKYTEAM) + + + + + SKYCRAFT TRAILER + + + + + SKYGO MOTORCYCLE MANUFACTURER CO., LTD OR CHONGQING XGJAO MOTORCYCLE CO., LTD.; CHINA ATV'S, DIRT BIKES, OFFROAD VEH'S, _MOTORCYCLES + + + + + SKYHOMES, INC.DIV. SKYLINE HOMES + + + + + SKYLARK INDUSTRIES, INC.BRISTOL, INDIANA + + + + + SKYJACK; F0RK,SCISS0R & B00M LIFTS + + + + + SKYLINE CORP.INDIANA; MFG OF MULTIPLE BRANDS OF RECREATIONAL VEHICLES + + + + + SKYTRAK; CONSTRUCTION EQUIPMENT;FORKLIFT ETC. + + + + + SKY COLTON, CA + + + + + SLOAT MFG. CO. + + + + + SLOAN'S EASY LOAD, INC OR SLOAN'S KWIK LOAD, INC TRAILERS SHERMAN, TEXAS + + + + + SLACK'S TRAILERS; PAULS VALLEY, OKLAHOMA-TRAILERS + + + + + SALEEN INC + + + + + SOLO ELECTRA + + + + + STEPHAN L GREEN TRAILERS; NEW JERSEY + + + + + SEA LION METAL FABRICATORS INC PHILADELPHIA, PA + + + + + SEALMASTER; SANDUSKY, OHIO + + + + + SUN LAND EXPRESS; MOTORHOME TOYOTA CHASSIS + + + + + SLINGSHOT, MINNEAPOLIS, MN, BRAND OF 3 WHEEL CYCLE MFG BY POLARIS IND-VMA/POLS, VIN INDICATED INDIAN MOTORCYCLE WMI/56K POLARIS ACQUIRED INDIAN MOTORCYCLE AND REINTRODUCED + + + + + SELLNER MANUFACTURING CO.; FARIBAULT, MINNESOTA _TRAILER / TRAILER MOUNTED AMUSEMENT RIDES - ADDED/ASSIGNED 9/11/14 + + + + + SLEEP EASY TRAILER + + + + + SILVERADO; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + SILVERADO TRAILERS, INC; SPRINGFIELD, OREGON HORSE AND STOCK TRAILERS + + + + + SILVER EAGLE MANUFACTURING; PORTLAND, OREGON + + + + + SMOKEY TRAILER + + + + + SMALLEY MFG. CO. + + + + + SMARTLEE + + + + + SMALL ASS CAMPERS LLC; LAS VEGAS, NEVADA + + + + + SMB TELEIAMOTRE BOLOGNA, ITALY + + + + + STANDARD MOTOR CORPORATION (SMC) TAIWAN MOTORCYCLES,SCOOTERS QUADS, ETC + + + + + SEMCO, INC; CAMILLA, GEORGIA TRAILERS + + + + + SOUTHERN MOTORCYCLE WORKS MOTORCYCLE KITS AND PARTS + + + + + SMEAL FIRE APPARATUS C0.; SNYDER, NEBRASKA + + + + + SMITH ELECTRIC VEHICLES OR SEV, KANSAS CITY, MISSOURI ELECTRICBATTERY COMMERCIAL TRUCKS + + + + + STL MANUFACTURING (SHAD T LOWTHER;OWNER) OREGON + + + + + L.B. SMITH, INC. MANUFACTURER OF SMITHCO TRAILERS + + + + + SMILY + + + + + SMITH-ROLES LTD. + + + + + SMITH, T. L., CO.DIV. A-T-O, INC. + + + + + SMOAKIN CONCEPTS; ST MATTHEWS, SOUTH CAROLINA TRAILERS (LIL SNOOZY MODEL) + + + + + SIMPLEX + + + + + S M MOON MOTORCYLE , MINIBIKE + + + + + SAM PATTON INDUSTRIES + + + + + SIMPLEX INDUSTRIES, SCRANTON, PA (MOBILE AND MODULAR HOMES) + + + + + SEA MARK / SEAMARK TRAILERS + + + + + SMART VEHICLES + + + + + SALMSON; FRANCE + + + + + S & M TRAILER CO. + + + + + SMART TRAILERS INC, HIGHLAND CITY, FLORIDA TRAILERS + + + + + S0UTHERN MISS0URI TRAILER SALES; WEST PLAINS, M0; HOOK-ON MODEL + + + + + SMT-TRIKEBAU INH. STEFFEN MALTRITZ; GERMANY TRIKES + + + + + SMITTY'S MANUFACTURING COMPANY AMES IOWA + + + + + SMALLWOOD COUNTY LINE CO + + + + + SOUTHERN MOTORCYCLE WORKS, INC DBA-SMW ARDMORE, OKLAHOMA MOTORCYCLES + + + + + SOUTHMAYD EQUIPMENT CORPORATION + + + + + SEA BIRD MFD BY SNO-BIRD TRAILER CO., INC + + + + + SNOW TRI SCAT + + + + + SNOWFLAKE COACH INDUSTRY + + + + + SABRE JET SEE SNO JET, INC + + + + + SNO SHACK, INC; IDAHO CONCESSION TRAILERS + + + + + SNO-BANDIT MANUFACTURING, LLC; RUTLAND, MASSACHUSETTS + + + + + SNO-PRO INC; DIVISION OF THULE TRAILERS INC + + + + + UNLISTED SNOWMOBILE MANUFACTURER + + + + + SNAKE RIVER TRAILERS + + + + + SNAPPER + + + + + SNATCHER TRAILER COMPANY BETTENDORF,LOUISIANA + + + + + SUNBIRD BOAT COMPANY COLUMBIA,SC BOAT TRAILERS HALEYVILLE, ALABAMA + + + + + SUNBIRD, INC. + + + + + SUN BELT ENERGY HOUSING, INC. + + + + + SUN COUNTRY TRAILERS; PHOENIX, ARIZONA TRAILERS + + + + + SUNDANCE FW, SUNDANCE TT UL, SUNDANCE XLT FW; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + SANDI OR TAIXING SANDI MOTORCYCLE CO., LTD; CHINA SCOOTERS MOTORCYCLES,3 WHEEL MOTORCYCLE VEHICLES, MICRO AUTO & ATV'S + + + + + SANDPIPER + + + + + HAINAN-SUNDIRO + + + + + SUNFLOWER TRAVEL TRAILER + + + + + SUNHOU S & T MOTORCYCLE CO., LTD OR JIANGSU SUNHOU S & T MOTORCYCLE CO., LTD, CHINA + + + + + SUN L GROUP INC., FARMERS BRANCH, TEXAS, DIRT BIKES, ATV'S & GO KARTS, MOTOR SCOOTERS _ + + + + + SUN-LITE, INC.BRISTOL, INDIANA + + + + + SNO-PONY . COUPARRAL COMPANY SNOW MACHINES + + + + + SOUTHERN ENERGY HOMES, INC.ADDISON, ALABAMA + + + + + REMINGTON HOMES DALLAS,TX DIVISION OF SUNRIZON HOMES, INC + + + + + SENSATION + + + + + SINSKI SONIK MOTOR TECHNOLOGY CO., LTD OR JIANGSU SINSKI SONIK MOTOR TECHNOLOGY CO., LTD; JIANGSU PROVINCE CHINA- MOTORCYCLES + + + + + SANTA FE TRAILER CO. + + + + + SANTEE INDUSTRIES SYLMAR, CA + + + + + SUN TRAILER & UTILITIES MID-WEST CITY OKLAHOMA + + + + + SNOWTON TRAILER + + + + + SAND TOYS, INC + + + + + SNUB-HARBOR OR DAY'S DRYDOCK TRAILERS; INDIANA + + + + + SN0WBEAR LIMITED; 0NTARI0, CANADA + + + + + SNOW CO. + + + + + SNYDER TRAILER CO. + + + + + SPORTCOACH CORPORATION OF AMERICA + + + + + SPOKANE TRAVEL HOMES + + + + + SHALIMAR MOBILE HOMESMFD. BY SPORTCRAFT HOMES + + + + + SPORT KING CAMPERS + + + + + SPORTSMAN LODGE; MFG BY ATHENS PARK HOMES, LLC; TEXAS + + + + + SPORTSMAN'S DREAM MFG. CO. + + + + + SPORT TRAILERS; SAN BERNARDINO, CA TRAILERS + + + + + SPACE MOTOR HOME + + + + + SPACE AGE CAMPERS + + + + + SPACE-CRAFT TRAILERS MFG. + + + + + SPARROWHAWK TRAILER CO. + + + + + SPACEMASTER COLUMBIA TENNESSEE + + + + + SPANO CRANE SALES & SERVICE CORP. + + + + + SPARTA + + + + + SPARTAN AIRCRAFT CO. + + + + + SPAULDING MFG. INC. SAGINAW, MICHIGAN ROAD 7 HIGHWAY REPAIR EQUIP + + + + + SPEED BIRD + + + + + SPENCER BOWMAN CUSTOMS AKA - B & B WELDING CUSTOM MOTORCYCLES + + + + + SPEECO, INC OR SPEE CO; COLORADO FARMING ACCESSORIES & TOOLS TRAILERS + + + + + SPRINGERS CUSTOM CYCLES, LLC; FRENCHTOWN, NEW JERSEY MOTORCYCLES + + + + + SPACE ASSEMBLIES, INC.MIDDLEBURY, INDIANA + + + + + SPECTOR MANUFACTURING, INC. + + + + + SPRINGCYCLE + + + + + MARVIN A. SPEARS CO. + + + + + SPECIAL GO-CART, GOLF CART, SEE OPERATING MANUAL PART 1 SECTION 2 + + + + + SPEED + + + + + SPEEDWAY TRAILER DIV.DIV. DUNPHY BOAT CORP. + + + + + SPIRIT EAGLE + + + + + SPEICHER BROTHERS, INC.AUGER PRODUCTS + + + + + SPEED KING MFG. CO., INC. + + + + + SPECIAL ENDEAVORS, INC.OMAHA, NEBRASKA + + + + + SPECIALTY MFG. CO.RED BAY, ALABAMA + + + + + SPEN & CO. + + + + + SPENCER SPORTS PRODUCTS + + + + + SPEEDEX TRACTOR CO.RAVENNA, OHIO + + + + + SPORTS HAULERS OR SPORT HAULER, INC, SANTA FE SPRINGS CALIF. + + + + + SP0RT HAULER BY SP0RT CHASSIS AT FREIGHTRLINER IN TULSA, 0K MAKER 0F SP0RT HAULER TRUCK & TRAILER + + + + + SPIESSCHAERT ENTERPRISES FOREST GROVE, OREGON + + + + + SPIRIT CARTS LLC NEV-NEIGHBORHOOD ELEC VEH'S + + + + + SPECIAL EDITION / SPECIAL EDITION LOFT; MFG BY KROPF IND. INC + + + + + SPORTSMAN'S LODGE; MFG BY ATHENS PARK HOMES, LLC + + + + + SPACE TRAILERS PARENT COMPANY TAMARACK, IND, LLC WACONIA, MN + + + + + SPORTLINER TENT TRAILER + + + + + SPECIALIZED TRAILERS WEARE, NH + + + + + SPEEDSTER MOTORCARS, CLEARWATER, FL + + + + + SUPERIOR MANUFACTURING & ENGINEERING COR.; DENVER, COLORADO _TRAILERS; ADDED/ASSIGNED 1/31/14 + + + + + SPORTSMAN + + + + + SPRINTER VAN + + + + + SPRINTER MOTORCYCLE + + + + + SPEEDWAY PRODUCTS, INC.MANSFIELD, OH + + + + + SPARTAN PRODUCTSWEST ST. PAUL, MINNESOTA + + + + + SPROUT, WALDRON & CO., INC. + + + + + SPRAYLINE TWO WHEEL TRAILER + + + + + SPARTAN CARGO TRAILERS LLC ALMA GEORGIA + + + + + SPERRY RAND + + + + + SPRITE + + + + + SPORTSRIG.COM, LLC ; SAN LUIS OBISPO, CALIFORNIA - TRAILERS + + + + + SPRITE + + + + + SPURLOCK VEHICLES, INC; FRANKLIN, TENNESSEE _EMERGENCY RESPONSE,COMMAND/OPERATION VEHS, SERCH & RESCUE, LABORATORY, MEDICAL, IMAGING TRAILERS & VEHICLES + + + + + SPORTMASTERS OF TENNESSEE, INC. + + + + + SPRINGTRAIL MFG. CO.SPRINGFIELD, MISSOURI + + + + + SUPERIOR OFFICE TRAILER + + + + + HOOSIERBOAT TRAILER MFD. BY SPREUER AND SON + + + + + SPORTCOACH MOTOR HOME MFD BY SPORTSCOACH CORP. OF AMERICA,CHATSWORTH, CALIFORNIA + + + + + SUPERIOR RV MANUFACTURING; VANCOUVER, WASHINGTON + + + + + SPRAYRITE MFG. CO. + + + + + SPECTRUM SPORTS INTERNATIONAL; HYDE PARK, UTAH + + + + + SPORT TRAIL, LLC BAY ST LOUIS, MS + + + + + SPECTRE MANUFACTURING, INC; TACOMA, WASHINGTON TRAILERS + + + + + SPORT BOAT TRAILERS, INC; PATTERSON, CALIFORNIA + + + + + SPECIAL TRUCKS, INC.; FORT WAYNE, INDIANA + + + + + SPORTSLINER CAMPING TRAILER + + + + + SPECTRUM STEEL, HYRUM, UTAH + + + + + SPARTAN MOTORS, INC. CHARLOTTE, MICHIGAN + + + + + SUPERIOR TRAILERS OF GA. INC.DANIELSVILLE, GA + + + + + SPORTSMAN TRAILERS; MFG BY KIBBI, LLC RENEGADE + + + + + SPORTSMOBILE WEST, INC; AUSTIN, TX; CLOVIS CA; CONVERSIONS ON MULTIPLE MFG CHASSIS - FORD,GM/CHEVY & MERCEDES + + + + + SPOTTY / SPOTTY SPORTSTER; OBERLIN, KANSAS TRAVEL TRAILERS + + + + + SPIRIT VEHICLES, INC.; SOUTH GATE, CALIFORNIA TRAILERS + + + + + SPEEDWELL MOTOR CAR COMPANY; DAYTON, OHIO + + + + + SPEEDWAY + + + + + SPYDER + + + + + SPYKER + + + + + SQUIRE TRAVEL TRAILER + + + + + SRECO-FLEXIBLE, INC; LIMA OHIO SEWER CLEANING TRAILERS + + + + + SOUDURE REJEAN POMERLEAU, INC; QUEBEC, CANADA TRAILERS + + + + + SERRANO; MFG BY THOR MOTOR COACH INC + + + + + SERENITY; MFG BY TRIPLE E RECREATIONAL VEHICLES CANADA, LTD + + + + + SIERRA MOTORCYCLE COMPANY INDIANAPOLIS, IN + + + + + SR TRAILERS; FOLEY, MINNESOTA TRAILERS + + + + + S & S DURALINE; EKMA, IOWA - TRAILERS + + + + + SHREDDING SYSTEMS, INC; WILSONVILLE, OREGON, - TRAILER MOUNTEDSHREDDERS + + + + + SSINSTER CHOPPERS, LLC BEVER CREEK OR + + + + + SSR MOTORSPORTS; NORWALK, CA MOTORCYCLES,MOPEDS,ATV'S,UTV'S SCOOTERS BUGGIES MFD FOREIGN AND RE BRANDED AS SSRM + + + + + SUNSHINE STAINLESS TANK & EQUIP CO POB; PLANT CITY, FLORIDA _COMMERCIAL TRAILERS + + + + + SS TRIKE, LLC, MARSHFIELD, WISCONSIN MOTORCYCLES + + + + + BPMFD, BY SS TRAILER CO. + + + + + SOUTHEASTERN SPECIALTY VEHICLES; NORTH CAROLINA _EMERGENCY VEHICLES- AMBULANCES, MASS CASUALITY AND WMD TRAILERS + + + + + S & S WELDING CO.; GREENWOOD, NEBRASKA TRAILERS + + + + + STOCKLAND + + + + + STODDARD MFG. CO.WATERLOO, IOWA + + + + + STONE CONSTRUCTION EQUIPMENT INC.HONEYOYE, NEW YORK + + + + + ST0LL TRAILERS, INC; ABBEVILLE, SC + + + + + STONER TRAIL + + + + + STOPOVER TRAVELER & CAMPER CO. + + + + + STONER TOTTER TRAILER + + + + + STOUGHTON TRAILERS, INC.STOUGHTON, WISCONSIN + + + + + ECONOROLLMFD. BY STOW MFG. CO. + + + + + STARCRAFT CORP. + + + + + STAR MACHINE SHOP CO. LTD. + + + + + STACK TRUCK, INC. + + + + + STANDARD STEEL + + + + + STAM MFG. CO. + + + + + STAGE COACH MFG. CO. NAPLES, TEXAS + + + + + STAHL A SCOTT FETZER COMPANY; CARDINGTON, OHIO - TRAILER + + + + + GRENADIER MOBILE HOMES MFD BY STATLER HOMES MFG + + + + + STARMASTER CAMPING TRAILER + + + + + STANDARD + + + + + STAR TANK & TRAILER MFG. CO. + + + + + STAR TO INCLUDE NEV-NEIGHBORHOOD ELERCTRIC VEHICLES + + + + + STAR FIRE, INC. + + + + + STARTREK + + + + + K STAUFFER MANUFACTURING INC; MARTINDALE, PA; KODIAK FLATBED + + + + + STARLITE MFG. CO. + + + + + STAR METEOR FLORIDA DIV OF DIVCO-WAYNE INDUSTRIES + + + + + STAR MOBILE HOMES + + + + + STRATOS BOATS, INC; MURGREESBORO, TENNESSEE - BOAT TRAILERS + + + + + ST. BERNARD MANUFACTURING MENTOR, OH + + + + + STARCRAFT CORPORATION + + + + + STARCRAFT BUS - DIVISION OF FOREST RIVER, INC + + + + + STUCCO TRAILER + + + + + STEALTHCRAFT CUSTOM TRAILERS (BRAND OF STOUGHTON TRAILERS, INCVMA/STOU + + + + + STRICTLY CHOPPER LLC; NAPLES, FLORIDA CUSTOM MADE MOTORCYCLE AND PARTS + + + + + STC INTERNATIONAL (SUPER TEST CORP INTERNATIONAL) ILLINOIS + + + + + STONE CANYON LODGES, INC (MOBILE MODULAR HOMES) ALABAMA STONE CANYON CABINS, LLC - ALABAMA + + + + + SOUTHWEST/TCP; TERRELL, TEXAS TRAILERS TUFF NECK TRAILER MODELS + + + + + STEELCRAFT LOG TRAILER + + + + + STEYR-DAIMLER-PUCH (CURRENTLY MFG BY MAGNA STEYR; VMA/MAGY HIGH MOBILITY ATV 4 WHEEL DRIVE MILITARY VEHICLES + + + + + STEVENS-DURYEA; MASSACHUSETTS) AKA-DURYEA MOTOR WAGON CO. SOLD TO NATIONAL MOTOR CARRIAGE COMPANY CONTRACTED WITH J.STEVENS ARMS & TOOL TOMFG VEH'S + + + + + STANTON DYNAMICS; BROOKVILLE, PA TRAILERS + + + + + STEELCO, INC.ALTO LOMA, TEXAS + + + + + STEADMAN CONTAINERS LTD. BRAMPTON ONTARIO + + + + + STECO TRAILER CO. + + + + + STEED-POLLAK MFG. CO. + + + + + STAINLESS TANK & EQUIPMENT COMPANY SEE ST & E FABRICTION LLC, COTTAGE GRAVE , WISCONSIN + + + + + STEW-GAR, INC. + + + + + STAINLESS TANK & EQUIPMENT INC.; WISCONSIN + + + + + STEALTH ENTERPRISES LLC; ELKHART, IN + + + + + STERLING STERLING-SA;EM CORP + + + + + STEPPER TRAILER + + + + + STERLING INDUSTRIAL CORP. + + + + + STEEL STALLION MOTORCYCLE COMPANY; MYRTLE BEACH, SC MOTORCYCLES + + + + + STEWART, INC. + + + + + STEURY TRAILER + + + + + STEWART ENGINEERING & EQUIPMENT CO. + + + + + STEYR-PUCH + + + + + SCHERER TRIKES FAHRZEUGBAU GMBH GERMANY MOTORCYCLES + + + + + STAGELINE SCENE MOBILE, INC./STAGELINE; QUEBEC CANADA TRAILER MOUNTED STAGES + + + + + STEIGER TRACTOR; MINNESOTA + + + + + STAG TRAILERS MFG.,LLC; SPARTA, MISSOURI + + + + + SOUTHERN DIMENSIONS GROUP; WAYCROSS, GEORGIA _TRAILERS; ADDED/ASSIGNED 11/18/14 MULTIPLE STYLE OF TRAILERS + + + + + SOUTHERN HERITAGE TRAILERS, LLC - DYERSBURY, TENNESSEE + + + + + STOHL TRAILERS; NORTH CAROLINA + + + + + SOUTHEAST MANUFACTURING, INC / WRENCH MOTORCYCLES TAMPA, FLORIDA - MOTORCYCLES + + + + + STEELHORSE CUSTOM MOTORCYCLES, INC; ILLINOIS + + + + + STEHL TOW; PIEDMONT, SOUTH CAROLINA TRAILERS + + + + + SOUTHERN VAC LLC, GRAND PRAIRIE, TEXAS + + + + + STIDHAM HORSE TRAILER + + + + + STIGERS TRAILER SALES, INC; FRANKFURT,KENTUCKY - TRAILERS + + + + + STILLWATER SUPPLY C0MPANY; SULLIVAN, M0; TRAILERS + + + + + STERLING INNOVATIVE PRODUCTS, INC; ONTARIO, CANADA TRAILERS + + + + + STILO TRAILER + + + + + STEEL BROS LTD; CHRISTCHURCH, NEW ZEALAND TRAILERS + + + + + STELCO FABRICATIONS, CO.; SACRAMENTO, CALIFORNIA TRAILERS + + + + + STREAMLINE DESIGNS, INC., FLORIDA MOTORCYCLES + + + + + STERLING + + + + + STEALTH MANUFACTURING; LOUISIANA; ELECTRIC LSV'S + + + + + STERLINE FLATBED TRAILER + + + + + STREAM LITE SPORT & XLT; MFG BY GULF STREAM COACH, INC + + + + + STANLEY YARD & GARDEN TRACTORS MOWERS + + + + + SUPERTRAIL MFG. CO., INC.ABERDEEN, MISSSIPPI + + + + + STORM MANUFACTURING; ELKHART, INDIANA TRAILERS H & A PRODUCTS,INC + + + + + STAR MANUFACTURING; CHAMBERSBURG, PENNSYLVANIA - TRAILERS + + + + + STREME TRAILER MFG., INC; WAXAHACHIE, TEXAS + + + + + STAMPINGS, INC. + + + + + STANLEY HYDRAULIC TOOLS + + + + + STANLEY MACHINES ONTARIO, CANADA + + + + + STONE'S MOTORCYCLE COMPANY NORTHBORO MA + + + + + STONERIDGE; MFG BY KZRV, LP OR KZ RECREATIONAL VEHICLES + + + + + STEPHENS PNEUMATICS, INC.; HASLET, TEXAS + + + + + STEWART PARK H0MES, INC; TH0MASVILLE, GA.; BAYSIDE, R0CKY MTN BEACHCOMBER & SIGNATURE SERIESHOMES + + + + + STRONGBACK MANUFACTURING, LLC; PALMETTO, FLORIDA _TRAILERS; ASSIGNED/ADDED 5/13/14 + + + + + STRALE + + + + + STARBUCK TRAILER + + + + + STRAHAN MFG. CO. + + + + + STARDUST TRAVEL TRAILER + + + + + STREAMLINE TRAILER CO. + + + + + TK STERLING + + + + + STROHL CORPORATION; MISHAWAKA,IN ; TRAILERS + + + + + DTRICK TRAILERS CORP.FORT WASHINGTON, PENNSYLVANIA + + + + + STAR TRAIL MFD BY STARK BROS. MOTOR SALES + + + + + STARLINE TRAILER MFG. CO. + + + + + STREAMLINE MOTOR HOME + + + + + SATURN AUTOMOBILES + + + + + STREAMLINE PRECISION; BURLEY, IDAHO TRAILERS + + + + + STARCREST MOTOR HOME + + + + + STAR-RO TRAILERS, INC ROANOKE, VA + + + + + SMART TRANSPORT SOLUTIONS, INC; FAX LAKE, WISCONSIN + + + + + STEWART & STEVENSON; TRUCKS, CONSTRUCTION EQUIP, INDUSTRIAL PRODUCTS, MARINE & HIGHWAY EQUIPMENT, AGRICULTURAL EQUIP_HOUSTON, TEXAS _(WORLDWIDE LOCATIONS) + + + + + STARTRIKE SA; LEMANS, FRANCE MOTORIZED TRICYCLES + + + + + STARTRANS BUSES, DIVISION OF SUPREME CORPORATION; GOSHEN INDIANA; SENTINEL, CANDIDATE, SENATOR, AMBASSADOR, PRESIDENT SERIES OF VEHICLES _ + + + + + STAR TRANSPORT TRAILERS, INC.SUNNYSIDE, WASHINGTON + + + + + STUNTERX STUNTSHOP (DBA-D028931); SANANNAH, NEW YORK _MOTORCYCLES_ ADDED/ASSIGNED 12/9/14 + + + + + STUDEBAKER + + + + + STUART + + + + + STUTZ + + + + + STEWART-AMOS SWEEPER COMPANY; HARRISBURG, PENNSYLVANIA SWEEPER TRUCKS - ADDED/ASSIGNED 11/12/14 + + + + + STONEWELL FORGE OR STONEWELL BODIES & MACHINE, INC. _GENOA, NEW YORK; TRAILERS + + + + + STOWELL INDUSTRIES, INC.; MILWAUKEE, WISCONSON TRAILERS + + + + + STEAIRS WELDING; MAINE + + + + + STOEWER AUTOMOBILES / GEBRUDER STOEWER, FABRIK MOTORFAHRZEUGENGERMANY + + + + + SUBARU + + + + + SUNNY BROOK RV,INC. MIDDLEBURY, INDIANA + + + + + SUN BLAZER TRAVEL TRAILER + + + + + SUBURBAN MANUFACTURING CO.; EASTLAKE, OHIO TRAILERS & METAL + + + + + SUBURBAN MOTORS, INC. + + + + + SUDENGA INDUSTRIES; IOWA, FARM/AGRICULTURAL EQUIPMENT, TRAILERS, HOPPERS,AUGERS,BULK SEED EQUIPMENT + + + + + SUMMIT DESIGN & MANUFACTURING, LLC; PORTLAND, OREGON _TRAILERS; ADDED/ASSIGNED 8/15/14 + + + + + SUPERIOR EQUIPMENT CO.BUCKEYE PRODUCTS + + + + + SUPER FLEA + + + + + SUNFLOWER MFG. CO., INC. + + + + + SUGGS MANUFACTURING CO., INC.; LAGRANGE, NC + + + + + SUCKERPUNCH SALLYS LLC, SCOTTSDALE, AZ; CUSTOM MOTORCYCLES + + + + + SULLAIR CORP.MICHIGAN CITY, INDIANA + + + + + SUPREME MID-ATLANTIC CORP.; JONESTOWN, PENNSYLVANIA _(TRAILERS) + + + + + SUPERIOR MFG., INC ELBERFELD, INDIANA + + + + + SUMMERS MFG. CO. + + + + + SUMMITT TRAILER + + + + + SUN + + + + + SUNLINE COACH CO. + + + + + SUNBEAM MOTORSPORTS + + + + + SUN COAST TRAILERS MANUFACTURERS, INC., CORAL SPRINGS FLORIDA + + + + + SUNDIAL MOTOR HOME + + + + + SUNLINER MOTOR HOME + + + + + SUNHOME MFG. + + + + + SUNSET MOBILE HOMES + + + + + SUN STATE MOBILE HOMES + + + + + FLAMENCO MFD BY SUNDANCER DIV. OF WINSTON IND + + + + + SUN VALLEY + + + + + SUNSET PARK & RV, INC, SHIPSHEWANA, INDIANA - TRAILER + + + + + SUN CHASER MFD BY SUN RECREATIONAL INDUSTRIES, LTD + + + + + SUNSHINE HOMESRED BAY, ALABAMA + + + + + SUNSET TRAVELERS + + + + + SUN DEVIL TRAILERS, INC.BOAT TRAILERS TULSA, OK + + + + + SUNDOWNER TRAILER CO. + + + + + SUNRAY RECREATIONAL VEHICLES, TAZWELL,TENNESSEE + + + + + SB MANUFACTURING,INC OR SUPERIOR BROOM WICHITA, KS + + + + + SUPREME CORPORATION; GOSHEN, INDIANA TRUCK BODIES + + + + + SUPERIOR MOTOR HOME + + + + + SUPERF0RMANCE INTERNATI0NAL; S0UTH AFRICA; KIT CARS & REPLICAS + + + + + SUPERIOR IDEAL, INC.OSKALOOSA, IOWA + + + + + SUPERLINE TRAILERS / EVACO ACQUISTIONS CORP, GRIFFIN, GA; _TAG A LONGS, SKID STEERS, TILTS & CONTAINER DELIVERY + + + + + SUPREME INDUSTRIES, INC.LOUISVILLE, TENNESSEE + + + + + SUPERIOR TRAILER WORKSLOS ANGELES, CALIFORNIA + + + + + SUPERIOR STEEL PRODUCTS, INC; CALDWELL, IDAHO TRAILER/TANKERS + + + + + SUPER TWO + + + + + SUPERVISION TWO, INC; GARDEN CITY PARK, NEW YORK SCISSORS LIFT, BOOM LIFTS + + + + + SUPERIOR METAL WORKS; SUTHERLIN, OREGON (TRAILERS) + + + + + SURELOAD + + + + + SURF-RIDER, INC. + + + + + SURGICAL-STEEDS ARIZONA; MOTORCYCLES + + + + + SURE-TRAC; INDIANA MULTILE STYLE TRAILERS + + + + + SURVEYOR MOTOR HOME + + + + + SUSPENSIONS UNLIMITED; DUNE BUGGY, GO KARTS ETC. + + + + + SUSQUEHANNA-SANTEE BOAT WORKS, INC.BOAT TRAILERS; WILLOW STREET,PENNSYLVANIA + + + + + SUPERIOR STORAGE TANKS; LA MIRADA, CALIFORNIA _TRAILERS; ADDED/ASSIGNED 7/14/14 + + + + + SUPERIOR TRAILERS, LLC; WALLACE, MICHIGAN _TRAILERS + + + + + SUTPHEN CORP.AMLIN, OHIO + + + + + SUTTER WELDING & MANUFACTURING, INC; NIXA, MISSOURI - TRAILERS + + + + + SUVEGA TIGER + + + + + SUZUKI-AMERICAN SUZUKI MOTOR CORP NAME CHANGED TO: SUZUKI MOTOR CORP (AUTO,CYCLE,ATV,MARINE)AMERICAN SUZUKI MOTOR CORP FILE CHAPTER 11 BANKRUPTCY 11/5/2012 + + + + + SUZULIGHT SU + + + + + SUPER VACUUM MANUFACTURING CO.INC. LOVELAND, CO; STREET SWEEPERS LIGHT TOWERS,RESCUE TRUCKS, EMERGENCY VENTILATION EQUIPMENT + + + + + SUN VALLEY CAR CARRIERS OR SUN VALLEY TRAILERS; PHOENIX, AZ + + + + + SPECIALIZED VEHICLE C0RP0RATI0N / HACKNEY DIVISII0N; WASHINGT0N, N0RTH CAR0LINA + + + + + SERVICE KING MANUFACTURING, INC STROUD OKLAHOMA + + + + + SHELL VALLEY MOTORS (AKA) SHELL VALLEY COMPANIES (REPLICAS) + + + + + SEVEN CUSTOM CYCLES, INC. HIALEAH, FLORIDA + + + + + SILVER TRAIL + + + + + SWAN INDUSTRIES + + + + + SWANEE TRAILER MFG. CO. + + + + + SWEDE BUILT ; MOTORCYCLES, CONNECTICUT + + + + + SWEETHEART MOTOR HOME + + + + + SMP MFD BY SWEETWATER METAL PRODUCTS CO.,INC + + + + + SWEEPSTER, INC. + + + + + SWIFT BUILT TRAILERS; COLORADO TRAILERS MAY BE LISTED AS SCOTT MURDOCK TRAILER SALES, LLC + + + + + SOUTHWEST GOOSENECK; SAN ANTONIO, TX + + + + + GRISWOLD INDUSTRIES SEE SWINGER SNOWMOBILES + + + + + SWIFT M0T0RSP0RTS, INC; PH0ENIX, AZ; T0RMENT0R M0DEL + + + + + SWISHER MOWER & MACHINE CO.WARRENSBURG, MISSOURI + + + + + SWINGER + + + + + SWISS COLONY TRAVELERS, INC.DIV. HERRLI INDUSTRIES + + + + + C.M.CUB (MFD. BY SWI TONG CORP.,IMPORTED BY CONVENIENCE MACHINES) + + + + + SWIVEL ENGINEERING/SWIVEL ENGINEERING LP; HOUSTON, TEXAS TRAILERS TRAILER MOUNTED POWER SWIVEL + + + + + S & W WELDING, INC.; WEST POINT, NEBRASKA + + + + + SWM + + + + + SWINGER CAMPER MOBILE HOME + + + + + SWANSON TILT TRAILER + + + + + SOUTHWEST TRAILER MANUFACTURING INC., PART OF FLORIDA ENCLOSED TRAIELRS. MIAMI, FLORIDA + + + + + SWARTZ WELDING & MFG., MONTEZUMA, GEORGIA + + + + + SOUTHWEST EXPRESSLINE, WHITE PIGEON,MICHIGAN + + + + + SOUTHERN YANKEE BAR-B-Q; ANDERSON, INDIANA -TRAILER MOUNTED BAR-B-Q EQUIPMENT + + + + + SYCAMORE MOBILE HOMES + + + + + SYSTEMS & ELECTRONICS INC; ST LOUIS, MISSOURI HEAVY EQUIPMENT TRANSPORT VEHICLES; TRAILERS ETC (ALSO SEE DRS TECHNOLOGIES INC + + + + + SYLVAN SPORT, LLC; FLRTCHER, NORTH CAROLINA TRAILERS + + + + + SYLVAN DOUBLE SNOWMOBILE TRAILER + + + + + SYM U.S.A. OR SANYANG MOTORCYCLE OR SANYANG INDUSTRY CO., LTD + + + + + SYRENA + + + + + T00ELE / TOOELE ARMY DEPOT TRAILER MOUNTED LAUNDRY TRAILERS + + + + + TOOL ENGINEERING & MFG BRIGHAM CITY, UT + + + + + TODCO + + + + + TODDY CUSTOM BUILT TRAILERS MFGS STOCK TRAILERS BRADFORD,AZ + + + + + TOW GO TRAILERS TONGANOXIE,KS + + + + + TOURHOME CAMPER TRAILER + + + + + TOHATSU + + + + + TOKEN FLATBED TRAILER + + + + + TOUR-A-LODGE + + + + + TOTAL LIVESTOCK CONCEPTS OR TRUCK & LIVESTOCK CONCEPTS TIPTON, IOWA - LIVESTOCK TRAILERS + + + + + TOMOS/TOMAS; BULLET, SPRINT & OTHER MODELS + + + + + TOMBERLIN AUTOMOTIVE GROUP, AUGUSTA, GA; ELECTRIC VEH'S + + + + + TOWMOTOR CORP.SUBSIDIARY CATERPILLAR TRACTOR CO. + + + + + TOMBSTONE HEARSE CO, INC DBA-TOMBSTONE HEARSE & TRIKES BEDFORD PA MOTORCYCLES + + + + + TOM'S TRAILERS; MULTIPLE STYLE OF TRAILERS MANUFACTURED MENOMONEE FALLS, WI + + + + + TOMOTO INDUSTRIES; DIV OF HUANSONG INDUSTRIES GRP/CHONGQING HUANSONG INDUSTRIES GRP; MFG OF MOTORCYLES, ATV'S UTVS & WATERCRAFT + + + + + TONCO LOWBOY TRAILER + + + + + TOP BRAND TRAILERS + + + + + TOP CAMPERS + + + + + TOP KAT + + + + + TOP NOTCH TRAILERS, LLC / TOP NOTCH TRAILER MANUFACTURING,INCROCHESTER,WA + + + + + TOPPER MOBILE HOMES, INC. + + + + + TOP-3 TRAILERS; TEXAS + + + + + TORO CO. + + + + + TORA (IMPORTED BY ROCKFORD) + + + + + TORCH INDUSTRIES ELKHART, IN + + + + + TORINO_INDUSTRIES, CORP; MIAMI, FLORIDA TRAILERS + + + + + TORK / TORKLIFT INTL., TRAILERS, PARTS & ACCESSORIES,HITCHES AND TIEDOWNS + + + + + TORNADO (BRITISH) + + + + + TORQUE FW, TORQUE TT; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + TORROT + + + + + TOTEM TOTAL TRAILER + + + + + TOTE CO.LENOX, IOWA + + + + + TOTEMALL MFD BY BIRMINGHAM MFG. CO., INC. + + + + + TOTAL PERFORMANCE INC. WALLINGFORD, CT + + + + + TOPLINE TRAILERS MANUFACTURING FORT WORTH TX + + + + + TOTER INDUSTRIES, LLC SPRINGDALE, AR + + + + + TOTE' EM TRAILERS; INDIAN ORCHARD, MA.ACQUIRED BY VERSO CARRIER CORP; ATLANTA, GA IN 2013 + + + + + TOURA PRODUCTS + + + + + TOURITE MOBILE HOMES MFG. + + + + + TOWNCRIER CAMPER + + + + + TOW MOR PRODUCTSCANON, GEORGIA + + + + + TOWNER MFG. CO. + + + + + TOW LOW + + + + + TOW MOBILE FORKLIFT + + + + + NEW CASTLE MFG BY TOWN & COUNTRY MFG. CO. + + + + + TOW PRO, INC.MCKINNEY, TEXAS + + + + + TOWMASTER TRAILERS MAKER OF CONTRAIL TRAILERS ALSO + + + + + TOYOCAR VAN CONTAINER TRAILER + + + + + TOYOPET + + + + + TOYOTA + + + + + TAOTAO INDUSTRY CO., LTD OR (ZHEJIANG TAOTAO INDUSTRY CO.,LTD TAOTAO GROUP CO., LTD.; ZHEJIANG, CHINA + + + + + TACOMA TRAILER + + + + + TACQUITO + + + + + TRACER HORSE TRAILER + + + + + TADANO AMERICA CORPORATION OR TADANO, LTD. CRANES & BOOM TRUCKS (HEAVY EQUIPMENT) OR TADANO FAUN OR FAUN-WERKE KARL SCHMIDT + + + + + TECNICA AUTOMOTRIZ DEL NORESTE MEXICO; TRAILERS + + + + + TAG-A-LONG TRAILERS + + + + + TARGET PRODUCTS DIVISION, FEDERAL-MOGUL CORP. + + + + + TAHOE MOTOR HOME + + + + + TAHITI SKI TRAILERS + + + + + TAILOR MAID INDUSTRIES + + + + + TAIZH0U HIS0URCE INTERNATI0NAL TRADE C0., LTD; E-Z RYDER 501HD-Y; ZHEJIANG, CHINA + + + + + TAKA (IMPORTED BY ROCKFORD) + + + + + TAKEUCHI MANUFACTURING (U.S.) LTD.ATLANTA, GA; MANUFACTURES COMPACT TRACK EQUIPMENT + + + + + TAKE 3 TRAILERS; BRENHAM, TEXAS TRAILERS + + + + + TALBERT MFG. INC.RENSSELAER, INDIANA + + + + + TAILGATER + + + + + TALLERES L0ZANO SA DE CV - MEXICO + + + + + TAYLOR METAL WORKS, INC.MILAN, TENNESSEE + + + + + TAYLOR MFG. CO., INC./ MJ TAYLOR MANUFACTURING, INC. _CONSTRUCTION EQUIPMENT, PAVING & ROAD EQUIPMENT + + + + + TAMA + + + + + TAMPO MANUFACTURING CO. INC. + + + + + TAMPA TRAILERWORKS, INC; TAMPA, FLORIDA TRAILERS + + + + + TANDOM BOAT TRAILER + + + + + TANA INDUSTRIES; BILLINGS, MONTANA TRAILERS + + + + + TANDEN BOAT TRAILER + + + + + TANKRAFT TRAILER + + + + + T & M ENTERPRISES COOKVILLE, TEXAS + + + + + TANNEHILL TRAILER + + + + + TARA PRODUCTS, INC.WHITE PIGEON, MICHIGAN + + + + + TARGET COACH MFG. CO.DIV. CENTRAL BUILDERS SUPPLY + + + + + TARNEL USA CAR HAULER TRAILERS AND OTHER STYLES + + + + + TARTAN CORP.DIV. AMERICAN DURALITE CORPORATION + + + + + TARASPORT TRAILERS, INC.; SWEETWATER, TN + + + + + TATA ENGINEERING & LOCOMOTIVE CO.; BOMBAY INDIA + + + + + TATUM MOTOR SPORTS + + + + + TATRA + + + + + TATSA, INC MIAMI FL + + + + + TAUBE TOOL CORP.MFD. TAUBE N TAUBE TRAILER,RICHMOND, INDIANA + + + + + TAUNUS (GERMAN FORD) + + + + + TAWAS TRAILERS, INC. + + + + + TAXA LP; HOUSTON, TEXAS TRAILERS + + + + + TAYO MOTORCYCLE TECHNOLOGY CO OR GUANGDONG TAYO MOTORCYCLE TECHNOLOGY CO CHINA + + + + + TAYLOR-DUNN INDUSTRIAL ELECTRIC VEHICLESANAHEIM, CALIFORNIA + + + + + TAYLOR IRONWORKS, TAYLOR, ARKANSAS TRAILERS + + + + + TAYLOR MOBILE HOMESDIV. TROY LUMBER COMPANY + + + + + TAYLOR MACHINE WORKS, INC. + + + + + TAYLOR TRAVEL TRAILER SERVICING; ONTARIO, CANADA _TRAILERS + + + + + TRAVEL CRUISER + + + + + TBC + + + + + TRIPLE B & J TRAILERS MFG., INC. BRADFORD, ARKANSAS TRAILERS + + + + + T & B TRAILERS & WELDING ; LOCKWOD, MISSOURI - TRAILER + + + + + TOW BLAZER; MFG BY- ZHONGMAO MACHINERY CO., LTD CHANGZHOU CHINA TRAILERS + + + + + TOMCAR USA, INC; PHOENIX, ARIZONA ATV'S + + + + + TCB CHOPPERS, ORLANDO, FL + + + + + TECHNICAL COMPONENTS DEVELOPMENT AND DESIGN, INC / CONDOR PRODUCTS + + + + + T-CHOICE OR TC PRODUCTS; TRAILERS, ATV'S SCOOTERS & MINI BIKES + + + + + TCHAIKA + + + + + TALBOT-CARLSON, INC.AUDUBON, IOWA + + + + + TC INDUSTRIES, INC.CRYSTAL LAKE, ILLINOIS + + + + + HERCULIFTMFD. BY TCI POWER PRODUCTS, INC. + + + + + TCM CORPORATION & TCM LIFT TRUCKS + + + + + TRIPLE CR0WN TRAILERS; 0CALA, FL; UTILITY,EQUIPMENT,DUMP,& CAR TRAILERS + + + + + TECH SUN TRAILERS SEABROOK, TEXAS + + + + + TC TEARDROPS, LLC WAUSAU, WI + + + + + TC TRAILERS WICHITA FALLS TX + + + + + THUNDER CHOPPER WORKS INC., FLORIDA + + + + + TDC MANUFACTURING, LLC (TOP DOG CARTS) FLORIDA CONCESSION FOODTRAILERS + + + + + T & D ENTERPRISES, INC; OKEMAH, OKLAHOMA - TRAILER _TOW DOLLY + + + + + TEAR DROP, INC. / AMERICAN TEARDROP, INC + + + + + TEBBEN MFG. CO., INC. + + + + + TEC + + + + + TECHLINE ENGINEERING, INC; BREMEN, INDIANA - TRAILERS + + + + + TECUMSEH PRODUCTS CO., ENGINE DIV. + + + + + TECNOMA, LTD., (CANADA) + + + + + TECUMSEH TRAILERS MANITOBA CANADA + + + + + TRIPLE E CANADA; MOTORHOMES, 5TH WHEEL TRAVEL TRAILERS WINKLER, MANITOBA CANADA + + + + + T&E ENTERPRISES OF HERSCHER, INC.; HERSCHER.IL + + + + + TEE NEE TRAILER CO.YOUNGSTOWN, OHIO + + + + + TEJAS TRAILERS, INC.BELLVILLE, TEXAS + + + + + TEL STAR TRAILERS + + + + + TEMCO MFG., INC FT MORGAN COLORADO + + + + + TEMISKO; CANADA; (FLATBED, FLOAT,CHIPS, LOGGING TRAILERS) + + + + + TEM KEN TRAILERS MFG. + + + + + TEMPO (MOTORCYCLES & AUTOMOBILES/TRUCKS) + + + + + TEMSA GLOBAL SANAYI TICARET A.S. BUSES + + + + + TENNANT CO. + + + + + TENNESSEE TRAILERS, INC; SODDY, TENNESSEE + + + + + TEMPE TRAILERS + + + + + TERRA CRUISER DIV.DIV, OF DIVCO-WAYNE INDUSTRIES + + + + + TERRA-MARINA MFG. CO. + + + + + TERRAMITE CORP. + + + + + TERRAVAC CORP.STOCKTON, CALIFORNIA + + + + + TERRY INDUSTRIES OF VIRGINIA + + + + + TEREX DIV.EUCLID & TEREX PRODUCTS & TEREX ADVANCE COEQ + + + + + T.E.S. (TRUCK EQUIPMENT & SALES CO.) + + + + + TESH AND SONS INC + + + + + TESTI + + + + + TESKE MANUFACTURING; MINNESOTA; TRAILERS + + + + + TESLA MOTORS ; CALIFORNIA, ELECTRIC VEHICLE (ROADSTER) + + + + + TETON TRAVEL TRAILER + + + + + TEENE TRAILER COMPANY; YOUNGSTOWN, OHIO - TRAILERS + + + + + TET, HUNTERTOWN, INDIANA; FRONT DISCHARGE CEMENT TRUCKS ETC + + + + + TEXOMA, INC. + + + + + TEXAN TRAILER MFG. CO. + + + + + TEXARKANA DIV.DIV. OF DIVCO-WAYNE INDUSTRIES + + + + + TEX WILLETT CO. ALSO TO BE USED FOR: R.C. WILLETT, IC. + + + + + TEXAS MADE TRAILERS, LLC; HUNTSVILLE, TEXAS + + + + + TEXAS PRIDE TRAILERS (MADISONVILLE,TX) + + + + + TEXAS BRAGG ENTERPRISESMT. PLEASANT, TX; UTILITY TRAILERS + + + + + TRAFCON INDUSTRIES, INC; MECHANICSBURG, PENNSYLVANIA TRAILERS - ADDED/ASSIGNED 5/8/14 + + + + + TUFF BOY, INC; MANTECA, CALIFORNIA + + + + + TUFF TRAILER INC, LYNDEN WASHINGTON + + + + + TUFF/LUGG MANUFACTURING + + + + + TOTE GOTE + + + + + TIGERCAT FORESTRY; TIMBER & FORESTRY EQUIPMENT + + + + + TGMI, INC OR TAILGATE MULCHER INC; CINCINNATI, OHIO _TRAILER MOUNTERD HYDROSEEDERS,STRAW BLOWERS,HYDROMULCHERS,AQUA MULCHERS + + + + + TIGERLINE TRAILER + + + + + TRANSEO GLOBAL VEHICLES SOLUTIONS; OHIO ARMORED VEHS,CAR BODIES;SAFETY VEH'S; TRUCK TRACTORS ETC + + + + + BOATOTERMFD. BY THOMAS MFG. + + + + + TH0R CALIF0RNIA, INC., M0REN0 VALLEY, CA 5TH WHEEL TYPE + + + + + TH0MAS EQUIPMENT LTD.; NEW BRUNSWICK, CANADA + + + + + THOMAS & CO. + + + + + THORNS TRAILER + + + + + THOR POWER TOOL CO. + + + + + THOROUGHBRED BOAT TRAILER + + + + + THOMAS CONVEYOR CO. + + + + + THE THACKERY CO., INC. + + + + + THAMES + + + + + ARIA BRAND; MFG BY THOR MOTOR COACH, INC + + + + + JOSEPH THATCHER + + + + + THAWZALL LLC OR THE MACHINE COMPANY MINNESOTA + + + + + AXIS BRAND; MFG BY THOR MOTOR COACH + + + + + THAYCO TRAILER CORP; PENNSYLVANIA + + + + + THROUGHBRED MOTORSPORTS INC; TROUP, TEXAS MOTORCYCLES & TRIKES + + + + + THURO-BILT; MFG BY ROSEBURG TRAILER WORKS(VMA/RSBG) _OREGON - TRAILERS + + + + + THUNDERBOLT TRAILER + + + + + THIBODEAUX FABRICATORS, INC.; DUSON LAUISIANA TRAILERS_ ADDED/ASSIGNED 4/14/14 + + + + + THUNDER CREEK EQUIPMENT; MFG BY LDJ MANUFACTURING; _PELLA, IOWA (FUEL & SERVICE TRAILER) + + + + + COMPASS BRAND; MFG BY THOR MOTOR COACH INC + + + + + THEE KIT; BOYNTON BEACH, FLORIDA TRAILERS + + + + + THEURER ATLANTIC, INC.NEWARK, NEW JERSEY + + + + + THE HIGHLAND GROUP BEACHWOOD, OH TRAILERS + + + + + GEMINI BRAND; MFG BY THOR MOTOR COACH INC + + + + + TRIPLE H TRAILERS; SOLON, IOWA TRAILERS + + + + + THIERMANN UTILITY EQUIPMENT DIV.MILWAUKEE, WISCONSIN + + + + + THOROUGHBRED INDUSTRIES, INC; RIDGELAND, SC STARLITE MODEL + + + + + THIELE, INC.WINDBER, PENNSYLVANIA + + + + + THIMSEN MFG. CO. + + + + + THOR MOTOR COACH, INC; ELKHART, IN + + + + + MIRAMAR, BRAND MFG BY THOR MOTOR CAOCH, INC + + + + + THOMPSON CONCRETE PUMP TRAILER + + + + + THOMAS BUILT BUS CO. + + + + + THUNDER BIKES, INC. FORT LAUDERDALE, FL + + + + + THINK ELECTRIC VEHICLES; DIVISION OF FORD MOTOR COMPANY FORD LEFT THINK ELEC VEHS 2003 NO LONGER DIVISION OF FORD PREV VMO/CTY-CITY & NRB- NEIGHBOR MODELS VMA/FORD + + + + + THOMPSON + + + + + QUANTUM BRAND; MFG BY THOR MOTOR COACH INC (VMA/THMC) + + + + + THREE C'S, INC. + + + + + THREE-DIMENSIONAL MOBILES + + + + + THREE FEATHERS MANUFACTURING, LLC; LA GRANDE, OREGON TRAILERS + + + + + THREE-WAY CAMPERS MFG. + + + + + THRU AIR TRAILERS LLC; WEST SENECA, NY; TRAILERS & HULERS + + + + + THOMSEN EQUIPMENT CO. + + + + + SYNERGY BRAND; MFG BY THOR MOTOR COACH INC + + + + + TAIWAN HELIO TECHNOLOGY CO., LTD.TAIWAN MOTORCYCLES AND SCOOTERS + + + + + THUG CUSTOM CYCLES, LLC PLANTATION, FLORIDA + + + + + THULE TRAILERS, INC.; WINSL0W, MAINE SN0WPR0,CARG0PR0 ATV,M0T0RCYCLE,SN0WM0BILE CAR & UTILITY TRAILERS _ + + + + + THUMPSTAR OR THUMP, MOTORBIKES + + + + + THUNDERBIRD CASTLES DIV THUNDERBIRD PRODUCTS + + + + + THURSTON MANUFACTURING COMPANY; THURSTON,NB (CIRCLE R BRAND) (BLU-JET FERTILIZER APPLICATORS), SPREADERS + + + + + VEGAS BRAND; MFG BY THOR MOTOR COACH + + + + + VENETIAN BRAND; MFG BY THOR MOTOR COACH INC + + + + + TOMAHAWK FABRICATING; PENNSYLVANIA + + + + + THIRD WHEEL TRAILERS INCORPORATED; ONTARIO, CANADA + + + + + THRU-WAY TRAILERS, ONTARIO CANADA + + + + + TIOGA MOTOR HOME + + + + + TRIANGLE-K TRAILER CO.DRUMRIGHT, OKLAHOMA + + + + + TIANMA GROUP OR TIANMA MOTORCYCLE CO., LTD OR GUANGZHOU TIANMAGROUP; GUANGZHOU CITY,GUANGDONG CHINA, MOTORCYCLES ORIGIANLLY CALLED GUANDONG KINGTOWN GROUP/GUANGZHOU + + + + + TIARA INDUSTRIES + + + + + TIBBAN MFG, INC - DRILLERS; VICTORVILE, CA + + + + + TI-BROOK, INC.BROOKVILLE, PENNSYLVANIA + + + + + TICO TERMINAL SYSTEMS,INC OR TTS INC; SAVANNAH, GA _TRACTORS & TRAILERS + + + + + TIDE CRAFT, INC. + + + + + DORADO MOBILE HOMESMFD. BY TIDWELL INDUSTRIES, INC. + + + + + TIE DOWN ENGINEERING; GEORGIA + + + + + TIFFIN M0T0RH0MES, INC; RED BAY, ALABAMA; ALLEGR0, PHAET0N, ZEPHER M0DELS + + + + + TIGER TRAILER + + + + + TIGER TRUCK, LLC; OR TIGER TRUCK MANUFACTURIN, LLC, DALLAS, TEXAS OR POTEAU, OKLAHOMA + + + + + TINY IDAHOMES, LLC; NAMPA, IDAHO TRAILERS + + + + + TILMAN DUMP TRAILERS LLC; PENNSYLVANIA + + + + + TILTON-HILTON + + + + + TIMBERLINE MFG. CO. + + + + + TIME OUTT.O. CORP. + + + + + TIMKEN BEARING BOAT TRAILER + + + + + TIMMINS TRAILERS; ONTARIO CANADA (LOG HAULERS) + + + + + TIMPTE, INC.DENVER, COLORADO + + + + + TINKER CLUBS OF AMERICA, INC. + + + + + TINY SMARTHOUSE, LLC; ALBANY, OREGON MOBILE MODULAR TRAILER HOMES + + + + + TISONG GROUP CO., LTD CHINA MOTORCYCLES, MOPEDS, SCOOTERS, E-VEHICLES,ATV'S, ETC + + + + + TRI-STATE HOMES, INC. + + + + + TITAN TRAILER CORP.DIV. CONCORD MOBILE HOMES WOODLAND,CA + + + + + TITLEIST TRAVEL TRAILER + + + + + TITAN INC OR U S TITAN + + + + + TI TRAILERS; MIDWAY, ARKANSAS TRAILERS + + + + + TJAARDA + + + + + T & J HORSE TRAILERS - OGDEN, UTAH + + + + + TRIPLE J CUSTOM TRAILERS, GANSEVOORT, NY + + + + + TURNKEY INDUSTRIES MAGNOLIA, TX + + + + + TRIKE-FAHRZEUGBAU 2000 GMBH; GERMANY SPECIAL VEHICLE CONVEYANCE PASS + + + + + TIMBERKING, INC + + + + + TRIKETEC GMBH; GERMANY + + + + + TLC CARROSSIERS, INC + + + + + TLC MANUFACTURING, INC.; LEBANON, TENNESSEE _TRAILERS- ADDED/ASSIGNED 6/11/14 + + + + + TOLEDO VEHICLES + + + + + TELEDYNE + + + + + TAILGATOR TRAILERS HILLSBORO, OR + + + + + TL INDUSTRIES; TRAVEL TRAILERS & CAMPERS, ELKHART, INDIANA + + + + + OZARK TRAILWAY MFD BY TRI-LAKES MFG. CO., INC. + + + + + TRAILER MADE CUSTOM TRAILERS; COLORADO TRAILERS _ALSO AUTOHAUS OF COLORADO + + + + + T & L MANUFACTURING; FAYETTEVILLE, NC + + + + + TRAILER MANUFACTURE, INC; SANFORD, FLORIDA _TRAILERS - ADDED/ASSIGNED 3/4/14 + + + + + TRAILMASTER MFG., INC; DOUGLAS GEORGIA NOT SAME AS COLEMAN,OK + + + + + TRAIL MASTER, INC COOKVILLE, TX + + + + + T & L TRAILERS SIKESTON, MO TRAILERS + + + + + THE LITTLE TRAILER CO., INC. ELKHART, IN LITTLE GUY SPORT + + + + + TRAVEL LITE, INC.; NEW PARIS, INDIANA TRAILERS + + + + + TRAILERMAN TRAILERS,INC/INLOW CUSTOM TRAILERS; LOUISIANA, MISSOURI + + + + + TRAILITE TRAILER + + + + + TRAILERS UNLIMITED; GEORGIA + + + + + TRAILER MANUFACTURERS OF TOLEDS, LLC (DBA-TMT OHIO) _TOLDEO, OHIO + + + + + WOODCREDIT, INC (DBA-TIMBERKING); KANSAS CITY, MISSOURI _TRAILERS (WOOD PROCESSING MACNINERS AND SAWMILLS) ADDED/ASSIGNED 3/24/15 + + + + + TIMBERLAND RV COMPANY; PERU, IN + + + + + TIMBERWOLF ELKHART, INDIANA + + + + + TRANSPORTATION MANUFACTURING CORPORATIONROSWELL, NEW MEXICO + + + + + TOMCO MANUFACTURING; GRASS VALLEY, CALIFORNIA + + + + + THUNDER M0UNTAIN CUST0N CYCLES; L0VELAND, C0L0RAD0 + + + + + TMC INC.POSKIN, WI; MFG. PONTOON TRAILERS + + + + + THE METAL CONNECTION; WESTBROOK, CONNECTICUT (TRAILERS) + + + + + TMEC POWER TECHNOLOGY CORP. LTD OR WUXI TMEC POWER TECHNOLOGY CORP, LTD ; WUXI CITY CHINA / MOTORCYCLES + + + + + TOMKO TRAILERS, INC MINNESOTA + + + + + T & M MANUFACTURING, INC.; PRINCET0N, 0NTARI0 CANADA + + + + + TOMMY'S TRAILER SALES; BAKERSFIELD, CALIFORNIA TRAILERS + + + + + TEMP-AIR; BURNSVILLE, MINNESOTA + + + + + TEMPLES TRAILER SALES, INC; SULPHUR SPRINGS, TEXAS + + + + + T M RACING SPA ITALY TM MOTORCYCLES USA MOTORCYCLES + + + + + TAMARACK INDUSTRIES, LLC (DIV OF ELJO INDUSTRIES) LAKEVILLE MN + + + + + 2MOTO, INC; MOTORCYCLE CONVERSION KITS + + + + + TM TRAILER + + + + + TRAVEL MATE TRAILER + + + + + TIM NOBLES TRAILERS, INC TAMPA, FL + + + + + TANOM MOTORS, LLC; CULPEPPER, VIRGINIA MOTORCYCLES + + + + + TENNFAB KNOXVILLE, TN + + + + + TANKKO, LLC; SUMNER, TEXAS + + + + + TANKC0N FRP, INC.; QUEBEC CANADA + + + + + TANK SPORTS INC., CALIFORNIA (HIGH PERFORMANCE MOTORCYCLES & SCOOTERS, ATV'S + + + + + TENTRAX; OREGON + + + + + TRANSCO TRAILER + + + + + TN TRAILERS, LLC; SHIPSHEWANA, INDIANA + + + + + TNT TRAILER LLC; WEISER, IDAHO + + + + + TINY TRAILER; ENTIAT, WASHIONGTON TRAILERS + + + + + TPD TRAILERS SACRAMENTO, CA + + + + + TOP HAND TRAILER MFG.; OKLAHOMA + + + + + TOP HAT INDUSTRIES, MT. PLEASANT, TX TRAILERS + + + + + TRANSPORT LEASING COMPANY, LLP; TWIN FALLS,IDAHO _TRAILERS + + + + + TRIPOLI MFG. (1991) LTD. ALBERTA,CANADA MOTORCYCLES MPOEDS MOTOR BICYCLES ETC + + + + + TOPLINE MANUFACTURING, CO., INC.; TREMONT, MISSISSIPPI + + + + + TRAILER PARTS PLUS (AKA) SIKESTON FENDER - CULLMAN ALABAMA + + + + + TOPPS TRAILER MANUFACTURING INC + + + + + T/A PUMP SLAES & SERVICE; STANTON, CALIFORNIA _ENVIRONMENTAL PEAGRAVEL & ROCK PUMPS + + + + + TEMPEST CYCLES INS., MELBOURNE, FLORIDA MOTORCYCLES + + + + + TRADEWIND INDUSTRIES, INC.FORMERLY J. H. HOLLAND CO. + + + + + TROJAN HOMES + + + + + TROJAN + + + + + TROMBLY WOODWORKING CO. + + + + + TROPICANA MFG. CO. + + + + + TROPHY TRAVEL TRAILER + + + + + TROYER MFG. CO. + + + + + TROTWOOD TRAILER + + + + + TROY INDUSTRIES + + + + + TROXELL TRAILER MFG.FT. WORTH, TEXAS + + + + + TROYLER CORP. + + + + + TRANSCRAFT CORP.ANNA, ILLINOIS + + + + + TRADER HORN TRAILER SUPPLY + + + + + TRABANT + + + + + TRAIL AIRE, INC. + + + + + TRAIL CAR BOAT TRAILER + + + + + TRAIL HAVEN DIV. + + + + + TRAILMASTER TANKS, INC.FT. WORTH, TEXAS + + + + + TRAILCO-NORWIN + + + + + ART ROLL MFG. CO., INC.NEW NAME IS TRAIL-R-CRAFT, INC. + + + + + TRAILEX, INC.CANFIELD, OHIO + + + + + TRAIL-IT COACH MFG. CO. + + + + + TRAILORAMA + + + + + TRAIL-OR-FLOATS + + + + + TRAIL-WIDE CORP. + + + + + TRANS CANADA RENT-A-TRAILER SYSTEM + + + + + TRANSIT + + + + + TRANSPORTERAMERICAN TRAILER & MFG. CO. + + + + + TRANSVAIR + + + + + TRAVEL EQUIPMENT CORP. + + + + + TRAVEL INDUSTRIES + + + + + TRAVOY MOTOR HOME + + + + + TRAVELAIRE TRAILER MFG. + + + + + TRAVELMASTER, INC. + + + + + TRAVELPAK CAR TOPPER SALES + + + + + TRAIL BOSS OR TRAILBOSS TRAILERS + + + + + TRAVETTE MFG. + + + + + TRAV-L-HOMES + + + + + TRAV OTEL INDUSTRIES + + + + + TRAVOIS TRAILER + + + + + TRANSFER + + + + + TRAINLINER + + + + + TRAILBLAZER TRAILER + + + + + TRAIL BREAKER + + + + + TRAIL BLAZER + + + + + TRAILER COACH METAL SPEC.VANCOUVER, WASHINGTON + + + + + TRAILER CORPORATION OF AMERICA; EASLEY, SOUTH CAROLINA + + + + + TRACKER CORP.BOAT TRAILERS WINCHESTER,TENNESSEE + + + + + TRAILCRAFT BOAT TRAILER + + + + + TRANSPORTATION COLLABORATIVE, INC; NEW YORK (PARENT COMPANY OF: TRANS TECH BUS- MAKER OF MID-SIZE SCHOOL BUSES AND COMMERCIAL BUSES + + + + + TRACPAC SNOWMOBILE TRAILER + + + + + TRAVEL CAR MOTOR HOME + + + + + TRAC + + + + + TEARDROPS NW SALEM OREGON + + + + + TREASURE CHEST PRODUCTS + + + + + TREVCO ENTERPRISES + + + + + TREK, INC.ELKHART, INDIANA + + + + + TRELAND MANUFACTURING; MICHIGAN FORESTRY EQUIP + + + + + TREMCAR, INC.; CANADA + + + + + TRAIL-ET HORSE TRAILER + + + + + TRAILERS EXPRESS, INC. SIKESTON, MO + + + + + TRAIL FLIGHT + + + + + TRAILER WHEEL AND FRAME CO.BELLVILLE, TEXAS + + + + + TRAEGER / TRAEGER PELLET GRILLS AND BAR-B-Q GRILLS ETC. + + + + + TARGET TRAILER MFG., CO, TEXAS + + + + + TRAIL HORSE + + + + + HERITAGE EDITION; MFG BY TRAIL BOSS CONVERSIONS, INC. + + + + + TRAIL HAWK + + + + + TRAVELO HOMES CO.DIV. SAGINAW PRODUCTS + + + + + TRAILERS AND HITCHES WINDER, LLC WINDER, GA + + + + + TRI-WAY HD SNOWMOBILE TRAILER + + + + + TRAIL MATE TRAILER CO.BELLINGHAM, WASHINGTON + + + + + TRIPLE B MFG. CO., INC.MASCOUTAH, ILLINOIS + + + + + TRI STATE TANK CORPORATION; KANSAS CITY, KANSAS TRAILERS; ADDED/ASSIGNED 8/5/14 + + + + + TRIFUN, INC 3 WHEELED ELEC VEH'S FLORIDA + + + + + TRIGGS-MINER CORP. + + + + + TRIHAWK INC. + + + + + TRANSPORTATION RESOURCES INDUSTRY INC; FORT WORTH, TEXAS TRAILERS + + + + + TRIKE + + + + + CHANCEYMFD. BY TRAIL-O-MATIC + + + + + PULLMAN TRAILMOBILE DIV OF PULLMAN, INC.--CHICAGO, ILLINOIS + + + + + TRINITY PRODUCTS + + + + + TRIPLE R TRAILER STOCKTON, MO + + + + + TRIUMPH SALES & SERVICE + + + + + TRI-STAR CORP. + + + + + TRIUMPH + + + + + TRIVELLATO + + + + + TRI-WAY TRAILER + + + + + TROJAN INDUSTRIES, INC. + + + + + TRIKEE AG; SWITZERLAND TRICYCLES + + + + + TRAIL KING TRAVEL TRAILER + + + + + TRAKKER TRAILERS + + + + + TRACKER MARINE, INC.NIXA, MISSOURI + + + + + TC TREKKER OR TREKKER BY WELLS CARGO MARKED TREKKER + + + + + THE TRIKE SHOP, 3 WHEELED MOTORCYCLES MINNESOTA + + + + + TRICKER TRAILERS (CP DEVELOPMENT, INC) SELAH, WA + + + + + TRAVEL LONG INC. + + + + + TRAIL-A-LONG MFG., INC. EUGENE, OR + + + + + TRAIL BOSS TRAILERS INC (HEAVY EQUIP TRAILERS) NOT HOUSE TRAILERS; MISSISSIPPI + + + + + TRAILCO MFG. & SALES CO.DIV. OF DORSEY TRAILERS HUMMELS WHARFPENNSYLVANIA + + + + + TRAIL DUST TRAILERS; BORING, ORIGON + + + + + TRAIL-EASY TRAVEL TRAILER + + + + + TRAILER GIANT, LLC, DUBLIN, GEORGIA (KINGDOM TRAILER) + + + + + TRAIL IT HORSE TRAILER + + + + + TRAIL KING INDUSTRIES DIV W.A.S., INC., MITCHELL,SOUTH DAKOTA + + + + + TRILLIUM TRAILER + + + + + TRAIL MASTER TRAILERS, INC.COLEMAN, OKLAHOMA + + + + + SKEETER MFD BY TRAILERS, INC. + + + + + TRL ENTERPRISES TRAILERS LOVELAND, CO + + + + + UNPUBLISHED TRAILER MFR. + + + + + TRAILERS INTERNATIONAL, LLC; SPARKS, NEVADA + + + + + TRAILER WORLD; OZARK, ALABAMA MULTIPLE STYLES OF TRAIELRS + + + + + TROLLY BOATS, LLC, LARGO, FLORIDA BUS AMPHIBIOUS CONVERTIBLE (LIKE DUCK BOATS) + + + + + TRAC-MACHINERY CORP.SUBSIDIARY OF E. D. ETNYRE & CO. + + + + + TRAILM0BILE CANADA & TRAILM0BILE TRAILER U.S. ARE SAME C0 TRAILM0BILE TRAILER US UNDER CHAPT 11; TRAILM0BILE CANADA PICKING UP PR0DUCTI0N PURCAHSED M0ND IND IN 1999; GREAT DANE PURCHASED S0ME U.S. PLANTS AT BANKRUPTCY PR0CEEDINGS + + + + + TRAMCO, INC.MFRS. LIQUID PROPANE GAS TRANSPORT--DALLAS, TEXAS + + + + + T & R MANUFACTURING, INC.; VERMONT + + + + + TRAVELER MFG. INC.CONCORDIA, MISSOURI + + + + + TRANSMISSION GENERIC CODE FOR USE ONLY WHEN MANUFACTURER IS NOT LISTED + + + + + TRIUMPH MACHINERY CO. + + + + + TRAILMANOR, INC.; LAKE CITY, TN + + + + + TRAMONT CORPORATION; MILWAUKEE, WISCONSIN + + + + + TRINITY INDUSTRIES, INC (DBA-TRINITY CONTAINERS, LLC) DALLAS TX + + + + + TREND MOTOR SPORTS(TMS) MOTORCYCLES,SCOOTERS,DIRTBIKES AND ATV'S PARTNERS WITH CHINESE FIRMS SEPERATE BRAND + + + + + TRANSHAUL INC., TRAILERS; GEORGIA + + + + + TOURNIER MANUFACTURING INC WATERLOO IOWA TRAILERS ADDED/ASSIGNED 2/26/16 + + + + + TRANSPORT EQUIPMENT CO - MISSOULA, MT + + + + + TRANSLINER INSULATED TANK TRAILER + + + + + TRANSP0RT TRAILERS; FENNVILLE, MI + + + + + TRINITY TRAILERS; WITHEE, WISCONSIN TRAIELRS + + + + + TROPIC MANUFACTURING, INC. LABELL, FLORIDA TRAILERS + + + + + TERRAPLANE + + + + + TR0PHY H0MES, INC.; ELKHART, IN + + + + + TRAMPER TRAVEL TRAILER + + + + + TRI-SPORT/STEEN (FORMERLY ALSPORT/STEEN) + + + + + TRAVEL QUEEN MOTOR HOME + + + + + TRAVEL QUEEN COACHES + + + + + TRAILER REPAIR AND REBUILDING; HOUSTON, TEXAS + + + + + TRI-ROD + + + + + AQUARIUS BOAT TRAILERS MFD. BY TRAIL-RITE, INC.SANTA ANA, CA + + + + + TERRAMARC INDUSTRIES WEST FARGO, NORTH DAKOTA; TRAILERS, FARM & GARDEN EQUIPMENT + + + + + TRIPLR R TRAILERS INC. BOONEVILLE,MS + + + + + TRAILERETTE TRAILER + + + + + TROUT RIVER INDUSTRIES; PRINCE EDWARD ISLAND, CANADA TRAILERS + + + + + TERRY'S UTILITY TRAILER OR TERRY W. BECK; WARRENVILLE, SC + + + + + TRANSGLOBAL; NEW YORK; FLATBED TRAILERS + + + + + TRANSMOBILE TRAILER + + + + + TRANS-SPORT + + + + + TRAIL STAR TENT TRAILER + + + + + TRAVEL SUPREME M0T0RH0MES, 5TH WHEEL TRAILERS & REC VEHS + + + + + TRI-PAK SYSTEMS CO.LOUISVILLE, KENTUCKY + + + + + TRITON & TRITON LIMITED; MFG BY PALM HARBOR HOMES + + + + + TRAIL BOSS CUSTOM; MFG BY TRAIL BOSS CONVERSIONS INC + + + + + TRAILTECH; GRAVELB0URG,SASKATCHEWAN CANADA + + + + + TR-TEC (PTY) LTD; DURBAN SOUTH AFRICA + + + + + TARTER GATE WEST; CORINNE, UTAH TRAILERS + + + + + TARTER INDUSTRIES, LLC; LIBERTY, KENTUCKY TRAILERS; ADDED/ASSIGNED 5/15/14 + + + + + TERRA TRACK - DIV OF MAC'S TRAX; MICHIGAN RANGE ROVER ALL TERRAIN VEHICLE (TRACKS) + + + + + TRIAD TRAILERS LTD.NEW MILFORD, CONNECTICUT + + + + + T & R TRAILER MFG., INC.; FOWLER, COLORADO NOT SAME AS T & R MANUFACTURING VMA/TRMF + + + + + TRITON TRAILER CORP.ALLENTOWN, WISCONSIN + + + + + TRANSTEQ TRANSP0RTATI0N TECHNIQUES LLC; HYBRID ELEC VEHS BUSES, SHUTTLES, ETC + + + + + TRAIL TRAMP TRUCK & TRAILER EQUIPMENT CO. + + + + + TROTTERS MFG INC; BUFFALO, IL + + + + + TRAVELINER TRAVEL TRAILER + + + + + TRINITY INDUSTRIES, INC DALLAS, TX + + + + + TRUCO + + + + + TRUCK EQUIPMENT SERVICE CO.LINCOLN, NEBRASKA + + + + + UNPUBLISHED TRUCK MFR.(SEE OPERATING MANUAL, PART 1,SECTION 2) + + + + + TRUELOCK- HEAVY DUTY REEL OR SPOOL TRAILERS + + + + + TRIUMPH MOTOR CO. (TRIU FOR AUTO ENTRY) MOTORCYCLE + + + + + TRAILE RUNNER FW, TRAILE RUNNER SLE, TRAIL RUNNER SCOUT; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + TRU-TRAILER CO. + + + + + TRU-TOW TRAILERS; ORANGE PARK, FL + + + + + STOW AND GOMFD. BY TRV CORP. + + + + + COZY CRAFT MFD BY TRAVELCRAFT, INC. + + + + + TRAVCO CORP. + + + + + TRAVELEZE INDUSTRIES, INC. + + + + + TRAVEL HOME, INC. + + + + + TRAVELINER MOTOR HOME + + + + + TRIVAN TRUCK BODY, LLC OR (TRI VAN) VANS, TRAILERS, TRUCKS, CUSTOM RV'S BODIES + + + + + TRAILEVATOR DIV MAGLINE, INC. + + + + + TRAVIS TRAILER + + + + + TRAVERSTON, INC. FORT LAUDERDALE, FL. CUSTOM MOTORCYCLES + + + + + TRAVEL UNITS, INC; ELKHART, INDIANA TRAILERS + + + + + TRAVEL WORLD, INC.UTILITY TRAILERS; HOPE HILL,NORTH CAROLINA + + + + + TRAILER WORKS, SACRAMENTO, CALIFORNIA + + + + + TRAILER WELD SHOP; BEND, OREGON TRAILERS + + + + + TRAXX TRAILERS / TRAXX TRAILER PARTS & SERVICE; TEXAS _TRAILERS - ADDED/ASSIGNED 4/7/14 + + + + + TROY-BILT FARM & GARDEN EQUIPMENT + + + + + TRYCO MFG. CO., INC.DECATUR, ILLINOIS + + + + + AKTIVSEE TUCKER SNO-CAT CORPORATION + + + + + TSE INTERNATIONAL, INC; SHREVEPORT, LOUISIANA - TRAILERS + + + + + TRAILER SALES OF MICHIGAN, INC.OR APPALACHIAN TRAILERS OF MI INC.; JACKSON' MICHIGAN TRAILER - ADDED/ASSIGED 5/22/14 + + + + + TRAILER SALES OF NEW YORK, INC N. COLLINS, NY + + + + + TESSY + + + + + TEAM SPIRIT TRAILERS; ELKHART, INDIANA + + + + + TITAN HOMES; NEW YORK DIVISION OF CHAMPION HOMES + + + + + THE TRAILER COMPANY, INC, BAKERSFIELD, CAMFG AND SALE/DISTRIBUTION OF MULTIPLE BRANDS + + + + + TIMELESS TEAR DROP TRAILERS OR ROBERT L BARR ENTERPRISESM, INCLAKELAND, FLORIDA, TRAILERS + + + + + TOTEM EQUIPMENT & SUPPLY, INC ALASKA + + + + + T & T INDUSTTRIES, INC. + + + + + TITAN TRAILER MANUFACTURING, INC.; KINGSTON, OKLAHOMA + + + + + TITAN TRAILERS INC., DELHI, 0NTARI0 CANADA + + + + + THE TRAILER CHOP, INC. EASTLAKE, OH + + + + + CYCLE-MATE MFD BY T & T INDUSTRIES + + + + + TRINITY TRAILER MEG., INC. BOISE, ID + + + + + THE TRIKE SHOP; WHITE BEAR LAKE, MINNESOTA - THREE WHEELED MOTORCYCLES + + + + + TEXAS TRAILER SERVICE COMPANY; FORT WORTH, TEXAS TRAILERS & TRAILER SERVICES + + + + + TRANSPORT SYSTEMS, INC.DENTON, TEXAS + + + + + TRANSPORT TRAILERS, INC.CEDAR RAPIDS, IOWA + + + + + TRANS-TRAIL TRAILER + + + + + T & T UNLIMITED, LLC; LABELLE, FLORIDA + + + + + T-2 SERVICES, INC SPOKANE, WA + + + + + SHANGHAI TUOHE IMP & EXP CO., LTD., SHANGHAI,CHINA ALSO TUOHE ENTERPRISE GROUP LIMITED + + + + + TURNBOW TRAILER + + + + + AL TUCKER TRAILER CO. + + + + + TUCKER + + + + + SNO-CATMFD. BY TUCKER-SNO-CAT CORP. + + + + + TUFBY CONVERTER DOLLY + + + + + TUFF CAT TRAILERS, INC.TEKONSHA, MICHIGAN + + + + + TUFFY + + + + + TUFF-N-LITE + + + + + TUFF THOM TRAILERS, INC.BRUNSWICK, GEORGIA + + + + + TUK-A-WAY-TRAILER + + + + + TULA MOTORZIKLY ZAVOD (TMZ) RUSSIA MOTORCYCLES + + + + + TULSA TRIKES; TULSA, OKLAHOMA 3 WHEELED TRIKES + + + + + TUMBLEWEED TINY HOUSE COMPANY; COLORADO SPRINGS, COLORADO _TRAILERS (FLATBED TRAILER ALTERED TO HOUSE ''SMALL HOME TYPE STRUCTURE) RVIA CERTIFIED AS PARK MODEL TRAILERS + + + + + TUNDRA TRAVEL TRAILERS & FIFTH WHEEL TRAILERS + + + + + TURTLEBACK TRAILERS LLC; PHOENIX ARIZONA + + + + + TURTLE HULL TRAILERS + + + + + TURNER + + + + + TURTLE T0P SPECIALITY TRANSP0RTATI0N VEHICLES; LIM0S, TRANSIT BUSES, TRANSP0RT VANS ETC. + + + + + TRAILERS USA INC, OCALA, FLORIDA + + + + + TUSCANY; MFG BY THOR MOTOR COACH INC + + + + + TULE TROOPER + + + + + TRAVELCRAFT MOTOR HOME + + + + + TRAVALONG TRAILERS (PARENT COMPANY-RAFTER M TRAILERS,INC WATERVILLE, KANSAS + + + + + T AND B BRAND MFG BY PLEASANT VALLEY TEARDROP TRAILERS + + + + + TVR + + + + + TOTAL VEHICLE RE MANUFACTURING; UNITED KINGDOM + + + + + 280 TRAILERS, LLC, PHENIX CITY, ALABAMA + + + + + TWAMCO TRAILER MANUFACTURING, INC.; SALT LAKE CITY, UTAH + + + + + TWENTIETH CENTURY MFG. CO.OR 20TH CENTURY MFG. CO. + + + + + TWF MANUFACTURING; SHIPPENSBURG, PENNSYLVANIA + + + + + TAIWAN GOLDEN BEE CO., LTD. TAIWAN; MOTORSCOOTERS, ATV'S ETC + + + + + NECEDAH FLYERS NFD BY TWIN CITY RACING + + + + + TWIN GROVE MFG., INC.VERONA, WISCONSIN + + + + + TWILIGHT COACH MFG. + + + + + TWIN TRAILER + + + + + TWIST N G0 M0T0R SC00TERS & CYCLES + + + + + TWILITE MOBILE HOME MFG. + + + + + TODD'S WELDING, INC.;RIFLE, COLORADO TRAILERS + + + + + TWINKLE; HEARSES + + + + + TOWLITE, INC; BELLEVILLE, OHIO TRAILERS + + + + + TRAILS WEST MANUFACTURING OF IDAHO, INC.; PRESTON, ID + + + + + TWN + + + + + T0W-RITE; MARIETTA S0UTH CAR0LINA; MAKER OF HAWKE TRAILERS NOT SAME AS TOWRITE TRAILERS BUNN LEVEL,NC _ + + + + + TOWRITE MANUFACTURING; BUNN LEVEL, NC; TRAILERS & DOLLIES + + + + + TWISTER + + + + + TWISTER TRAILER MANUFACTURING INC., FT. SCOTT, KANSAS + + + + + TRANS WORLD TRANSPORTATION SERVICES, LLC OR TWT MFG, LLC, KANSAS CITY, KANSAS + + + + + CRICKET BRAND ; MFG BY TAXA, INC (VMA/TAXA) + + + + + TXC MFG, LLC / TEXAS CORN ROASTERS; TEXAS CORN ROASTING TRAILERS + + + + + TEXLINE (BRAND MFG BY A-1 CUSTOM TRAILERS) TEXAS + + + + + TEX MEX TRAILERS, TEXAS + + + + + TEX-NEX TRAILERS, INC; MADISONVILLE, TEXAS - TRAILERS + + + + + TIGER MOTH; BRAND MFG BY TAXA, INC (VMA/TAXA) MINI TRAILERS + + + + + TEXAS TRAILER SUPPLY (FORMERLY:THE TRAILER MAN); HOUSTON & AUSTIN, TEXAS + + + + + TRAXCAVATOR TRACT + + + + + TEXAS UNDERGROUND, INC (AKA) PIPEHUNTER, INC PEARLAND, TEXAS + + + + + TYRAN + + + + + TYBEX CORP.BANGOR, PENNSYLVANIA & BELVIDERE, N.J. + + + + + TOYOCO + + + + + TRAILERS Y CASETAS BONANZA S. A.MEXICO; TRAILERS + + + + + TOOCYLINDER MOTORCYCLE REPAIR; NEW GLOUCESTER, MAINE MOTORCYCLES + + + + + THE TYE CO., INC. + + + + + TYGAR MFG., INC.; GEORGIA + + + + + TYLER COACH MFG. + + + + + TAYLORS'S HITCHIN' POST; SILVERTON, OREGON TRAILERS + + + + + TAYLOR MADE CHOPPERS; FLORIDA + + + + + TCI,INC.BENSON, MINNESOTA + + + + + TAYLOR TRAILERS, LLC; CHIEFLAND, FLORIDA TRAILERS; ADDED/ASSIGNED 1/17/14 + + + + + TYOCO, INC ; WACO TEXAS - COMMERCIAL STREET SWEEPERS + + + + + TYRSOL (TANQUES Y REMOLQUES SOL S.A. C.V.); MEXICO TRAILERS + + + + + TYSON SKYLARK TRAILER + + + + + TYTAL USA / TRAILERS Y TANQUES DE ALUMINIO S.A. DE C.V MEXICO - TRAILERS + + + + + TZ + + + + + UNITED ALLOY, INC JANESVILLE, WI + + + + + UAZ (ULIANOVSK AUTOMOBILE ZAVOD) + + + + + U.S. BUS BUILT ON CHEVY, GMC & FORD CHASIS _ + + + + + UNITED COACHWORKS, INC, SANFORD, FLORIDA + + + + + UNIVERSAL COMPOSITE LLC / UCTCO; SUNBURY, OHIO _TRAILERS + + + + + UD TRUCKS / UD TRUCKS NORTH AMERICA (FORMERLY NISSAN DIESEL MOTOR CO-NISSAN DIESEL NORTH AMERICA) NAME CHANGE FEBRUARY 2010 FROM NISSAN TO UD TRUCKS + + + + + U-DUMP, INC.OCALA, FLORIDA + + + + + U-HAUL PHOENIX, AZ TRAILERS + + + + + ULTRA ACQUISITION CORPORATION; RIVERSIDE,CA + + + + + ULTRA GOLF CART INC; CALIFORNIA - LOW/MEDIUM SPEED VEH'S + + + + + ULLMAN AUTO SALES, INC. WYMORE, NB + + + + + ULTRA MOTORCYCLE CO. + + + + + UNLIMITED POWER CORP., CALIFORNIA + + + + + ULTIMATE TRAILERS; LAKEVIEW TERRACE, CA + + + + + ULTIMA MOTORCYCLE + + + + + ULTRA, INC. + + + + + ULTIMA SPORTS LTD; LEICESTERSHIRE ENGLAND + + + + + UNIMOG; MULTI PURPOSE VEHICLES; UTILITY, FIRE, CONSTRUCTION ETC + + + + + UNIVERSAL CYCLE CORPORATION;RUTHERFORD, NEW JERSEY + + + + + UNIT CRANE & SHOVEL CORP. + + + + + UNITED EXPRESS LINE,INC; / UNITED TRAILERS, INC; BRISTOL, INDIANA (FORMERLY UNITED EXPRESSLINE, INC.) + + + + + UNITED FABRICATION & WELDING LTD.; ALBERTA, CANADA + + + + + UNGER MOTOR HOME + + + + + UNITED HYDRAULICS, LLC; FORT WORTH, TEXAS - TRAILERS + + + + + UNITED STATES MOBILE HOMES + + + + + UNION MACHINE & TOOL WORKS + + + + + UNICAR + + + + + UNITED FIBERGLASS + + + + + UNITED MFG. CO. + + + + + MOUNTAINEER LAWN & GARDEN TRACTOR MFD. BY UNITEDFARM TOOLS,INC + + + + + UNI-GO MOTORCYCLE TRAILERS + + + + + UNIVISION INDUSTRIES LTD. + + + + + UNITED MOBILE SALES + + + + + UNITED STATES ALUMINUM CO. + + + + + UNION CITY (BUILT ON GM CHASSIS) + + + + + UNIPOWER + + + + + UNIVERSAL TRACTOR FOREIGN TRADE CO. + + + + + UNITED STATES MOBILE HOMES FLORIDA + + + + + UNITED TRAILER SERVICE & SUPPLY CO. + + + + + UNIVERSAL CAMPER MFG. + + + + + UNILLI ATV'S ETC + + + + + UNITED M0T0RS; UNITED MOTORS OF AMERICA; MOTORCYCLES, DIRT BIKES, SCOOTERS, ATV'S + + + + + UNITED MODULAR; PERRIS, CALIFORNIA TRAILERS + + + + + UNIAO METAL0MECANICA LDS; PORTUGAL ATV'S & CYCLES + + + + + UNITED SPECIALTIES, INC.; MICHIGAN TRAILERS/RECREATIONAL VEHS + + + + + UNITED ROCK PICKER CO. + + + + + UNITED TRAILERS, INC BRISTOL INDIANA TRAILERS ADDED/ASSIGNED 2/23/16 + + + + + UNITY; MFG BY TRIPLE E RECREATIONAL VEHICLES CANADA, LTD + + + + + UNVERFERTH-MCCURDY MFG. CO., INC. + + + + + UNIVERSAL HOVERCRAFT; ROCKFORD, ILLINOIS + + + + + UNIVERSAL TRAILERS, INC.; RIVERSIDE. CALIF0RNIA + + + + + URAL MOTORCYCLES OF AMERICA; PREVIOUSLY OR ALSO KNOWN AS: IRBIT MOTORWORKS OF AMERICA; REDMOND WASHINGTON + + + + + URILI FLATBED TRAILER + + + + + U.S. ARMY MILITARY VEHICLE - GENERIC CODE-USE WHEN VEHICLE MAKE IS UNKNOWN + + + + + USA MOTOR CORP.BREMEN, IN MOTOR HOMES + + + + + U.S. AIRFORCE MILITARY VEHICLE - GENERIC CODE-USE WHEN VEHICLEMAKE IS UNKNOWN + + + + + USA MOTORTOYS, LLC OR USA MOTORTOYS DESING & MFD, DISTRIBUTOR ALL PITSTER PRO PRODUCTS VMA/PIST + + + + + U-SAVE TRAILERSPOMONA, CALIFORNIA + + + + + U.S. CARGO, INC + + + + + U.S. COAST GUARD MILITARY VEHICLE - GENERIC CODE-USE WHEN VEHICLE MAKE IN UNKNOWN + + + + + USA CHOPPERS, LLC; LAWRENCEBURG, INDIANA - MOTORCYCLES + + + + + U-SCREEN USA, INC ; CANTON,MASSACHUSETTS TRAILER MOUNTED SCREENING EQUIPMENT + + + + + U.S. COACHWORKS, INC.;ZEIGLER, IL + + + + + U.S. ELECTRICAR CORP. + + + + + U.S. JETTING, LLC; ALPHARETTA, GEORGIA TRAILERS + + + + + U.S. MARINE CORPS MILITARY VEHICLE - GENERIC CODE-USE WHEN VEHICLE MAKE IS UNKNOWN + + + + + U.S. NAVY MILITARY VEHICLE - GENERIC CODE-USE WHEN VEHICLE MAKE IS UNKNOWN + + + + + U.S. SUZUKI MOTOR CORP., INC.SANTA FE SPRINGS,CA + + + + + US TRAILER, INC NEW HUDSON, MI + + + + + US TITAN IMPORTS, INC MANUFACTURER CALIF. ALSO SEE HUI LI HENAN IMPORT & EXPORT TRADING CO., LTD. (CHINA) TRAILRS + + + + + USTS MANUFACTURING. INC; CANT0N, 0HI0 + + + + + UTOPIA COACH CORP. + + + + + UTAH KING MOTOR HOME + + + + + UTILITY TOOL & BODY CO., INC. OR UTILITY TOOL & TRAILER, INC. CLINTONVILLE, WISCONSIN + + + + + UNIVERSAL TRAILER CARGO GROUP, INC.ELKHART, IN TRAILERS + + + + + UTE TRAILER + + + + + UTELINER MOTOR HOME + + + + + UTAH MOBILE HOMES + + + + + UTILITY TRAILER MANUFACTURING COMPANY CITY OF INDUSTRY,CA + + + + + UTILIMASTER CORPORATION + + + + + UTILITY MATE; MERLIN, OREGON TRAILERS + + + + + VOODOO CHOPPERS + + + + + VOLGA + + + + + VOGUE MOTOR HOME + + + + + VOLOCI ELECTRIC MOTORBIKE ALSO SEE NYCE WHEELS.COM + + + + + VOLKSWAGEN + + + + + VOLUNTEER MFG. CORP. + + + + + VOLVO + + + + + VOUGHT INDUSTRIES + + + + + VACATION HOMES + + + + + BIG SUR MFD BY VACATION INDUSTRIES + + + + + VACATIONAR MOTOR HOME TRUCK + + + + + VACATION WAGON, INC. + + + + + VAC-CON; INDUSTRIAL VACUUMING, SEWER CLEANING/FLUSHING, HYDRO-EXCAVATION VEHICLES + + + + + VECTOR AEROMOTIVE CORPORATION + + + + + VACTRON TRAILERS, MANUFACTURED BY: A COMPLETE ASSEMBLY;MASCOTTE, FL + + + + + VADOR + + + + + VADA OPEN TOP CATTLE TRAILER + + + + + VA ENTERPRISES, LLC ; DARLINGTON, SOUTH CAROLINA TRAILERS / CAR HAULERS ETC + + + + + VAGABOND DIV GUERDON INDUSTRIES + + + + + VACTOR/GUZZLER MANUFACTURING; STREATOR, ILLINOIS _SEWER CLEANING EQUIPMENT (SUBSIDIARY OF FEDERAL SIGNAL CORP) + + + + + VAL + + + + + VALIANT MOBILE HOMES + + + + + VALLA BELLA GROUP, LLC CORONA,CA TRAILERS + + + + + VALLEY CAMPERS + + + + + VALE MOTOR COMPANY OR VALE SPECIAL; MAIDA VALE; ENGLAND + + + + + VALLEY CRAFT FABRICATIONS, LLC; DELTA, COLORADO + + + + + VALLEY ENGINEERING, INC.; FRANKLIN, NEBRASKA + + + + + VALHALLA MARINE INNOVATIONS (DBA-VMI OFFROAD) BELLINGHAM,WA TRAILERS + + + + + VALIANT + + + + + VALKRIE + + + + + VALLEY FOUNDRY & MACHINE WORKS + + + + + VALUE UTILITY TRAILER + + + + + VALLEY VIEW CUSTOM TRAILER MANUFACTURERS; SCHENECTADY NEW YORK + + + + + VALEW QUALITY TRUCK BODIES, ADELANTO CALIFORNIA + + + + + VALLEY TRAILERS CYNTHIANA OH + + + + + VAN CAR CORP. + + + + + VAN ART, INC. + + + + + VAN BIBBER ENTERPRISES + + + + + VAN CAMP EQUIPMENT + + + + + VANDERHALL MOTOR WORKS, INC SOUTH JORDAN UTAH + + + + + VANGUARD (CANADA) + + + + + VAN LAND INC (DBA) OUR FAMILY RV CENTER; TRAILERS, MOTORCOACHES, MOTORHOMES, NORTH FT MYERS, FLORIDA + + + + + VAN AMERICAN, INC.GOSHEN, INDIANA + + + + + VANCE CAMPERS, INC. + + + + + VANQUISH V8 MOTORCYCLES; FLORIDA + + + + + VAN GUARD TRAILER, LTD. + + + + + VANSON BOAT TRAILERS / VANSON TAILERS; CALIFORNIA + + + + + VANETTE + + + + + VAN VEEN + + + + + VAQUERO TRAILER + + + + + VAN TECH + + + + + VAUXHALL + + + + + VACATIONEER TRAIL TRAILER + + + + + V8 CHOPPERS LLC, MIAMI, OKLAHOMA + + + + + VAN CONVERSIONS OF LEHIGH VALLEY, DBA VAN CONVERSIONS INC BETHLEHEM, PA + + + + + VICTORY TRAILERS; ROCKY MOUNT, VIRGINIA + + + + + VECTRIX CORPORATION; NEWPORT, RHODE ISLAND, VECTRIX SP.Z, POLAND. SCOOTERS, MOTORCYCLES ETC. + + + + + VICTORY MOTORCYCLES + + + + + VERADYN DENVER, CO + + + + + VEHICULOS AUTOMARES MEXACANO S. A.DE C. V. (MEXICAN MANUFACTURER) + + + + + V.E. ENTERPRISES SPRINGER, 0K + + + + + VEGAS MFG. CO. + + + + + VEGLIA + + + + + VELOREX; MOTORCYCLES & SIDECARS + + + + + VELTEN TOOL AND FAB,INC (VTF INDUSTRIES) FREEVILLE,NY + + + + + VENUS COACHES + + + + + VENGEANCE M0T0RCYCLES; DIV 0F VENGEANCE PERF0RMANCE PR0DUCTS, LLC; MIRA L0MA, CA + + + + + VENTURA MFG. AND IMPLEMENT CO.OXNARD, CALIFORNIA + + + + + VENTOURA CORP. + + + + + VENUS + + + + + VERSATILE POWER CORP.GRANTSBURG, WISCONSIN + + + + + VERITAS + + + + + VERMETTE MACHINE CO. + + + + + VERMEER MANUFACTURING CO. + + + + + VERSATILE MANUFACTURING CO.DIV. VERSATILE CORNAT CORP., KANSASCITY, MISSOURI + + + + + VERTEX + + + + + VERUCCI MOTORCYCLE MANUFACTURING COMPANY + + + + + VESELY CO. + + + + + VESPA + + + + + VET BOAT TRAILER + + + + + V-FORCE CUSTOMS; ROCK TAVERN, NEW YORK MOTORCYCLES + + + + + VIRGINIA HOMES MFG. CORP.BOYDTON, VIRGINIA + + + + + VEHICLE PRODUCTION GROUP; VPG TROY, MICHIGAN MULTI-PURPOSE PASSENGER VEH ASSEMBLED BY AM GENERAL + + + + + DYNAPAC MFG., INC.OR VIBRO-PLUS PRODUCTS + + + + + VIBROTECH, INC; QUEBEC, CANADA MINING & AGRICULTURAL EQUIP + + + + + VICTORY IMPLEMENT CO. + + + + + VICTORIAN HOMES, INC.MIDDLEBURY, INDIANA + + + + + VICON FARM MACHINERY, INC. + + + + + VICTOR MOBILE HOMESDIV. DEROSE INDUSTRIES + + + + + VICTORIA + + + + + VIKING TRAILERS (DIV OF BRIGHT COOP, INC) + + + + + VIKING RECREATIONAL VEHICLES, LLC CENTREVILLE, MI + + + + + VIKING TRAILERS LIMITED; ONTARIO, CANADA TRAILERS WMI/2V9/018 & 2V9/019 + + + + + VILLIERS + + + + + BLACK KNIGHT (MODEL OF VINCENT) + + + + + VINDALE CORP. + + + + + VINTAGE HOMES + + + + + VIPER CARGO, LLC (VIPER CUSTOM CARGO); DOVER, FLORIDA + + + + + VIPER TRAILERS, LLC; PHOENIX, ARIZONA - TRAILERS + + + + + VIPER MOTORCYCLE COMPANY; HOPKINS, MINNESOTA (MOTORCYCLES) (WHOLLY OWNED SUBSIDIARY OF VIPER POWERSPORTS, INC - ALABAMA & FLORIDA + + + + + VIRGINIA MOBILE HOMES INDUSTRIES + + + + + VIRGINIAN COACH CAMPER CORP. + + + + + VISA; MFG BY GULF STREAM COACH, INC. + + + + + VISCOUNT TRAILERS + + + + + VISTA QUEEN TRAILER + + + + + VISTA LINER COACH & TRAILER + + + + + VITO MFG. CO.HAZLETON, PENNSYLVANIA + + + + + VIVA MOTOR HOME + + + + + VIVIAN INDUSTRIAL PLASTICS VIVIAN, LA + + + + + VIXEN MOTOR COMPANY; PONTIAC, MICHIGAN MOTORHOMES + + + + + VIKING SNOWMOBILES, INC.TWIN VALLEY, MN + + + + + VKING-VEE, INC (DBA- VIKING SPIRIT TRAILERS) _RENFREW, PA + + + + + VULCAN W0RKS, INC; MANCHESTER, NEW HAMPSHIRE; M0T0RCYCLES + + + + + VELOCETTE + + + + + VLF AUTOMOTIVE (FORMERLY VL AUTOMOTIVE) MICHIGAN + + + + + VANLEIGH RV; BURNSVILLE,MS TRAILERS + + + + + VILLAGER TRAVEL TRAILER + + + + + VOLTAGE VEHICLES; CALIFORNIA ELECTRIC VEH'S + + + + + VILANO BRAND; MFG BY VANLEIGH RV (VMA/VLGH) TRAILERS + + + + + VM BOAT TRAILERS + + + + + VER-MAC / SIGNALISATION VER-MAC, INC.; CANADA TRAILER MOUNTED TRAFFIC MANAGEMENT SYSTEMS + + + + + V/M CUSTOM BOAT TRAILERS FRESNO, CALIFORNIA + + + + + VEMEER MANUFACTURING COMPANY; PELLA, IOWA _TRAILER - ADDED/ASSIGNED 2/26/14 + + + + + OUTLAW; MFG BY VINTAGE TRAILERS LTD. + + + + + VINTAGE OVERLAND, LLC; GRAND JUNCTION, COLORADO + + + + + AERO; MFG BY VINTAGE TRAILERS, LTD. + + + + + BANDIT; MFG BY VINTAGE TRAILERS LTD. + + + + + VANCO USA LLC, COLUMBUS, NEW JERSEY + + + + + VINTAGE CARGO; MFG BY VINTAGE TRAILERS LTD. + + + + + VENTURA COACH CORP. LUMBERTON, NC + + + + + CRYSTAL; MFG BY VINTAGE TRAILERS, LTD + + + + + VANDEN PLAS + + + + + VANGUARD INC., NORTH BRATTLEBORO SASKATCHEWAN, CANADA TRAILERS & MOTORHOMES & FIFTH WHEELS + + + + + VANGUARD INDUSTRIES OF MICHIGAN, INC.; COLON, MI + + + + + VAN HOOL BUSES & MOTOR COACHES + + + + + INTIMIDATOR; MFG BY VINTAGE TRAILERS, LTD + + + + + VN AND J SALES; ST LOUIS, MICHIGAN + + + + + VAN MOR ENTERPRISES, INC., OCALA, FLORIDA SPECIALITY VEHICLES + + + + + VINTAGE ELITE, MFG BY VINTAGE TRAILERS LTD + + + + + VINTAGE STACKER; MFG BY VINTAGE TRAILERS LTD. + + + + + VENT0 M0T0RCYCLES + + + + + VENTANA & VENTANA LE; MFG BY NEWMAR CORP + + + + + VANGUARD NATI0NAL TRAILER C0RP0RATI0N; M0N0N, IN; VANS & TRAILERS + + + + + VANTAGE DUMP TRAILERS, INC.; KATY, TX + + + + + VINTAGE TRAILERS, LTD; ELKHART, INDIANA (BANDIT, OUTLAW, AERO & INTIMIDATOR MODELS) + + + + + VENTURI PARIS S. A. + + + + + VENTURE TECHNOLOGIES (DIVISION OF BANKS) ELKHART, IN + + + + + VENTURA TENT CAMPER + + + + + VANTAGE VEHICLE INTERNATIONAL, INC ; CORONA CALIFORNIA LOW SPEED TRUCKS + + + + + VIETNAM PRECISION INDUSTRIAL CO; DONG NAI PROVINCE; VIETNAM OFF-ROAD; ATV, UTV - ASSIGNED/ADDED 5/6/14 + + + + + VAN RADEN INDUSTRIES, INC; PORTLAND, OREGON + + + + + VOR ENDURO MOTORCYCLE, ITALY + + + + + VERMONT TRAVELER + + + + + VERSA TWO WHEEL TRAILER + + + + + VOR TEQ (BRAND MFG BY ENERGY ABSORPTION SYSTEMS - VMA/EASI) + + + + + VERTICAL REALITY, INC; MIAMI, FLORIDA + + + + + VISTA CUSTOM TRAILERJANE, MISSOURI + + + + + VISTABLUE / MINNESOTA TEARDROP TRAILER, LLC _MINNEAPOLIS, MINNESOTA + + + + + VT SPECIALIZED VEHICLES CORPORATION WASHINGTON, NC; TRUCK BODIES & TRAILERS _COMPANY HAS CHANGED NAME TO:VT HACKNEY, INC.8/2011 + + + + + VAC-TEC, WOODSTOCK, IL + + + + + VERTEMATI MOTORCYCLES + + + + + VENTURE TRAILERS + + + + + V-TWIN CUSTOM MFG., LLC FLORIDA, MOTORCYCLES + + + + + VULCAN TRAILER MFG. CO.BIRMINGHAM, ALABAMA + + + + + VIVA MOTORSPORTS + + + + + VEENEMA & WIEGERS, INC.MFRS. V & W TRAILERS--NO. HALEDON,NEWJERSEY + + + + + TRUCKIN TRAILERMFD. BY V.W.T. CORP. + + + + + VOYAGER TRAILERS, UTAH + + + + + VOYAGER TRAVEL TRAILERS; NEW YORK + + + + + WOODLAND CAMPER CO. + + + + + WOOD/CHUCK CHIPPER CORP.MFRS. BRUSHCHIPPERS--SHELBY, NORTHCAROLINA + + + + + WOODILL WILDFIRE + + + + + RANGER TRAIL TRAILERS MFD BY WOOD MFG.CO.INC. + + + + + WOODLINE CUSTOM CAMPER + + + + + WOODSMEN CAMPER + + + + + WOODS EQUIPMENT COMPANY, AGRIGULTURE, TURF & CONSTRUCTION EQUIPMENT; ILLINOIS + + + + + G.T.WOLFE MOBILE HOMES + + + + + WOLFE MFG. CO. + + + + + WOLSELEY + + + + + WOLVERINE CAMPER + + + + + WOODS MOBILETTE COMPANY; ARIZONA (ANTIQUE VEH'S) + + + + + WONDER LAND CAMPER + + + + + WORK HORSE MFG. + + + + + WORTHINGTON COMPRESSORS, INC.HOLYOKE, MASSACHUSETTS + + + + + WORK-N-PLAY + + + + + WORLD WIDE INDUSTRIES + + + + + WORRELL TRAILER MFG. + + + + + WORTHINGTON CHAMP + + + + + WILLIAMSON OCEAN TRAILERS SANDY UTAH + + + + + WABCO CONSTRUCTION & MINING EQUIPMENT SUBSIDIARY OF AMERICAN STANDARD INC GRP + + + + + E.H. WACHS COMPANY + + + + + WACKER CORP. OR WACKER NEUSON CORP. WISCONSIN ; CONSTRUCTION EQUIPMNT / TRAILERS ETC + + + + + WADE SERVICES, INC.; ELLISVILLE, MS + + + + + WAGON-HAVEN, INC. + + + + + WAGO CAMPERS + + + + + WAR EAGLE MOTORCYCLES + + + + + WAGON MASTER TRAILER + + + + + WAGNER + + + + + WAGS UNIQUE MOTORCYCLE TRAILERS; DENVER, IOWA _TRAILERS + + + + + WAGON TRAIN, INC. + + + + + WARD LAFRANCE INTERNATIONAL INC. + + + + + WALDON, INC. + + + + + WALKER TRACTOR MFG. + + + + + WALSH BODY & TRAILER + + + + + WALINGA BODY AND COACH, LTD.; CANADA + + + + + WALKER STAINLESS EQUIPMENT CO.NEW LISBON, WISCONSIN + + + + + WALLSTRONG BOAT TRAILER + + + + + WALLSTROM BOAT TRAILER + + + + + WALKER MOBILE HOMES + + + + + WALTER MOTOR TRUCK CO. + + + + + WANAMAKER TRAILER + + + + + WABASH NATIONAL CORPORATION LAFAYETE, IN + + + + + WANDERER CAMPER + + + + + WA-NEE HOMES CORP. + + + + + WANGLI HARDWARE MANUFACTORY CO OR YONGKANG WANGLI HARDWARE MANUFACTORY CO; YONGKANG CITY ZHEJIANG CHINA - SCOOTERS, ATV'S + + + + + WAIN-ROY, INC. + + + + + MONTGOMERY WARD + + + + + WARREN MFG. CO. + + + + + WARHAWK MFG. CO. + + + + + WARRIOR TRAILERS, ONTARIO, CA + + + + + WARRIOR MFR.HENDERSON, TEXAS + + + + + WARRENVILLE TRAILER MFG., INC.WARRENVILLE, ILLINOIS + + + + + WARSZAWA + + + + + WARTBURG + + + + + WARWICK + + + + + WASP + + + + + WAVERLY STRUCTURES NORTH CAROLINA + + + + + WARNER & SWASEY CO. + + + + + WATFORD + + + + + WALTER PRODUCTS & ENGINEERING CO. + + + + + WATSON INDUSTRIES + + + + + WATT CAMPER + + + + + WAUSAU EQUIPMENT COMPANY, INC.; NEW BERLIN,WI SNOW REMOVAL EQUIP,COEQ,TRAILERS,TRUCKS + + + + + WATER WARS COMPANY ; PEQUOT LAKES, MINNESOTA - TRAILERS + + + + + WAYNE CORP.RICHMOND, IN + + + + + WAYFARER COACH MFG.DIV. ST. PAUL FENCE & IRON WORKS + + + + + WAYMATIC WELDING & FABRICATING CO.FULTON, KENTUCKY + + + + + WAYNE SWEEPERSWEEPER DIV., FMC, POMONA, CALIFORNIA + + + + + WAYNE METAL PRODUCTS;MARKLE,INDIANA + + + + + WAYSIDE CAMPERS + + + + + ACCESS; MFG BY WINNEBAGO + + + + + ADVENTURER; MFG BY WINNEBAGO + + + + + ASPECT; MFG BY WINNEBAGO + + + + + BRAVE BRAND; MFG BY WINNEBAGO (VMA/WINN) + + + + + CAMBRIA; MFG BY WINNEBAGO + + + + + DESTINATION, MFG BY WINNEBAGO (VMA/WINN) + + + + + ELLIPSE; MFG BY WINNEBAGO + + + + + ERA; MFG BY WINNEBAGO + + + + + FUSE BRAND, MFG BY WINNEBAGO IND. VMA/WINN + + + + + FORZA; MFG BY WINNEBAGO INDUSTRIES + + + + + W B HILL, INC; EAST LONGMEADOW, MASSACHUSETTS TRAILERS + + + + + IMPULSE; MFG BY WINNEBAGO + + + + + INSTINCT; BRAND MFG BY WINNEBAGO + + + + + JOURNEY; MFG BY WINNEBAGO + + + + + LATITUDE, MFG BY WINNEBAGO (VMA/WINN) + + + + + MERIDIAN; MFG BY WINNEBAGO + + + + + MINNIE / MICRO MINNIE; MFG BY WINNEBAGO (VMA/WINN) + + + + + NAVION; MFG BY WINNEBAGO + + + + + PASEO, BRAND MFG BY WINNEBAGO INDUSTRIES + + + + + REYO; MFG BY WINNEBAGO + + + + + REMINGTON, MFG BY WINNEBAGO + + + + + RAVEN TT & RAVEN FW; MFG BY WINNEBAGO + + + + + SOLEI; MFG BY WINNEBAGO INDUSTRIES + + + + + SUNSET CREEK TT & SUNSET CREEK FW; MFG BY WINNEBAGO + + + + + SIGHTSEER; MFG BY WINNEBAGO + + + + + SCORPION; BRAND MFG BY WINNEBAGO + + + + + SPIRIT; MFG BY WINNEBAGO INDUSTRIES + + + + + SUNSTAR; MFG BY WINNEBAGO + + + + + SUNCRUISER; MFG BY WINNEBAGO + + + + + SUNOVA; MFG BY (ITASCA-DIV OF WINNEBAGO) + + + + + SPYDER; BRAND MFG BY WINNEBAGO + + + + + TOUR; MFG BY WINNEBAGO + + + + + TRIBUTE MODEL; MFG BY WINNEBAGO (VMA/WINN) + + + + + TREND; MFG BY WINNEBAGO INDUSTRIES + + + + + TRAVATO; MFG BY WINNEBAGO INDUSTRIES + + + + + ULTRALITE, MFG BY WINNEBAGO VMA/WINN) + + + + + VIEW; MFG BY WINNEBAGO + + + + + VIA; MFG BY WINNEBAGO + + + + + VISTA; MFG BY WINNEBAGO + + + + + VIVA; MFG BY WINNEBAGO INDUSTRIES + + + + + VOYAGE, MFG BY WINNEBAGO VMA/WINN + + + + + WINNIE DROP BRAND MFG BY WINNEBAGO + + + + + WEST COAST CHOPPERS + + + + + WESTERN C0NSTRUCTI0N C0MP0NENTS, INC.; SANTEE, CALIF + + + + + WEST COAST LEISURE HOMES LIMITED (OKANAGAN CAMPERS) + + + + + W.C. MANUFACTURING & SPECIALTY CO. + + + + + WEST COASTER MAILSTER3 WHEELS + + + + + WOOD-MIZER PRODUCTS, INC.; INDIANAPOLIS, IN + + + + + WERNER DOPPSTADT; VELBERT GERMANY TRAILERS + + + + + WEAVER & SONS DIV VENTOURA CORPORATION + + + + + WEBER + + + + + WESTCRAFT MOBILE HOMES + + + + + WEDGEWOOD HOMES + + + + + WEEK-N-DER PICKUP CAMPER + + + + + WEERES TRAILER + + + + + WE-HAUL TRAILERS; DIVISION OF FOREST RIVER, INC. GOSHEN. IN + + + + + WEIERS TRAILER SALES; PH0ENIX, AZ + + + + + AUSTIN WEISS, LLC OR GARAGE BY AUSTIN WEISS, LLC _MOTORCYCLES + + + + + CIRCLE LMFD. BY WELL-BUILT TRAILERS, INC. + + + + + WELCH MFG. & ENGINEERING CO. + + + + + WELD-IT COMPANY LOS ANGELES, CA + + + + + WELLS CARGO, INC. ELKHART, IN; COMMERCIAL TRAILERS + + + + + WEMAC MFG. CO.NORTH KANSAS CITY, MISSOURI + + + + + WEMHOFF COMPANY TARNOV, NE + + + + + WENDAX + + + + + WENZLAU ENGINEERING,INC RANCHO DOMINGUEZ, CA + + + + + WENGER MFG. + + + + + SIEFMUND WERNER + + + + + WERTS CORP., INC. + + + + + WERTS BILTMFD. BY WERTS WELDING SERVICE + + + + + WEST COACH MFG. CO. + + + + + WEST WIND TRAILER CO. + + + + + WESTERN OR WESTERN INTERNATIONAL, INC + + + + + WESTFIELD SPORTSCARS; UNITED KINGDOM + + + + + WESTGO INDUSTRIES, INC. + + + + + WESTERN COACH CORP. + + + + + WESTERN DYNAMICS CORP. + + + + + WESTERN TRAILER COACH + + + + + WESTHOLT MFG. + + + + + WESTINGHOUSE EQUIPPED MOBILE HOME + + + + + WESTLAND TRAILER CO.PORTLAND, OREGON + + + + + WESTWARD COACH MFG. + + + + + WESTWAYS MFG. + + + + + WESTERN PRODUCTS DIV., DOUGLAS DYNAMICA, INC + + + + + W.F. MICKEY BODY CO., INC. + + + + + WAGNER SMITH CO; BURLESON TX ALSO OREGON & OHIO SOLD TO MDU RESOURCES GROUP (POWERLINE CONSTRUCTION VEHICLES) + + + + + WHEEL HORSE PRODUCTS, INC.SUBSIDIARY AMERICAN MOTORS CORP., SOUTHBEND, INDIANA + + + + + WHEEL CAMPERS CORP. + + + + + WHEEL ESTATE SALES & SERVICE, INC; TRADE NAME/STEWART L0DGES + + + + + WHEEGO ELECTRIC CARS; LOW & MEDIUM SPEED VEH'S + + + + + WHITE GMC - PREVIOUSLY WHITE MOTOR CO & AUTOCAR BECAME _WHITE GMC IN 1987 + + + + + WHITEHAUL KALER TRAILER + + + + + WHITE STAR TRAILER + + + + + WHITE BEAR EQUIPMENT, INC; ALBANY, NEW YORK - TRAILERS + + + + + WHITE LINE MFG. & DIST. CO. + + + + + WHIPPET + + + + + GEORGE WHITE & SONS CO., LTD.,(CANADA) + + + + + WHITE MOTOR CORP. + + + + + WHITLEY MFG. CO. + + + + + WHITEHEAD & KALES + + + + + WHITE'S/KEENE MANUFACTURING; GRAIN TRAILER + + + + + WHEELER TRUCK TRAILER MORLEY, MISSOURI + + + + + WHIT-LOG, INC; WILBUR, OREGON TRAILERS + + + + + WHITE MATERIALS HANDLING, SUBSIDIARY WHITE MOTOR CORP + + + + + WHISPERING PINE CAMPER TRAILER + + + + + WHITEMAN MFG. CO. + + + + + WHITEMAN INDUSTRIES; DIVISION OF MULTI QUIP CORP (MQPW) + + + + + WHITE PINE CAMPERS, INC.WAUPACA, WISCONSIN + + + + + WHITE WATER MFG; BY RIVERSIDE RV INC + + + + + WHIZZER + + + + + WISCONSIN BODY & HOIST; CHIPPEWA FALLS, WI (DEALER) + + + + + STYLE-CRAFT MOBILE HOMESMFD. BY WICKES HOMES + + + + + WICKS ENGINEERING & CONSTRUCTION CO. + + + + + WILLIAMS CRAFT, INC. + + + + + WIG-A-WAM, INC. + + + + + WIGGINS LIFTS CO., INC.MFGS. FORKLIFTS + + + + + WIGWAM MOTOR HOME + + + + + WIL-RO, INC.GALLATIN, TENNESSEE + + + + + WILLMAR MANUFACTURING WILLMAR, MNNESOTA + + + + + WILL CRAFT CAMPER TRAILER + + + + + WILDCAT + + + + + WILDFIRE MOTOR SCOOTERS + + + + + WILDGOOSE + + + + + WILKENS MANUFACTURING, INC.; STOCKTON,KS + + + + + WILLYS-OVERLAND + + + + + SUN-RAY MFD BY WILSON TRAILER MART + + + + + WILLBORN BROTHERS + + + + + WILSON + + + + + WILLTEN MANUFACTURING,INC., CANADA TRAILERS + + + + + WILLIAMSEN TRUCK EQUIPMENT CORP.MFR. WILLIAMSEN DUMP & SPECIALTRAILER SALT LAKE CITY, UTAH + + + + + WILSON TRAILER CO., INC.GRAIN, LIVESTOCK TRAILERS--SIOUX CITY,IOWA + + + + + WIL-TRAIL CORP. + + + + + WILRAY MANUFACTURINGFT. BENTON, MONTANA + + + + + MINNIE WINNIE MFG BY WINNEBAGO INDUSTRIES _MOTORHOME/TRAILER + + + + + WINCO DIV.DYNA TECHNOLOGY, INC., MINNEAPOLIS,MINNESOTA + + + + + WINDJAMMER MOTORCOACH + + + + + WINDWARD ENTERPRISES + + + + + WINGER MFG. CO. + + + + + WINSTON INDUSTRIES DOUBLE SPRINGS, AL MOBILE HOMES + + + + + WINK TRAILER CORPORATION, ROCKPORT, INDIANA - TRAILER + + + + + WINDER LIBERATOR CAMPER + + + + + WINNEBAGO INDUSTRIES, INC. + + + + + WINPOWER CORP.NEWTON, IOWA + + + + + WINDSOR MOBILE HOMES (OLD CODE WIND) + + + + + WINTER WEISS CO. + + + + + MELVIN MANUFACTURING CORP.SEE WHIP IT SNOWMOBILES + + + + + PENN ROYAL MFD BY WISCONSIN HOMES, INC. + + + + + WISCONSIN TRAILER CO., INC.RICHFIELD, WISCONSIN + + + + + WISE WELDING, INC. + + + + + WISE-CRAFT MFG. + + + + + WISHBONE TRAILERS, INC.HOT SPRINGS, ARKANSAS + + + + + WISCONSIN TAG-A-LONG TRAILER + + + + + WITZCO TRAILERS, INC. + + + + + WESTERN AUTO SUPPLY CO. SEE MAKE WIZARD + + + + + WEEKENDER; INDIANA BRAND MFG BY SKYLINE CORP(VMA/SKYL) _TRAILERS; ADDED/ASSIGNED 5/30/14 + + + + + WILCO / WILCO MACHINE & FAB, INC.; MARLOW, OKLAHOMA _TRAILERS + + + + + WELCHEL ENTERPRISES LLC; 0KLAH0MA CITY, 0K CHER0KEE ST0CK TRAILER + + + + + WILSON CUSTOM TRAILER; WILLIAMS, CALIFORNIA _TRAILERS + + + + + WILDERNESS TRAVEL TRAILER + + + + + WELDING SHOP & MFG., LLC; CHEYENNE, WYOMING + + + + + WILD METAL MANUFACTURING; HIALEAH, FL TRAILERS + + + + + WILDERNESS; MFG BY HEARTLAND RECREATIONAL VEHICLES + + + + + WELD-RITE, INC; SALEM, ARKANSAS TRAILERS + + + + + WELDSHIP CORPORATION BETHELEM,PA TRAILERS + + + + + WELDTITE TRAILERS; HUNTERSVILLE, NC + + + + + WOODS LINE EQUIPMENT, INC; TOLLESON, ARIZONA _TRAILER MOUNTED CABLE EQUIPMENT + + + + + WILKENS INDUSTRIES, INC; MORRIS,MINNESOTA TRAILERS + + + + + WALKER M0WERS; RIDING & WALKING AND YARD EQUIPMENT ETC. + + + + + WILLYS + + + + + WILLY DOG CORPORATION - FOOD TRAILERS AND CARTS + + + + + WULING MOTORS CORP OR WULING GROUP OR LIUZHOU WULING CHINA LSV'S + + + + + WELD-RITE, INC; SALEM AR TRAILERS + + + + + WILSON ENTERPRISES; CHEHALIS, WASHINGTON _TRAILERS + + + + + WILSON TRAILER SALES; MOBERLY, MISSOURI - TRAILERS + + + + + WILSON TRAILER MFG; ANSON,TX TRAILERS + + + + + WALTRON LIMITED/ALDURA; RIDGETOWN, ONTARIO CANADA + + + + + WESTERN RECREATI0N MFG. INC.; AND 0R WELLS WESTERN TRAILER 0GDEN, UTAH + + + + + W & M ENTERPRISES, INC.; LAWRENCEBURG, INDIANA + + + + + WT-METALL / WT-METALL GMBH & CO. KG GERMANY TRAILERS + + + + + WESTMOR INDUSTRIES, LLC., MORRIS, MINNESOTA + + + + + WEST-MARK; ATWATER CALIFORNIA TRAILERS + + + + + WANCO INC ENGLEWOOD, CO + + + + + WINCHERTER AUTOMOBILES / WINCHESTER TAXIS ENGLAND + + + + + WANDA'S TRAILERS; MISSOURI + + + + + WINDHAM MFG. CO., INC.MFGS. LOADERS + + + + + WING TRUCK & TRAILER, INC GRANVILLE, NY + + + + + WANGYE POWER CO., LTD (OR) ZHEJIANG TAIZHOU WANGYE POWER CO., LTD. CHINA; MOTORCYCLES , KARTS, ETC + + + + + WINDSPORT; MFG BY THOR MOTOR COACH INC + + + + + WINS TRIKE BIKE; TRINIDAD,TX MOTORCYCLES + + + + + WOODLAND PARK, INC.MIDDLEBERRY, IOWA + + + + + WINTER PARK SERIES; MFG BY CHAMPION HOME BUILDERS + + + + + WRANGLER TRAILERS + + + + + WRANGLER RECREATIONAL PRODUCTS FLORENCE, A + + + + + WREM MARKETING; CANADA TRAILERS + + + + + WRIGHT; STANDER & SENTAR M0WER M0DELS;FARM & GARDEN EQUIP + + + + + WRIGHT TRAILERS, INC; SEEKONK MA + + + + + HUNTER'S DREAM MFD BY WRIGHT INDUSTRIES, INC. + + + + + KITTY HAWKMFD. BY WRIGHT BROTHERS, INC. + + + + + WORKHORSE CUSTOM CHASIS VEHICLE CHASSIS CONVERTED INTO MOBILE COMMAND CENTERS OR MOBILE HEALTH CLINICS OR SCREENING UNITS. UNIVERSAL SPECIALTY VEHICLES OUT OF CALIF + + + + + WORK AREA PROTECTION CORP. ILLINOIS TRAILERS + + + + + WORLD CLASS MOTORSPORTS CO.; TEXAS + + + + + WORLD TRAILERS, INC.OCALA, FLORIDA + + + + + WARLOCK TRAILERS (PARENT COMPANY ZERTECK, INC) DBA WARLOCK TRAILERS + + + + + WORLD TRAILERS; OCALA,FL TRAILERS + + + + + WORLEY WELDING WORKS, INC.; LEVELLAND,TX TRAILERS + + + + + WARREN EQUIPMENT, INC; PLANT CITY, FLORIDA - TRAILER + + + + + WESTERN RECREATIONAL VEHICLES, INC.YAKIMA, WA + + + + + WOOD RIVER WELDING, INC.; BELLEVUE,ID TRAILERS + + + + + WONDER STATE BOAT TRAILER + + + + + WISDOM RIDES / WISDOM RIDES, INC; MERINO, COLORADO _TRAILERS + + + + + WILD SIDE LLC; FRANKLIN, TN + + + + + WSK + + + + + WESTLAND MOTOR COMPANY + + + + + WINSLOW MOTOR SPORTS GRAFTON OH + + + + + WIESNER METAL FAB; BROOKS,OR TRAILERS + + + + + WESTERN TRAILERS INC CO-TEM CORP. BOISE IAHO + + + + + WESTERN - NEIGHBORHOOD ELECTRIC VEH'S + + + + + WESTERN STAR + + + + + WES-TEX MANUFACTURING, INC.; LUBBOCK, TX + + + + + WATSON TRACTOR CO., INC.DANIELSVILLE, GEORGIA + + + + + WESTANK INDUSTRIES, INC. + + + + + WTM, INC.; HALEYVILLE, AL + + + + + WICHITA TANK MFG., LTD., WICHITA FALLS, TEXAS + + + + + WTM INC., 0GDEN UT D0 N0T C0NFUSE WITH WTM 0F HALEYVILLE,AL + + + + + WATSONIAN + + + + + WESCO TRUCK & TRAILER SALES WOODLAND, CA + + + + + CIRCLE J STOCK TRAILER MFG BY WESTERN WORLD INC. PREV KNOWN ASWESTERN TRAILERS WORKS,INC. + + + + + WEST TEXAS D0LLIES; T0W D0LLIES F0R VEHICLES + + + + + I.R. WITZER COMPANY, INC. + + + + + W-W TRAILERSSTOCK TRAILERS + + + + + WESTERWALDER EISENWERK WEST GERMANY + + + + + WEAVER WFS, LLC; KISSIMMEE,FL TRAILERS + + + + + WESTWARD INDUSTRIES, LTD; SASKATCHEWAN, CANADA MOTORCYCLES + + + + + WILD WEST MOTOR COMPANY; POWAY, CA.PEACEMAKER MODEL + + + + + WORTHINGTON WELDING, INC. TRAILERS; PENNSYLVANIA + + + + + WEEKEND WARRIOR TRAILERS INC., PERRIS, CALIFORNIA + + + + + W.W. TRAILER MANUFACTURERS, INC.OK + + + + + WORLDWIDE TRAILER MANUFACTURING, INC., WAYCROSS,GA TRAILERS + + + + + W & W WHITE HORSE TRAILER + + + + + JOHN T. WYDRO + + + + + WY FRAME CORP.ELKHART, INDIANA + + + + + WYLIE MANUFACTURING CO.SUBSIDIARY E. D. ETYNRE & CO.--OREGON,ILLINOIS + + + + + WYLIE AND SON, INC (DBA-WYLIE MANUFACTURING), PETERSBURG, TX TRAILERS,AGRICULTURAL EQUP. + + + + + WYNONA CORP.NAPPANEE, INDIANA + + + + + WYNN TRAILER WORKS + + + + + WYATT'S TRAILER SALES; LONGVIEW, TEXAS TRAILERS + + + + + A-AIRE; MFG BY NEWMAR CORP + + + + + X-CEL TRAILERS, INC.; F0RNEY, TX + + + + + XCS CHOPPERS (DBA) XTREME CYCLE SUPPLY MANCHESTER,NH + + + + + XIANGYUAN INDUSTRY CO., LTD OR JINYUN COUNTY XINAGYUAN _INDUSTRY CO., LTD JINYUN COUNTY, LISHUI CITY CNINA MOTORCYCLES + + + + + XINRI E-VEHICLE CO., LTD / JIANGSU E-VEHICLE CO., LTD CHINA + + + + + XINYANG INDUSTRY CO., LTD OR ZHEJIANG XINYANG INDUSTRY CO.,LTDD ZHEJIANG CHINA ATV'S, BUGGIES, ETC + + + + + XIAMEN XIASHING MOTORCYCLE CO., LTD. FUJAN PROVINCE P.R. + + + + + XKELETON MOTORCYCLES, SAN DIEGO, CA TRRICKSTER MODEL + + + + + XL SPECIALIZED TRAILERS; MANCHESTER,IA MULTI STYLE TRAILERS NOT SAME AS VMA/XLST-X-L SPECIALIZED TRAILERS OELWIN,IA + + + + + X-L SPECIALIZED TRAILERS; OELWIN,IA. + + + + + XMOTOS CO, LTD OR ZHEJIANG XMOTOS CO.LTD ZHEJIANG CHINA ATVS MOTORCYCLES + + + + + EXMARK RIDING LAWN MOWER + + + + + XINGFU MOTORCYCLE CO., LTD (AKA) SHANGHAI XINGFU MOTORCYCLE CO + + + + + XPLORER MOTOR HOME DIV OF FRANK INDUSTRIES + + + + + XPLORER ENTERPRISES OF CONSTANTINE + + + + + XTERRA TRAILERS; FLORIDA + + + + + XTRA TUFF TRAILERS; EASTMAN, GEORGIA + + + + + XTREME GREEN PRODUCTS, INC LAS VEGAS NV + + + + + XTREME MOTORCYCLE DESIGN, INC; ORANGE, CALIFORNIA MOTORCYCLES, SCOOTERS, ATV'S + + + + + X-TRA CAMPER CO. + + + + + XTREME COMPANIES; OGDEN, UTAH TRAILERS + + + + + XTREME ATVS + + + + + XY POWERSPORTS; OHIO ATV'S, UTV'S, DUNE BUGGIES + + + + + XYZ TRAILER + + + + + YONGHE MOTORCYCLE OR SUZHOU INDUSTRIAL PARK YONGHE MOTORCYCLE SUZHOU CITY, CHINA + + + + + YORK FORKLIFT + + + + + YORK MODERN CORP. + + + + + YOUNG CORP. + + + + + YOUNG SPRING & WIRE + + + + + YACHT CLUB + + + + + YADRO TRAILERS MILWAUKEE, WI + + + + + PAUL YAFFE ORIGINALS LLC; MOTORCYCLES; PHOENIX,AZ + + + + + YANGER MOBILE HOMES + + + + + YAKIMA PRODUCTS, INC. BEAVERTON,OR TRAILERS + + + + + MATERIALS HANDLING DIV., EATON CORP. + + + + + YAMAHA MOTOR CORP + + + + + YAMPA COACH MFG. + + + + + YAM0T0; ATV, 4 WHEELERS ETC. + + + + + YANGZH0U T0NGHUA SEMI TRAILER C0. LTD.; CHINA ALS0 THT + + + + + YANKEE + + + + + YANMAR TRACTOR USA, INC.BENSENVILLE, IL + + + + + COMET MOTORCYCLE TRAILER MFD BY YARBROUGH MFG. CO., INC. + + + + + YARD-MAN CO. + + + + + YARD MACHINE; SUBSIDIARY OF MTD INDUSTRIES (MOWERS ETC) + + + + + YAXI MOTORCYCLE CO., LTD. WUXI CHINA SEEN AS WUXI-YAXI MOTORCYCLE CO LTD + + + + + YAZOO MFG. CO., INC.JACKSON, MISSISSIPPI + + + + + Y.B. WELDING, INC.; PENNSYLVANIA + + + + + YELLOWSTONE, INC. + + + + + YENCO + + + + + YENKO + + + + + YENTES BR0THERS WELDING; LANCASTER, CALIF0RNIA + + + + + YETTER MFG. CO. + + + + + YINGANG SCIENCE & TECH GROUP OR CHONGQING YINGANG SCIENCE & TECH GROUP; CHINA; STREET BIKES, RACING BIKES, CRUISERS, SCOOTERS, GO-KARTS, ETC + + + + + YINXIANG MOTORCYCLE GROUP OR CHANGQING YINXIANG MOTORCYCLE GROUP; CHINA + + + + + YLN (YUE LOONG MOTOR CO.) + + + + + YAMAHA MOTOR COMPANY, LTD.CYPRESS, CA + + + + + YAMASAKI MOTORCYLE CO., LTD; OR CHANGZHOU YAMASAKI MOTORCYCLE CO., LTD, CHANGZHOU, CHINA , MOTORCYCLES, SCOOTERS, ATV ETC + + + + + YAMATI (PARENT COMPANY; POWER SPORTS FACTORY) DBA-YAMATI MOTORCYCLES PENNSAUKEN, NJ + + + + + YOUNGS CHOPPERS, INC.; MARIETTA, GEORGIA + + + + + YONGFU MACHINE CO., LTD OR SANMEN COUNTY YONGFU MACHINE CO.LTDCHINA MOTORCYCLES + + + + + YONGHENG CAR INDUSTRY CO., LTD.HANGZHOU YONGHENG CAR INDUSTRY CO.LTD CHINA SCOOTERS, CYCELS + + + + + YOUNGMAN AUTOMOBILE CO., LTD OR YANTAI YOUNGMAN AUTOMOTIVE GROUP ; CYCLES, BUSES ETC + + + + + YONGQIANG VEHICLES FACTORY / JINHUA YONGQIANG VEHICLES FACTORY JINHUA CITY, CHINA - TRAIELRS ADDED/ASSIGNED 11/24/14 + + + + + YANKE MACHINE SHOP, INC; BOISE,ID TRAILERS,MINING,AGRICULTURAL,ASPHALT,HYDRO,FORESTRY,CONSTRUCTION EQUIP + + + + + YARD PRO (RIDING MOWERS) + + + + + YSOB CO. + + + + + YUBA TRAILERS; HEBER SPRINGS,AR TRAILERS + + + + + YUCHI MOBILE HOMES + + + + + YUKON DELTA + + + + + ZHEJIANG YULE NEW ENERGY AUTOMOBILE; CHINA + + + + + Y W + + + + + ZOBODA + + + + + ZOLLINGER TRAILER CO. + + + + + ZONE ELECTRIC CAR, LLC; ARIZONA (LOW SPEED ELEC VEH'S) + + + + + Z0NGSHEN M0T0RCYCLES (CIXI ZONGSHEN) SCOOTERS & ATV'S + + + + + ZAPOROZHETS + + + + + ZAP (ZERO AIR POLLUTION) ELECTRIC CARS, BIKES & SCOOTERS + + + + + ZAR CAR + + + + + ZACKYS OR ZACKY'S CUSTOM RIDES A NORTH AURORA BODY AND PAINT EVERETT, WA + + + + + ZASTAVIA (ZCZ-YUGOSLAVIA) + + + + + ZELIGSON; TRUCKS & EQUIPMENT + + + + + ZENN MOTOR COMPNAY LTD. ZENN MODEL (FORMERLY FEEL GOOD CARS INC) COMPANY CHANGED NAME + + + + + ZEPHYR MOTORHOMES; MFG BY TIFFIN MOTORHOMES, INC, RED BAY,AL + + + + + ZERO MOTORCYCLES INC CALIFORNIA MOTORCYCLES + + + + + ZETA + + + + + ZETOR, ZETOR NORTH AMERICA; FARM AND GARDEN MACHINERY _ + + + + + Z ELECTRIC VEHICLE CORPORATION; HENDERSON CITY,NV, SCOOTERS & CYCLES + + + + + ZH0NGYU GR0UP; M0T0RCYCLES ETC. + + + + + ZHEJIANG XINGFU MOTORCYCLE MACHINE CO., LTD.; CHINA XINGFU MOTORCYCLE CO., LTD. + + + + + ZHENFEI TOOLS CO.LTD. OR JINHUA ZHENFEI TOOLS CO.LTD. CHINA + + + + + ZHONGMO TECHNOLOGY CO.LTD OR SHENZHEN ZHONGMO TECHNOLOGY CO.LTD.SHWNZHEN CHINA - ELECTRIC CYLES, ATV'S, SCOOTERS & BICYCLES + + + + + ZHONGGONG ELECTRICAL CO., LTD OR SHENGZHOU ZHONGGONG ELECTRICAL CO., LTD CHINA + + + + + ZHONGMAO MACHINERY CO.LTD OR CHANGZHOU ZHONGMAO MACHINERY CO LTD TRAILERS + + + + + ZHIWEI MOTORCYCLE MANUFACTURING OR TAIZHOU JIAOJIANG ZHIWEI MOMOTORCYCLE MANUFACTURING OR ZHIWEI MOTORS TAIZHOU CITY ZHEJIANG CHINA + + + + + TAIZHOU ZHONGNENG INC, GRP CO.LTD. CHINA; PART OF ZHEIJANG ZHONGNENG INDUSTRIAL GROUP (MFG OF MANY BRANDS OF VEHICLES) + + + + + ZHEJIANG PEACE INDUSTRY & TRADE CO.LTD.MOTORCYCLS,SCOOTERS + + + + + ZHEJIANG SHENMAO APPLIANCE CO; CHOPPERS, DIRT BIKES, ATV'S GO KARTS, POCKET BIKES, SCOOTERS, ETC + + + + + ZIEGLER + + + + + ZIEMAN + + + + + ZIL + + + + + ZIM + + + + + CONSORT MOBILE HOMES MFD BY ZIMMER HOMES CORP. + + + + + ZIMMERMAN AUTOMOBILES + + + + + ZINI AMERICA, LLC; JOPLIN, MO LOW SPEED VEHS + + + + + ZINK ROADSTERS + + + + + ZIPPER, INC. + + + + + ZHEJIANG LINGYU MOTORCYCLE CO.LTD.CHINA + + + + + ZHEJIANG LEIKE MACHINERY CO.LTD CHINA + + + + + ZIMMER MOTOR CAR COMPANY; SYRACUSE, NY + + + + + ZIMMERMAN TRAILERS + + + + + ZANELLA + + + + + ZEPHYR TRAILER MARKETING, INC.; OKLAHOMA + + + + + ZUNDAPP + + + + + ZWICKAU + + + + + ZHEJIANG XINGYUE VEHICLE CO., LTD. CHINA MOTORCYCLES + + + + + ZZ TRAILERS; WEST JORDAN, UTAH TRAILERS + + + + + + + A data type for 2.1: Vehicle Make (VMA) and Brand Name (BRA) Field Codes by Manufacturer + + + + + + + + + + A data type for 2.2: Vehicle Make/Brand (VMA) and Model (VMO) for Automobiles, Light-Duty Vans, Light-Duty Trucks, and Parts + + + + + 2002 SERIES + + + + + OASIS (MINIVAN) + + + + + OCTAVIA + + + + + ODYSSEY (MINIVAN) + + + + + OLYMPIA + + + + + OMEGA + + + + + OMEGA + + + + + OMNI (ALSO 024) + + + + + OPIRUS + + + + + OPEL (SEE MAKE OPEL) + + + + + OPTRA + + + + + OPTIMA + + + + + ORLAND0 + + + + + OUTBACK + + + + + OUTLANDER + + + + + OUTLOOK + + + + + OXFORD + + + + + 100 + + + + + 1000 & 1000GL + + + + + L100 + + + + + 100 E SERIES + + + + + A 100 COMPACT + + + + + 100 SERIES + + + + + 1000 + + + + + F102 + + + + + 105 E SERIES + + + + + 110 TYPE + + + + + 1100 + + + + + 110 + + + + + 1100 SERIES + + + + + 1100 - D OR R + + + + + 113 + + + + + 1200 + + + + + 120 + + + + + 122 SERIES + + + + + 124 SERIES + + + + + 1250 + + + + + 128I + + + + + 128 SERIES + + + + + LM129 + + + + + 1300 SERIES + + + + + 1300 + + + + + 131 SERIES + + + + + 135I + + + + + F136 + + + + + 1400 SERIES + + + + + 140 SERIES + + + + + RAM 1500 + + + + + 1500 + + + + + M151 + + + + + 1600 + + + + + 1600 SERIES + + + + + 164 + + + + + 164 SERIES + + + + + 18I + + + + + 180 SERIES + + + + + 1800 + + + + + 1800 SERIES + + + + + P1900 + + + + + 1900 + + + + + 190 SERIES + + + + + 100GL + + + + + 100LS + + + + + 200 + + + + + 2000 + + + + + 2000 (SERIES) + + + + + 2000 SERIES + + + + + 200SX + + + + + 200LS + + + + + 200 + + + + + 200 SERIES + + + + + L200 + + + + + 202 + + + + + 203 + + + + + 206 + + + + + 208 + + + + + 210 (OR B-210) + + + + + 210 SERIES + + + + + 219 SERIES + + + + + 220 SERIES + + + + + 228I + + + + + 228 + + + + + 230I + + + + + 230 SERIES + + + + + M235I + + + + + M240I + + + + + 240SX + + + + + 240 SERIES + + + + + 244X + + + + + 245 SERIES + + + + + 245 + + + + + DINO 246 GT/GTS + + + + + 2.4 LITRE + + + + + 240Z + + + + + ROVER 25 + + + + + 2500 SERIES + + + + + 250 SERIES + + + + + 250 + + + + + ES250, IS250 + + + + + RAM 2500 + + + + + GT250 + + + + + 260Z + + + + + 260 SERIES + + + + + 2600 SPRINT + + + + + 2600 SPIDER + + + + + 2.8 + + + + + I280 + + + + + 2800 SERIES + + + + + 280 SERIES, SLK280 + + + + + 280Z + + + + + 328I + + + + + I290 + + + + + 2CV + + + + + 2 ELEVEN + + + + + 2LS + + + + + 2LT + + + + + 2 PLUS 2 + + + + + 200SX + + + + + 280ZX + + + + + 3.0 SI + + + + + 300ZX + + + + + L300 + + + + + 300 DELUXE + + + + + 300 + + + + + 3000 ME + + + + + ES300 + + + + + 3000 SERIES + + + + + 300 SERIES + + + + + 304 + + + + + 308 + + + + + 310 + + + + + 311 + + + + + 318I + + + + + 320I + + + + + 320 SERIES + + + + + 323I, 323IS + + + + + 323 + + + + + 325,325I,325XI + + + + + 328IS,328XI,328D + + + + + 328 + + + + + C32 AMG + + + + + 330CI,330L,330XI,330I + + + + + ES330 + + + + + 330 SERIES + + + + + 332,332I,332XI + + + + + 335I,335ID,335IH + + + + + 340 + + + + + 340I, 340I X DRIVE + + + + + 348 + + + + + 3.4 LITRE + + + + + RAM 3500 + + + + + IS350 + + + + + I350 + + + + + 350 SERIES, E350, S350, SLK350 + + + + + 3500 + + + + + 350Z + + + + + 3500 (SERIES) + + + + + 356 + + + + + 360 MODENA,SPIDER,CHALLENGE STRADALE + + + + + N360 + + + + + 360 (VARIOUS STYLES) + + + + + I370 + + + + + 370 Z + + + + + 380 SERIES + + + + + 387 + + + + + 3.8 LITRE + + + + + SL63 AMG + + + + + 3000 GT, SPYDER 3000 GT + + + + + 3 LITRE + + + + + 318TI + + + + + 400 SERIES + + + + + 4000 + + + + + LS400 + + + + + 4000 (SERIES) + + + + + 403 + + + + + 404 + + + + + 405 + + + + + 411/412 + + + + + 420 + + + + + 420 SERIES + + + + + 4200 GT + + + + + 425 + + + + + 428I, 428I X DRIVE + + + + + 4.2 LITRE + + + + + 430I + + + + + 430 COUPE & SPIDER, F430 + + + + + 430 + + + + + 435I + + + + + 440 SERIES + + + + + 440I + + + + + 4-4-2 + + + + + PV444 + + + + + ROVER 45 + + + + + RAM 4500 + + + + + 450 SERIES + + + + + 456GT + + + + + 458 ITALIA, SPYDER & SPECIALE + + + + + 487 + + + + + 4C + + + + + PRINCESS 4-R + + + + + 4-RUNNER + + + + + 5000 + + + + + 500,500C,500X,500L TREKKING (MPV) + + + + + 5000 (SERIES) + + + + + 500 SERIES, CLS500,S500 + + + + + FIVE HUNDRED (500) + + + + + 504 SERIES + + + + + 505 SERIES + + + + + 510 + + + + + 512 + + + + + 520 + + + + + 524 SERIES + + + + + 525I, 525IA + + + + + 528I + + + + + 530I + + + + + 533I + + + + + 535 SERIES + + + + + 540 + + + + + PV544 + + + + + 545I + + + + + RAM 5500 + + + + + CL550 + + + + + 550I + + + + + SL55 AMG + + + + + 560 SERIES + + + + + 57 & 57S + + + + + 575 MM + + + + + 599 GTB FIORANO, 599 GT0, 599 SA APERTA + + + + + 60 SERIES + + + + + 600D + + + + + 600 SERIES, S600 + + + + + 6000 + + + + + 600 + + + + + N600, AN600, AZ600 + + + + + 604 + + + + + 61 SERIES + + + + + 610 + + + + + 612 SCAGLIETTI + + + + + 616 + + + + + 618 + + + + + 62 SERIES + + + + + 62 & 62S, LAUNDAULET (OPEN TOP VERSION OF 62) + + + + + 626 + + + + + 630CSI + + + + + 633CSI + + + + + 635 SERIES + + + + + S63AMG + + + + + 640I + + + + + 645 + + + + + 650CI,650I,650XI + + + + + 650S (COUPE & SPIDER) + + + + + S65 AMG + + + + + 710 + + + + + 718 BOXTER, 718 CAYMAN/CAYMAN S + + + + + 720 + + + + + 733 SERIES + + + + + 735 SERIES + + + + + 740 + + + + + 740 SERIES + + + + + 745I, 745LI + + + + + 745 SERIES + + + + + 740I + + + + + 75 SERIES + + + + + ROVER 75 + + + + + 750 + + + + + 750,750I,750IL,750L,750LI, + + + + + 760I,760LI,M760I + + + + + 760 + + + + + 765 SERIES + + + + + 780 SERIES + + + + + 7 LITRE + + + + + 808 SERIES (PISTON ENGINE) + + + + + 810 + + + + + E825 + + + + + 825 + + + + + 827 + + + + + 840CI + + + + + 850 + + + + + 850 SERIES + + + + + 850I + + + + + 850CI + + + + + 850 FASTBACK + + + + + TOYOTA 86 (FORMERLY SCION FR-S MODEL) + + + + + 88 + + + + + 880 SERIES + + + + + MT900 + + + + + 900 + + + + + 9000 + + + + + 911 + + + + + 912 + + + + + 914 + + + + + 918, 918 SPYDER + + + + + 92 + + + + + 924 + + + + + 928 + + + + + 929 + + + + + 93 & 93B + + + + + 930 + + + + + 9-4X + + + + + 940 + + + + + 944 + + + + + 95 + + + + + 959 + + + + + 96 + + + + + 960 + + + + + 968 + + + + + 97 + + + + + 98 + + + + + 99 + + + + + ARROW (IMPORTED) + + + + + A99 & 110 + + + + + A2 + + + + + A3 (SPORTBACK) + + + + + A40 + + + + + AMG E43 + + + + + A5 + + + + + A55 + + + + + CAMBRIDGE + + + + + A7 + + + + + 80 + + + + + 90 + + + + + A4 + + + + + A6 + + + + + A8 + + + + + SERIES A + + + + + SERIES B + + + + + ACADIA + + + + + ACCLAIM + + + + + ACCORD, ACCORD CROSSTOUR + + + + + ACCENT + + + + + 2ACT + + + + + ACTIVE E + + + + + ACHIEVA + + + + + ADVENTURER + + + + + AEROSTAR + + + + + AEROBUS + + + + + AGERA + + + + + ALFETTA GT + + + + + AMG GT / GTS + + + + + ACTIVE HYBRID 3 + + + + + ACTIVE HYBRID 5 + + + + + AIRFLYTE + + + + + AL + + + + + ALERO + + + + + AL3 + + + + + ALLIANCE + + + + + ALLANTE + + + + + ALLROAD + + + + + ALLIANCE (SEE MAKE AMERICAN MOTORS) + + + + + ALPINE + + + + + ALPINA B6 & B7 + + + + + ALLURE + + + + + ALTIMA + + + + + AM16 + + + + + AMANTI + + + + + AMBASSADOR + + + + + AMIGO + + + + + AMPERA ELECTRIC VEHICLE + + + + + MEDALLION (VEHICLE YEAR 1988, SEE MAKE EAGLE) + + + + + AMX + + + + + ANGLIA + + + + + APOLLO + + + + + ARONDE + + + + + AERIO + + + + + ARIES + + + + + ARMADA (FORMERLY PATHFINDER ARMADA) + + + + + AMERICAN (AME FOR REFERENCE ONLY) + + + + + AMERICAN + + + + + ARNA + + + + + ARNAGE + + + + + ARROW + + + + + S4 + + + + + S6 + + + + + S7 + + + + + S8 + + + + + ASCENDER + + + + + ASPEN + + + + + ASPIRE + + + + + ASTRE + + + + + ASTRO VAN + + + + + ASTRA + + + + + ATOS + + + + + TL + + + + + ALTRA-EV + + + + + ATS + + + + + ATTITUDE + + + + + AUBURN + + + + + AUDI + + + + + AURA, XE, XR + + + + + AURORA + + + + + PRINCESS (SEE MAKE MG) + + + + + AVEO + + + + + AVALANCHE + + + + + AVIATOR + + + + + AVALON + + + + + AVATAR + + + + + AVANT + + + + + AUTO NOVA + + + + + AVANTI + + + + + AVENSIS + + + + + AVELLA + + + + + AVENGER + + + + + AVENTADOR + + + + + AX + + + + + AXIOM + + + + + AXXESS + + + + + AZERA + + + + + AZTEK + + + + + AZURE + + + + + BOBCAT + + + + + BONNEVILLE + + + + + BORREGO + + + + + BORA + + + + + BOXSTER, BOXSTER 986, BOXSTER GTS, BOXSTER S/SPYDER + + + + + B2000 + + + + + B200 + + + + + B2200 + + + + + B2300 + + + + + B2500 + + + + + B2600 + + + + + B3000 + + + + + B4000 + + + + + BACI + + + + + BALBOA + + + + + BARRACUDA + + + + + BARCHETTA (OR F130 BARCHETTA) + + + + + BAVARIA + + + + + BABY + + + + + BEAUMONT SERIES + + + + + B-CLASS (ELECTRIC DRIVER) + + + + + BEL AIR + + + + + BELVEDERE + + + + + B ELECTRIC + + + + + BERETTA + + + + + BERLINA + + + + + BERTONE + + + + + BETA SERIES + + + + + BISCAYNE + + + + + BITURBO + + + + + BAJA + + + + + BOLT + + + + + BLAZER + + + + + BRONCO/BRONCO II + + + + + BROUGHAM + + + + + BROOKLANDS + + + + + BRAVA + + + + + BREEZEWAY + + + + + BROOKWOOD + + + + + BROADMOOR + + + + + BRAT + + + + + BREWSTER (ANTIQUE VEHICLE) + + + + + BRZ + + + + + BREEZE + + + + + BUSTER COUPE + + + + + BENTAYGA + + + + + BEETLE (SUPER BEETLE OR BUG) + + + + + BRAVADA + + + + + BLACKWOOD + + + + + COROLLA, COROLLA IM + + + + + COBRA (ALSO SEE MAKE SHELBY AMERICAN) + + + + + COBRA + + + + + COMBI + + + + + COLONY PARK + + + + + COMETE + + + + + COMANCHE + + + + + COMMODORE + + + + + COMMANDER + + + + + COMET + + + + + COMUTA-CAR + + + + + COMPACT SPORTSMAN + + + + + CONSUL + + + + + CONCOURS + + + + + CONQUEST (VEHICLE YEAR 1986 ONLY) + + + + + CONTINENTAL + + + + + CONCORD + + + + + CONTINENTAL CONVERTIBLE + + + + + CONQUEST (VEHICLE YEAR 1987 AND LATER) + + + + + CONQUEST (VEHICLE YEARS 1984-1986) + + + + + COUNTRY SQUIRE + + + + + CORONA + + + + + CORDOBA + + + + + CORONET + + + + + CORDIA + + + + + CORRADO + + + + + CORNICHE + + + + + CORSAIR + + + + + COUGAR + + + + + COUNTACH + + + + + COUNTRY SEDAN + + + + + C10 + + + + + C/K 1500 + + + + + C20 + + + + + C220 + + + + + C230 + + + + + C240 + + + + + C250 + + + + + C/K 2500 + + + + + C280 + + + + + C300 + + + + + C30 + + + + + C320 + + + + + C/K 3500 + + + + + C350 + + + + + C36 + + + + + C400 + + + + + C43 + + + + + C/K 4500 + + + + + CL45 AMG + + + + + CL55 AMG,CLS55,C55 + + + + + CL63 AMG + + + + + CL65 + + + + + C63 AMG + + + + + C70 + + + + + C8 LAVIOLETTE,C8 SPYDER + + + + + CABRIOLET + + + + + CABRIO + + + + + CABELLERO + + + + + CALIFORNIA + + + + + CALAIS + + + + + CALIFORNIA, CALIFORNIA T + + + + + CALIBER + + + + + CAMBRIDGE + + + + + CAMARO + + + + + CAMARGUE + + + + + CAMRY + + + + + CANSO SERIES + + + + + CAN-AM + + + + + CAPRI (1979 AND LATER) + + + + + CAPRI + + + + + CAPRICE + + + + + CARIBBEAN + + + + + CARAVAN + + + + + CARINA + + + + + CAROLINA + + + + + CARRERA + + + + + CASCADA + + + + + C450 AMG (SPORT) + + + + + CATALINA + + + + + CATFISH + + + + + CATERA + + + + + CAVALIER + + + + + CAYMAN + + + + + PT CABRIO + + + + + COBALT + + + + + CC + + + + + CCR + + + + + COUNTRY CRUISER + + + + + CUSTOM CRUISER + + + + + CCX + + + + + CADENZA + + + + + CELEBRITY + + + + + CENTURY + + + + + CHEVY II + + + + + CHAIKA + + + + + CHARGER (AND SHELBY CHARGER) + + + + + CHALLENGER + + + + + CHARADE + + + + + CHARIOT + + + + + CHAMOIS + + + + + CHAMP (IMPORTED) + + + + + CHIEFTAIN + + + + + CHEROKEE + + + + + CHALLENGER + + + + + CHAMPION + + + + + CHEYENNE + + + + + CIMARRON + + + + + CIRRUS + + + + + CITATION + + + + + CIVIC (AND CRX), CIVIC DEL SOL + + + + + CJ2 + + + + + CJ-5 + + + + + CJ-6 + + + + + CJ-7 + + + + + CJ-8 + + + + + CLK500 + + + + + CL (SPORT COUPE) + + + + + CLA250 + + + + + CLK350 + + + + + CLK430 + + + + + CL500 + + + + + CL600 + + + + + CLASSIC + + + + + CLUBMAN + + + + + COLORADO + + + + + CLIPPER + + + + + CALIENTE + + + + + CLARUS + + + + + COLT (IMPORTED) + + + + + COLT (CANADIAN) + + + + + CM600S + + + + + COMMANDER + + + + + COMMUTER + + + + + COMPASS + + + + + C-MAX (HYBRID & ENERGI) + + + + + CONCORDE + + + + + CONFEDERATE (ANTIQUE VEHICLE) + + + + + CENTURION + + + + + CONTOUR + + + + + GTC (CONVERTIBLE) + + + + + COUPE/COUPE GT + + + + + COOPER/COOPER-S (RIGHTS BOUGHT BY BMW) + + + + + COOPER S + + + + + CROWN + + + + + CRANBROOK + + + + + CRESTLINE + + + + + CRESTA + + + + + CRESSIDA + + + + + CREIGHTON + + + + + CROSSFIRE + + + + + CRICKET (IMPORTED) + + + + + CARAVELLE + + + + + CORSICA + + + + + CRUISER + + + + + PT CRUISER + + + + + CARAVELLE + + + + + CRV + + + + + CARAVAN + + + + + CRZ + + + + + CRUZE + + + + + CLS400 + + + + + COSMO + + + + + CUSTOMLINE + + + + + CELICA + + + + + CSX + + + + + CT200H + + + + + CT6 + + + + + CORTINA + + + + + CROSSTREK / XV CROSSTREK + + + + + CTR3 + + + + + CTS + + + + + CITI VAN + + + + + CAPTIVA + + + + + COUNTRYMAN/COUNTRYMAN ALL 4 + + + + + THINK CITY (ELEC. VEH. MODEL YEAR 2002) + + + + + CITY + + + + + CUBE + + + + + CUSTOM + + + + + CUTLASS (CUTLASS CIERA & SUPREME) + + + + + CROWN VICTORIA + + + + + CARAVAN + + + + + CORSA (CORVAIR) + + + + + CLUB WAGON E150 + + + + + CLUB WAGON E250 + + + + + CLUB WAGON E350 + + + + + CX3 + + + + + CX-5 + + + + + CX7 + + + + + CX9 + + + + + CHEVROLET CITY EXPRESS + + + + + CYCLONE + + + + + MOTORCYCLE + + + + + CAYENNE + + + + + CANYON + + + + + DS-19 + + + + + DS-21 & D21 + + + + + D21 + + + + + D8-100 & D8-120 + + + + + DAKOTA + + + + + DAKAR + + + + + DARRIN + + + + + DART + + + + + DASHER + + + + + DAUPHINE + + + + + DAYTONA + + + + + DB-5 + + + + + DB-6 + + + + + DB7 (COUPE) & VOLANTE + + + + + DB9 + + + + + DBS + + + + + DEAUVILLE + + + + + DEDRA + + + + + DEFENDER 90 & 110 + + + + + DEL RAY + + + + + DELUXE + + + + + DELTA + + + + + DEMON (DART) + + + + + DENALI + + + + + DEVILLE + + + + + DIABLO + + + + + DIAMANTE + + + + + DIPLOMAT + + + + + DISCOVERY OR DISCOVERY SPORT + + + + + DL + + + + + DELMONT 88 + + + + + DELTA 88, LSS DELTA 88, ROYALE + + + + + DELTA + + + + + DMC-12 + + + + + DIPLOMAT + + + + + DRAGON + + + + + DESTINO + + + + + DTS (REPLACED DEVILLE MODEL NAME) + + + + + D-TYPE + + + + + DUETTO + + + + + DURANGO + + + + + DUSTER + + + + + DIVAN + + + + + DYNASTY + + + + + DYNAMIC 88 + + + + + EOS + + + + + EB110 + + + + + E2 + + + + + E250 + + + + + E300 + + + + + E320 + + + + + ES350 + + + + + EX37 + + + + + E4 + + + + + E400 + + + + + E420 + + + + + E430 + + + + + ECONOLINE E-450 + + + + + E550 + + + + + E500 + + + + + E55 + + + + + ECONOLINE E-550 + + + + + E6 + + + + + E63 AMG + + + + + EAGLE + + + + + ECONOLINE 100 + + + + + ECHO + + + + + ECONOLINE E150 + + + + + ECONOLINE E250 + + + + + ECONOLINE E350 + + + + + ECLIPSE & ECLIPSE SPYDER GS-T + + + + + ECLAT + + + + + E CLASS + + + + + ESCAPE + + + + + ENCORE + + + + + EDGE + + + + + ENDEAVOR + + + + + EIGHT + + + + + EL (IMPORT FROM CANADA) + + + + + EL + + + + + ELAN + + + + + EL CAMINO + + + + + ELDORADO + + + + + PARK AVENUE & PARK AVENUE (ELECTRA) + + + + + ELEMENT + + + + + ELECTRA-KING + + + + + ELITE + + + + + CHEVELLE,CONCOURS,GREENBRIER,NOMAD + + + + + ELANTRA + + + + + ELR + + + + + ELISE + + + + + ELXD + + + + + ENCORE (SEE AMERICAN MOTORS) + + + + + ENCLAVE + + + + + ENCORE + + + + + ENSIGN + + + + + ENTOURAGE + + + + + ENVISION + + + + + ENVOY + + + + + ENZO + + + + + EPIC + + + + + EXPEDITION + + + + + EPICA, LS & LT + + + + + EPIC + + + + + EQUATOR + + + + + EQUUS + + + + + EQUINOX + + + + + ES + + + + + ESCALADE + + + + + ESCORT + + + + + ESPADA + + + + + ESPRIT + + + + + ESPERANTE + + + + + ESTEEM + + + + + ESTATE WAGON + + + + + ESTAFETTE + + + + + ETOILE + + + + + E TYPE + + + + + EUROPA + + + + + EUROVAN + + + + + EV1 + + + + + CHEVETTE + + + + + EVPLUS + + + + + EVOQUE + + + + + EVORA + + + + + EX35 + + + + + EXCEL + + + + + EXCURSION + + + + + EXECUTIVE + + + + + EXECUTIVE SEDAN + + + + + EXIGE + + + + + EXPO + + + + + EXPORT + + + + + EXPRESS (FULL-SIZE VAN) + + + + + EXP + + + + + FOCUS + + + + + FORESTER + + + + + FORCE + + + + + FORSA + + + + + 80 LS (FOX) + + + + + FOX + + + + + F100 + + + + + F-10 + + + + + F12, F12 BERLINETTA + + + + + F-150XLT (HAS THIRD DOOR ON PASSENGER SIDE) + + + + + F250 SUPERCAB (PICKUP) + + + + + F355 + + + + + F350 + + + + + FX37 + + + + + F40 + + + + + F450 + + + + + F50 + + + + + F550 + + + + + F650 SUPER CREW + + + + + F750 + + + + + F800 + + + + + F-85 + + + + + FABIA + + + + + FAIRLANE + + + + + FALCON + + + + + FAIRMONT + + + + + FIFTH AVENUE + + + + + FASTBACK + + + + + FIREBIRD,TRANS AM,FIREHAWK + + + + + FCX (FUEL CELL VEHICLE) + + + + + FE + + + + + FESTIVA + + + + + FF (FERRARI FOUR) + + + + + FUEGO + + + + + FIERO + + + + + FIESTA + + + + + FIRENZA + + + + + FIT + + + + + FJ CRUISER + + + + + FLAVIA + + + + + FLEETWOOD + + + + + FLEETLINE + + + + + FLAMINIA + + + + + FLASH + + + + + FLEET SPECIAL + + + + + FLEX + + + + + FORENZA (S, EX, LX) + + + + + F-PACE + + + + + FLYING SPUR + + + + + FRONTENAC + + + + + FIREDOME + + + + + FREEMONT + + + + + FREELANDER + + + + + FREESTAR + + + + + FIRELITE + + + + + FIRESWEEP + + + + + FR-S + + + + + FRONTIER + + + + + FORTE + + + + + FIREFLY + + + + + FREESTYLE + + + + + FORTWO + + + + + F-TYPE, F-TYPE S + + + + + FULVIA + + + + + FURY (ALSO GRAND FURY) + + + + + FUSION + + + + + FUTURA + + + + + FX35 + + + + + FX45 + + + + + FX 50 + + + + + FIRENZA + + + + + GOGGOMOBILE + + + + + GOLF, GOLF R, GOLF ALLTRACK, E-GOLF, GOLF GTI, GOLF SPORT WAGEN + + + + + GORDINI + + + + + G2 + + + + + G20 (G SERIES) + + + + + G20 + + + + + GTV6 2.5 + + + + + GLA250 + + + + + G25 + + + + + G2X + + + + + G3 + + + + + GL350, GLS350D + + + + + G35 + + + + + GS350 + + + + + COBRA GT350 + + + + + G37 + + + + + G4 + + + + + GS400 + + + + + GS430 + + + + + GLA 45 AMG + + + + + GS455 + + + + + GS450, GS450H + + + + + GS460 + + + + + GX470 + + + + + G5 + + + + + G500 + + + + + COBRA GT500 + + + + + G55, G55 AMG + + + + + G6 + + + + + GL63 AMG + + + + + G65 AMG + + + + + G63 AMG + + + + + GT 750 + + + + + G8 + + + + + G80 + + + + + G90 + + + + + GALANT + + + + + GALLARDO + + + + + GALAXIE + + + + + GRAND CHEROKEE, GRAND CHEROKEE 'LAREDO' + + + + + GENESIS + + + + + GH0ST + + + + + GHIBLI + + + + + GIULIA SPRINT + + + + + GIULIA SPIDER + + + + + GIULIETTA + + + + + GIULIA + + + + + GLK250 + + + + + GLK 350 + + + + + GL + + + + + GL320 + + + + + GL450 + + + + + GL550 + + + + + GLC ( GREAT LITTLE CAR ) + + + + + GOLDEN SPIRIT + + + + + GLE + + + + + GLF + + + + + GLI + + + + + GLS + + + + + GLT + + + + + GELAENDEWAGEN (G-WAGEN) + + + + + GCP + + + + + GRAND MARQUIS + + + + + GRAND PARISIENNE + + + + + GRAND PRIX + + + + + GRAND TURISMO + + + + + GRANADA + + + + + GRAND VILLE + + + + + GREMLIN + + + + + GRAND AM + + + + + GRAN SPORT + + + + + GRAND SPORTS (G.S.) + + + + + GS200T + + + + + GS300 + + + + + GS400 + + + + + GSC SAN SEBASTION + + + + + GSF + + + + + GRAN SPORT + + + + + GANG STAR + + + + + GT/GT3-R + + + + + GT SERIES + + + + + GT + + + + + GT0 + + + + + ALFA GT6 + + + + + GTI SERIES + + + + + GTI + + + + + GTP + + + + + GT-R + + + + + GTR + + + + + GRAN TOURISMO + + + + + GT VELOCE + + + + + GTX + + + + + GRAND VITARA + + + + + GRAND VOYAGER + + + + + GX460 + + + + + HOLIDAY + + + + + HOMBRE (PICKUP) + + + + + HONEY BEE + + + + + HORNET + + + + + HORIZON (ALSO TC3) + + + + + HS250H + + + + + HANSA + + + + + HAWK + + + + + HAWK SERIES + + + + + HEALY + + + + + HERALD + + + + + HARTFORD + + + + + HIGHLANDER (BEGINNING VEHICLE YEAR 2001) + + + + + HHR + + + + + HIACE (HI ACE) + + + + + HI-LUX + + + + + HRV + + + + + HU2 + + + + + HU3, H3X, H3TX + + + + + HUMMER + + + + + HURACAN + + + + + HUSKY + + + + + HUAYRA + + + + + ION + + + + + I3 + + + + + I30 + + + + + I35 + + + + + I8 + + + + + IA + + + + + ID-19 + + + + + I (MIEV) IEV + + + + + ILX + + + + + IM + + + + + I-MARK + + + + + IMPALA + + + + + IMP + + + + + IMPREZA,IMPREZA OUTBACK + + + + + IMPULSE + + + + + INDY + + + + + IONIQ HYBRID + + + + + INSIGHT + + + + + INTERCEPTOR + + + + + INTRIGUE + + + + + INTEGRA + + + + + INTREPID + + + + + INVADER SERIES + + + + + INVICTA + + + + + IMPERIAL (FOR VEHICLE YEARS PRIOR TO 1955 AND FOR VEHICLE YEARS 1990-1993; FOR 1955-1983, SEE MAKE IMPERIAL) + + + + + IQ + + + + + IS200T + + + + + IS300 + + + + + ISABELLA + + + + + ISC + + + + + ISETTA + + + + + IS-F + + + + + ITALIA + + + + + J-10 + + + + + XJ12 + + + + + J-20 + + + + + J2000 + + + + + J30 + + + + + J72 + + + + + JAC 427 COBRA + + + + + JALPA + + + + + JARMA + + + + + JAVELIN + + + + + JCW (JOHN COOPER WORKS) + + + + + JEEP + + + + + JET + + + + + JETTA + + + + + JIMNY + + + + + JIMMY + + + + + JOURNEY + + + + + JEEPSTER + + + + + JETFIRE + + + + + JETSTAR + + + + + JUKE (S, SL, SV) + + + + + JUSTY + + + + + JX35 + + + + + KOMBI,KOMBI CAMPMOBILE + + + + + KORANDO + + + + + K10 + + + + + K20 + + + + + K30 + + + + + CLK550 + + + + + CLK63 AMG + + + + + K900 + + + + + KA + + + + + KADETTE + + + + + KILLETA + + + + + KAPITAN + + + + + KARMANN GHIA + + + + + KARMAN + + + + + KHAMSIN + + + + + KINGSWOOD + + + + + KIZASHI + + + + + KR200 + + + + + KR201 + + + + + KARMA + + + + + (ANTIQUE VEHICLE) + + + + + LONGCHAMP + + + + + LOTUS + + + + + LOYALE + + + + + SLK300 + + + + + L37 (ANTIQUE VEHICLE) + + + + + ML400 + + + + + LS430 + + + + + LX450 (LUXURY SPORT UTILITY) + + + + + LS460 + + + + + LX470 + + + + + SL550 + + + + + LX570 + + + + + L6 + + + + + LS600HL + + + + + ML63 AMG + + + + + L7 + + + + + LA FERRARI (AKA-F70) + + + + + LAFAYETTE + + + + + LAGONDA + + + + + LANOS + + + + + LANCER, LANCER EVOLUTION + + + + + LANDALL + + + + + LANCER + + + + + LARK SERIES + + + + + LASER (FOREIGN AND PUERTO RICAN DISTRIBUTION ONLY) + + + + + LASER + + + + + LAURENTIAN + + + + + LAUFER + + + + + LE BARON (FOR VEHICLE YEAR 1978 OR LATER) + + + + + LIBERTY + + + + + LC3 + + + + + LAND CRUISER + + + + + LACROSSE + + + + + LEONE GL COUPE + + + + + LE BARON (FOR VEHICLE YEAR THRU 1975) + + + + + LE CAR + + + + + LEAF + + + + + LEGACY,LEGACY OUTBACK + + + + + LEGANZA + + + + + LEGEND + + + + + LEMANS + + + + + LEMOYNE + + + + + LE SABRE + + + + + LF-A + + + + + LHS + + + + + LIDO + + + + + LI'L HUSTLER + + + + + LIMOUSINE + + + + + LIMITED + + + + + LIMA + + + + + CLK320 + + + + + CLK55 + + + + + LUMINA APV + + + + + LN7 + + + + + LAND ROVER + + + + + LR2 (REPLACES FREELANDER MODEL) + + + + + LR3 + + + + + LR4 + + + + + LS-SEDAN + + + + + LS + + + + + CLS550 + + + + + LS6 + + + + + LS8 + + + + + LTD II + + + + + LECTRIC LEOPARD + + + + + LTD + + + + + 2LTS + + + + + LUCERNE + + + + + LUMINA + + + + + LUV + + + + + LUXURY + + + + + LUXUS + + + + + LEVANTE + + + + + LW-WAGON + + + + + LUXE + + + + + LYNX + + + + + MODEL A + + + + + MONTE CARLO + + + + + MODEL A + + + + + MONTREAL + + + + + MONTCALM + + + + + MONZA + + + + + MONTEREY + + + + + MONACO + + + + + MONDIAL + + + + + MONTERO/MONTERO SPORT + + + + + MODEL T + + + + + MONTCLAIR + + + + + MOYA + + + + + M10 + + + + + M12 (SPORT COUPE) + + + + + M12 + + + + + MC12 + + + + + M14 + + + + + M15 + + + + + M2 + + + + + MK250 BLUETECT + + + + + M3 + + + + + M30 + + + + + M35, M35 SPORT, M35 X + + + + + ML350 + + + + + M37 + + + + + M4 + + + + + M400 + + + + + M45 + + + + + M5 + + + + + ML500 + + + + + ML550 + + + + + M56 + + + + + M6 + + + + + M600 + + + + + MAGNUM + + + + + MAGNETTE + + + + + MAINLINE + + + + + MALIBU (INCLUDES CHEVELLES THROUGH 1977) & MALIBU MAXX + + + + + MANGUSTA + + + + + MANTA + + + + + MANHATTAN + + + + + MARQUIS + + + + + MARK V SERIES + + + + + F-550 MARANELLO + + + + + MARLIN + + + + + MARCIA + + + + + MARINA + + + + + MATADOR + + + + + MARAUDER + + + + + MAVERICK + + + + + MAXI-TAXI + + + + + MAXIMA + + + + + MC1 + + + + + MICROBUS OR BUS + + + + + MACAN + + + + + MDX + + + + + MEADOWBROOK + + + + + MEDALLION (SEE MODEL UNDER MAKE EAGLE) + + + + + MEDALLION (THROUGH VEHICLE YEAR 1987) + + + + + MEDALIST + + + + + MEDALLION (VEHICLE YEAR 1988) + + + + + MERAK + + + + + METRO (BEGINNING VEHICLE YEAR 1998) + + + + + METROPOLITAN + + + + + METRO + + + + + MEXICO + + + + + MONTEGO + + + + + 1100 + + + + + MGA + + + + + MGB + + + + + MGC + + + + + MGB/GT + + + + + MGC/GT + + + + + MERLOT MICA (MIATA) & MIATA MX5 + + + + + MINI COOPER + + + + + MICRA + + + + + MIDGET + + + + + MIGI + + + + + MARK II + + + + + MINI SERIES + + + + + MILANO + + + + + MILLENIA + + + + + MINICA + + + + + MINOR + + + + + MINI + + + + + MINI-MARK + + + + + MINX + + + + + MIRAI + + + + + MIRADA + + + + + MIRAGE + + + + + MISER (PISTON ENGINE) + + + + + MISTRELL + + + + + MIURA SV + + + + + MARK II + + + + + MARK III + + + + + MARK IV + + + + + MARK V + + + + + 4/4 MARK 5 + + + + + MARK VI + + + + + MARK VII + + + + + MARK VIII + + + + + MKC + + + + + MARK LT + + + + + MKS + + + + + MARK II + + + + + MKT + + + + + MKX + + + + + MKZ + + + + + ML320 + + + + + ML430 + + + + + ML55 + + + + + MILAN + + + + + MANGUSTA + + + + + MONARCH + + + + + MARINER + + + + + MONTANA (PICK-UP;LATIN AMERICA) + + + + + MP4-12C + + + + + MPV + + + + + MR2 + + + + + MERLIN + + + + + MERIVA + + + + + MONTANA + + + + + MARATHON + + + + + MOUNTAINEER (SPORT UTILITY) + + + + + MARK TEN SALON + + + + + MATRIX (SPORT WAGON) + + + + + MIGHTY MAX + + + + + MATIZ + + + + + MULSANNE + + + + + MURCIELAGO + + + + + MURANO + + + + + MUSTANG + + + + + MV1 (DX, LX, & SE) + + + + + MV-1 + + + + + MX3 + + + + + MX6 + + + + + MYSTIQUE + + + + + MAZDA 2 (TWO) + + + + + MAZDA 3 (THREE) + + + + + MAZDA 5 (FIVE) + + + + + MAZDA 6 (SIX) & SPEED 6 + + + + + NOVA (CHEVY II & CONCOURS) + + + + + NV200 + + + + + NAVIGATOR + + + + + NAVAJO + + + + + THINK NEIGHBOR (ELEC. VEH. MODEL YEAR 2002) + + + + + NEON + + + + + NEON,NEON SRT-4,NEON SX 2.0 + + + + + NEVADA + + + + + NEWPORT + + + + + NIAGARA + + + + + NITRO + + + + + NIVA + + + + + NSX + + + + + NUBIRA + + + + + NV1500 + + + + + NV2500 + + + + + NV3500 + + + + + NX + + + + + NC200T + + + + + NX300H + + + + + NEW YORKER + + + + + POLARA + + + + + POLO + + + + + PONY + + + + + POWERMASTER + + + + + P1 + + + + + PACEMAKER + + + + + PACER + + + + + PALINURO + + + + + PANAMERA + + + + + PARKWOOD + + + + + PARKLANE + + + + + PARISIENNE + + + + + PASSION (COUPE & CABRIOLET) + + + + + PASSPORT + + + + + PASEO + + + + + PASSAT + + + + + PATRIOT + + + + + PATRICIAN + + + + + PACIFICA (SPORT WAGON) + + + + + PACEMAN, PACEMAN S, PACEMAN ALL 4 + + + + + PERFECT + + + + + PHOENIX + + + + + PHAETON + + + + + PHANTOM + + + + + PIONEER + + + + + PINTO + + + + + PLUS 4 SERIES + + + + + PLUS 8 SERIES + + + + + PLAZA + + + + + PILOT + + + + + PLATINA + + + + + PLUS TWO + + + + + POINTER + + + + + PROTIGI & FAMILIA PROTEGE + + + + + PROBE + + + + + PREDICTOR + + + + + PREMIERE + + + + + PRECIS + + + + + PREMIER (SEE MODEL UNDER MAKE EAGLE) + + + + + PRE RUNNER + + + + + PREMIER + + + + + PRELUDE + + + + + PRESIDENT + + + + + PRINCESS + + + + + PRINZ + + + + + PRIZM + + + + + PRIZM (BEGINNING VEHICLE YEAR 1998) + + + + + PRIUS + + + + + PARK AVENUE + + + + + PARK WARD + + + + + POWER RAM + + + + + PRO MASTER + + + + + PREVIA + + + + + PROWLER (MODEL YEARS 2001-2002) + + + + + PROWLER + + + + + PANTERA + + + + + PATHFINDER, PATHFINDER ARMADA + + + + + PULSAR + + + + + PUNTO + + + + + PURSUIT + + + + + PURE + + + + + Q1 + + + + + Q3 + + + + + Q40 + + + + + Q45 + + + + + Q5 + + + + + Q50 + + + + + QX56 + + + + + Q60 + + + + + Q7 + + + + + Q70 + + + + + QUICK SILVER + + + + + QUEST + + + + + QUATTRO + + + + + QUANTUM + + + + + QUATTROPORTE + + + + + QUATTROVALVOLVE + + + + + QX30 + + + + + QX4 + + + + + QX50 + + + + + QX60 + + + + + QX70 + + + + + QX80 + + + + + ROADMASTER + + + + + ROADSTER + + + + + ROADSTER + + + + + RODEO + + + + + ROADSTER 1500, 1600, 2000 + + + + + RONDO + + + + + ROYAL + + + + + R-10 + + + + + R10 + + + + + R-12 + + + + + R-15 + + + + + RAM 1500 / RAM 1500 PROMASTER + + + + + R1500 + + + + + R-16 + + + + + R-17 + + + + + R20 + + + + + RAM 2500 (PICKUP) + + + + + R2500 + + + + + RC300 + + + + + R30 + + + + + R320 + + + + + R32 + + + + + RX330 + + + + + R3500 + + + + + RAM 3500 (PICKUP) + + + + + RX350 + + + + + R350 + + + + + R-4 + + + + + R400 + + + + + RAM 4500 + + + + + RX450H + + + + + R-5 + + + + + R500 + + + + + RAM 5500 + + + + + R63 AMG + + + + + R8 + + + + + R-8 + + + + + RAMBLER AMERICAN + + + + + RABBIT + + + + + RAIDER + + + + + RAGE (SPORT UTILITY) + + + + + RANCH + + + + + RALLYE + + + + + RAMBLER + + + + + RANGER + + + + + RANCHERO + + + + + RAPIER + + + + + RAV4 (SPORT UTILITY) + + + + + RANCH WAGON + + + + + RAMBLER CLASSIC + + + + + RC200T + + + + + RC350 + + + + + RC F + + + + + RAM CHARGER + + + + + RAM MPV CARGO VAN + + + + + RAIDER + + + + + ROADSTER + + + + + RENDEZVOUS + + + + + RDX + + + + + REATTA + + + + + REBEL + + + + + REGAL + + + + + REGENCY (NINETY-EIGHT SERIES) + + + + + REKORD + + + + + RELIANT + + + + + REQUEST + + + + + ROGUE & ROGUE SELECT + + + + + RIDGELINE + + + + + REGAL + + + + + RGT + + + + + RIO + + + + + RICHELIEU + + + + + RIDEAU + + + + + RIMTO + + + + + RIVIERA + + + + + RK COUPE & SPYDER + + + + + ROCKY + + + + + RL + + + + + RLX + + + + + RALLY + + + + + RELAY + + + + + RENO + + + + + RENEGADE (TRAILHAWK & LATITUDE) + + + + + RANGER (PICKUP) + + + + + RANIER + + + + + RAPIDE + + + + + RAMBLER ROGUE + + + + + ROAD RUNNER + + + + + RANGE ROVER + + + + + RS4 + + + + + RS5 + + + + + RS6 + + + + + RS7 + + + + + RSX + + + + + RT12 + + + + + RT5 + + + + + ROUTAN + + + + + RVR + + + + + RX + + + + + RX2 (ROTARY ENGINE) + + + + + RX3 (ROTARY ENGINE) + + + + + RX300 + + + + + RX4 (ROTARY ENGINE) + + + + + RX400 OR RX400H (HYBRID) + + + + + RX7 (ROTARY ENGINE) + + + + + RX8 + + + + + SOLSTICE + + + + + SOLARA + + + + + SOUL + + + + + SOMERSET + + + + + SONNET + + + + + SONOMA + + + + + SONIC + + + + + SONATA + + + + + SORENTO + + + + + SOVEREIGN + + + + + S10 + + + + + S14 + + + + + S15 + + + + + S2000 + + + + + S-22 + + + + + S3 + + + + + SC300 + + + + + S-33 + + + + + S40 + + + + + SC400 + + + + + S400 + + + + + S420 + + + + + S430V + + + + + SC430 + + + + + S450 + + + + + S5 + + + + + S550 + + + + + S-55 + + + + + S550 + + + + + S55 AMG,SLK55 + + + + + S600 + + + + + S60, S60I, S60CC + + + + + CLS63 AMG + + + + + SL65 + + + + + S70 + + + + + S80 + + + + + S90 + + + + + SUPER 90 + + + + + SABLE + + + + + SAFARI + + + + + SALON + + + + + SAMURAI + + + + + SAPPORO (IMPORTED) + + + + + SARATOGA + + + + + SATELLITE + + + + + SAVANA + + + + + SAVOY + + + + + SAXON + + + + + SQUAREBACK + + + + + SC + + + + + SCOTSMAN + + + + + SCORPIO + + + + + SCAMP (VALIANT) + + + + + SCIROCCO + + + + + SCOUPE + + + + + SCEPTRE + + + + + SCOUT + + + + + SIDEKICK + + + + + SE-V6 + + + + + SE + + + + + SEBRING + + + + + SEDONA + + + + + SENTRA + + + + + SENECA + + + + + SENTRA (SEE NISSAN) + + + + + SEPHIA + + + + + SILVER SERAPH + + + + + SEVILLE,SLS-SEVILLE,STS-SEVILLE + + + + + SANTA FE + + + + + SWIFT + + + + + SHADOW + + + + + SHAMAL + + + + + SILVER CLOUD + + + + + SILVER DAWN + + + + + SIGMA + + + + + SIGNET (VALIANT) + + + + + SILHOUETTE + + + + + SILVER SHADOW + + + + + SILVER WRAITH + + + + + SLK250 + + + + + SKYHAWK + + + + + SKIS AND TRACKS + + + + + SKIS AND WHEELS + + + + + SKY + + + + + SKY CHIEF + + + + + SKYLARK + + + + + SL + + + + + SLK230 + + + + + SLK320,SLC300 + + + + + SL400 + + + + + SL500 + + + + + SL600 + + + + + SILHOUETTE + + + + + SLR MCLAREN + + + + + SLS (BADGED SEPARATELY BEGINNING 7/2003) + + + + + SLS + + + + + SILVERADO + + + + + SLX (SPORT UTILITY) + + + + + SM + + + + + SMART CITY VEHICLE + + + + + SIENNA (VAN) + + + + + SUNFIRE + + + + + SNIPE + + + + + SPORT + + + + + SPORTABOUT + + + + + SPORTSWAGON + + + + + SPORT 6 + + + + + SPECTRA + + + + + SPECIAL + + + + + SPECTRUM + + + + + SPIRIT + + + + + SPIDER (WANKEL) + + + + + SPITFIRE + + + + + SPIDER SERIES + + + + + SPIDEREUROPA + + + + + SPARK + + + + + SPRINT (VMA/GMSP FOR REFERENCE ONLY) + + + + + SPRINT + + + + + SPRINTER + + + + + SPRITE + + + + + SILVER SPUR + + + + + SPORTS SEDAN + + + + + SPORT + + + + + SPORTAGE (SPORT UTILITY) + + + + + SPORTVAN + + + + + OUTBACK SPORT (STATION WAGON) + + + + + SPARROW + + + + + SPYDER + + + + + SQ5 + + + + + SEQUOIA + + + + + SQUIRE + + + + + SQUIRE (FALCON OR FAIRLANE) + + + + + SR5 + + + + + SIERRA + + + + + SUPERBA + + + + + SRX + + + + + SS + + + + + SSE + + + + + SSK + + + + + SILVER SPIRIT + + + + + SS PHAETON + + + + + SSR + + + + + SS ROADSTER + + + + + STORM + + + + + STAG + + + + + STARFIRE + + + + + STATESMAN + + + + + STARLET + + + + + STANZA + + + + + STRATUS + + + + + STARION + + + + + STAR CHIEF + + + + + STANDARD + + + + + STARLINER + + + + + STANDARD + + + + + STELLAR + + + + + STEALTH + + + + + STYLE MASTER + + + + + STANDARD + + + + + ST. REGIS + + + + + STRADA + + + + + STRATO CHIEF + + + + + STREAMLINER + + + + + STS (BADGED SEPARATELY BEGINNING 7/2003) + + + + + STYLE LINE + + + + + S-TYPE + + + + + STYLUS + + + + + SUBURBAN + + + + + SUNFIRE + + + + + SUMMIT + + + + + SUNRISE + + + + + SUNLINER + + + + + SUNDANCE + + + + + SUNBIRD + + + + + SUPRA + + + + + SUPER + + + + + SUPER 88 + + + + + SUPER 7 + + + + + SUPER MINX + + + + + SUPER CHIEF + + + + + SUNRUNNER + + + + + SUNROOF + + + + + SVX + + + + + SW + + + + + SWINGER (DART) + + + + + SX4 + + + + + SYCLONE + + + + + TOPAZ + + + + + TORONADO + + + + + TORINO (FAIRLANE) + + + + + TORRENT + + + + + TOWNSMAN + + + + + TOWN & COUNTRY + + + + + TOWN CAR + + + + + T-1000 + + + + + T-100 + + + + + T-150 + + + + + TACOMA + + + + + TAHOE + + + + + TALON + + + + + TALBO, TALBA LAGO + + + + + TAURUS,TAURUS X + + + + + TURBO R + + + + + TRAIL BLAZER (FORMERLY BLAZER) + + + + + TC + + + + + TUCSON + + + + + TRANSIT CONNECT + + + + + MODEL E + + + + + TEMPEST + + + + + TEMPO + + + + + TERCEL + + + + + TESTAROSSA + + + + + TF SERIES + + + + + TEMPEST GT0 + + + + + TARGA + + + + + TIGUAN + + + + + THAMES + + + + + THE THING + + + + + THEMA + + + + + 1955 THUNDERBIRD + + + + + THUNDERBIRD + + + + + TI + + + + + TIBURON + + + + + TIGER + + + + + TIPO + + + + + TERRANO II (SPORT UTILITY) + + + + + JEEP (FOR VEHICLE YEARS 1970-1988) + + + + + CYCLONE + + + + + SPORT TRUCK + + + + + COURIER + + + + + CCMV (CROSS COUNTRY MILITARY VEHICLE) + + + + + TOLEDO + + + + + TLX + + + + + TOWN & COUNTRY MINIVAN + + + + + TERRANO + + + + + TROFEO + + + + + TR-3 & TR-3A + + + + + TR-4 & TR-4A + + + + + TR6 + + + + + TR7 + + + + + TR8 + + + + + TRACER + + + + + TRACKS ONLY + + + + + TRIBUTE + + + + + B9 TRIBECA + + + + + TRIBUNE + + + + + TRANSIT CONNECT (ELECTRIC VAN) + + + + + TRADESMAN + + + + + TREDIA + + + + + TOUAREG + + + + + TRACKER (BEGINNING VEHICLE YEAR 1998) + + + + + TRACKER + + + + + TRAIL DUSTER + + + + + TRANSIT + + + + + TOURAN + + + + + TORNADO (PICK-UP; MEXICO) + + + + + TERRAIN + + + + + TROOPER + + + + + TOURIST + + + + + TTRS + + + + + TOURING SEDAN + + + + + TRAVERSE + + + + + TRAVELLER + + + + + TRACKS AND WHEELS + + + + + TRAX + + + + + TERRAZA + + + + + MODEL S + + + + + TRANS SPORT/TRANSPORT + + + + + TRANSPORTER VAN + + + + + TSX + + + + + 2000 TT-COUPE & ROADSTER + + + + + TITAN + + + + + TTS + + + + + TUNDRA + + + + + TURISMO + + + + + TURNPIKE CRUISER + + + + + TUSCAN + + + + + TRAVELALL + + + + + MODEL X + + + + + TYPHOON + + + + + U100 (JOINT VENTURE W/DAEWOO) + + + + + U100 (JOINT VENTURE W/CHEVROLET) + + + + + ULYSSES + + + + + UNO + + + + + UPLANDER (CROSSOVER SPORT VAN) + + + + + URRACO + + + + + VOGUE + + + + + VOLARE + + + + + VOLGA + + + + + VOYAGER + + + + + V10 + + + + + FORCE 1 V10 + + + + + V12 + + + + + RAM 1500 (VAN) + + + + + V1500 + + + + + V20 + + + + + V2500 + + + + + RAM 2500 (VAN) + + + + + V30 + + + + + RAM 3500 (VAN) + + + + + V3500 + + + + + V40 + + + + + V50 (SPORT WAGON) + + + + + V60, V60CC, V60 POLESTAR + + + + + V70 + + + + + V-8 + + + + + V90 + + + + + VAL3 + + + + + VALIANT + + + + + VANDEN PLAS + + + + + VANDURA + + + + + VANTAGE + + + + + VARIANT + + + + + VEHICROSS + + + + + VECTRA + + + + + VERACRUZ + + + + + VECTOR + + + + + VEDETTE + + + + + VEGA + + + + + VELOX + + + + + VELOSTER + + + + + VEMAG + + + + + VENTURE (MINIVAN) + + + + + VENTURA + + + + + VENDOME + + + + + VERSAILLES + + + + + VERANO + + + + + VANAGON + + + + + VILLAGER & NAUTICA VILLAGER MINIVAN + + + + + VIBE (SPORT WAGON) + + + + + VICTORIA + + + + + VICTOR + + + + + VIGOR + + + + + VILLAGER + + + + + VIPER + + + + + VIP + + + + + SALOON & SALOON VIRAGE + + + + + VISTA CRUISER + + + + + VISION + + + + + VITESSE + + + + + VITARA + + + + + VIVA + + + + + VIXEN + + + + + VOLT + + + + + VANQUISH, VANQUISH S + + + + + VENZA + + + + + VERONA + + + + + VERSA + + + + + VUE + + + + + VEYRON + + + + + WAGONEER + + + + + WAGONAIRE + + + + + WASP + + + + + WAVE + + + + + WAVERLY-ELECTRIC + + + + + WAYFARER + + + + + WESTMINSTER + + + + + WHEELS ONLY + + + + + WHIP + + + + + WILDCAT + + + + + WINDSTAR + + + + + WINDSOR + + + + + WRAITH + + + + + WRANGLER + + + + + WRX/STI + + + + + X1 + + + + + X19 + + + + + X3 + + + + + X4 + + + + + X5, X5M + + + + + X6 + + + + + X-90 (SPORT UTILITY) + + + + + XA + + + + + XB + + + + + XEBRA, XEBRA XERO + + + + + XC60 + + + + + XC70 + + + + + XC90 + + + + + XD + + + + + XE + + + + + XF + + + + + XFD + + + + + XG (300 & 350) + + + + + XG-2, XG-4, XG-6, XGT + + + + + XJ + + + + + XJ40 + + + + + XJ6 + + + + + XJ8 + + + + + XJC + + + + + XJL + + + + + XJR + + + + + XJS + + + + + XK SERIES + + + + + XK8 + + + + + XK-E SERIES + + + + + XKR, XKR-S + + + + + XL + + + + + XL-7 OR XL-7 GRAND VITARA + + + + + XLR + + + + + EXPLORER + + + + + XR4TI + + + + + XRT + + + + + XS500 + + + + + EXPLORER SPORT TRAC + + + + + XT5 + + + + + XT6 + + + + + XT COUPE + + + + + X-TRAIL + + + + + X-TERRA + + + + + XTS + + + + + X-TYPE + + + + + XV2 + + + + + XV4 + + + + + YARISM YARIS IA + + + + + YUGO (SERIES) + + + + + YUKON + + + + + ZODIAC + + + + + ZONDA + + + + + Z3 + + + + + Z4 + + + + + Z8 + + + + + ZAGATO + + + + + ZDX + + + + + ZENN (ZERO EMISSION, NO NOISE) + + + + + ZEPHYR + + + + + ZX2 + + + + + ZX40,ZX40S + + + + + + + A data type for 2.2: Vehicle Make/Brand (VMA) and Model (VMO) for Automobiles, Light-Duty Vans, Light-Duty Trucks, and Parts + + + + + + + + + + A data type for 4 - Vehicle Style (VST) Field Codes + + + + + OPEN BODY + + + + + SINGLE-ENGINE, JET + + + + + SINGLE-ENGINE, PROPELLER + + + + + 2 DOOR SEDAN + + + + + TWIN-ENGINE, JET + + + + + TWIN-ENGINE, PROPELLER + + + + + 3-DOOR SOME TRUCK MAKES WILL HAVE TWO DOORS ON THE DRIVERS SIDE AND ONE ON THE PASSENGER SIDE. OTHER MAKES WILL HAVE ONE DOOR ON THE PASSENGER SIDE + + + + + TRI-ENGINE, JET + + + + + TRI-ENGINE, PROPELLER + + + + + 4 DOOR SEDAN; TRUCK/PICK-UP 4 DOOR + + + + + AUTO CARRIER + + + + + ASPHALT DISTRIBUTOR + + + + + AERIAL PLATFORM + + + + + AIR COMPRESSOR SHOULD BE ENTERED AS AS A PART IF NOT PERMANENTLY MOUNTED + + + + + AMBULANCE + + + + + ARMORED TRUCK + + + + + BULK AGRICULTURE BULK TRANSPORT OF RAW VEGETABLES.MAY HAVE LIVE FLOOR,BELT OR TIPHEAD + + + + + BRUSH CHIPPER + + + + + BULLDOZER + + + + + BUGGY,CONCRETE ALSO KNOWN AS POWER CARTT. + + + + + BACKHOE + + + + + BACKHOE/LOADER + + + + + BLIMP + + + + + BEVERAGE TRUCK + + + + + BOAT + + + + + BUS + + + + + BI0-HAZZARD VEHICLE; (DEC0NTAMINATI0N ETC.) FIRST RESP0NDER VEHICLES + + + + + COMBINE ALSO KNOWN AS GRAIN HARVESTERR + + + + + CHASSIS AND CAB + + + + + UNPUBLISHED STYLE OF CONSTRUCTION EQUIPMENT EXPLAIN STYLE IN THE MIS FIELD + + + + + CONVERTER GEAR + + + + + CORN PICKER + + + + + COTTON PICKER + + + + + CONCRETE MIXER + + + + + CRANE + + + + + C0NSTRUCTI0N SIGNAL; WARNING MESSAGE LIGHTS, AND MESSAGE B0ARDUSUALLY SEEN AT 0R AR0UND R0ADWAY C0NSTRUCTI0N SITES + + + + + CAMPING ALSO KNOWN AS CAMPER OR TRAVEL TRAILER + + + + + CONVERTIBLE + + + + + COTTON STRIPPER + + + + + DETASSELING EQUIPMENT + + + + + POTATO DIGGER + + + + + DRONE + + + + + DUMP + + + + + DRILL, ROCK ALSO KNOWN AS DRIFTER DRILL + + + + + TRACTOR TRUCK, DIESEL + + + + + DUMP TRAILER; TRAILER BED THAT TILTS 0R RISES T0 RELEASE 0R REMOVE ITS CARGO + + + + + AUXILIARY DOLLY + + + + + ENCLOSED BODY, REMOVABLE ENCLOSURE + + + + + ENCLOSED BODY, NON REMOVEABLE ENCLOSURE + + + + + EXCAVATOR ALSO KNOWN AS DIGGERR. + + + + + FLATBED OR PLATFORM + + + + + FLOTATION CHASSIS ALSO KNOWN AS IMPLEMENT CARRIER + + + + + FIELD CHOPPER ALSO KNOWN AS SILEAGE CUTTER + + + + + FORK LIFT ALSO KNOWN AS LIFT TRUCKK. + + + + + FLATRACK + + + + + FERTILIZER SPREADER ENTER AS PART IF NOT PERMANENTLY MOUNTED + + + + + FIRE TRUCK + + + + + WAGON ALSO KNOWN AS GONDOLA, CART OR CONTAINER + + + + + GRADER + + + + + GENERATOR ENTER AS PART IF NOT PERMANENTLY MOUNTED + + + + + GARBAGE OR REFUSE + + + + + GRAIN + + + + + GLASS RACK + + + + + HOPPER + + + + + HOT AIR BALLON + + + + + HYDRAULIC DUMP + + + + + HORSE + + + + + HAY BALE LOADER + + + + + HAMMER + + + + + HELICOPTER + + + + + HEARSE + + + + + HOUSE MOBILE HOME + + + + + HARVESTER + + + + + HAY BALER + + + + + LOWBOY OR LOWBED + + + + + LOADER + + + + + LIFT BOOM (PERSONNEL)ALSO KNOWN AS AN ORCHARD OR CHERRYPICKER. + + + + + LOG USE TO TRANSPORT LOGS, POLES, OR PIPE. MAY BE SELF LOADINGOR MAY HAVE A GRAPPLING ARM OR JAMMER + + + + + LOG SKIDDER ALSO KNOWN AS GRAPPLER SKIDDER + + + + + CARRY-ALL RUGGED TRAILE AND PLEASURE VEH'S (E.G., BLAZAER, BRONCO, JEEP, ETC) + + + + + LIMOUSINE + + + + + POLE ALSO KNOWN AS LOGGING TRAILER USED TO TRANSPORT LOGS AND POLES + + + + + LIVESTOCK RACK + + + + + LIGHT TOWER; TYPICALLY USED AROUND OR NEAR CONSTRUCTION SITES AND POWERED BY A GENERATOR + + + + + LAW ENF0RCEMENT VEHICLE (P0LICE,SHERIFF,ETC.) FIRST RESP0NDER VEHICLE + + + + + LUNCH WAGON + + + + + MOWER, RIDING OR GARDEN TRACTOR + + + + + MOTORBIKE + + + + + MOTORCYCLE + + + + + MOPED + + + + + UNPUBLISHED STYLE OF FARM EQUIPMENT + + + + + MOTORIZED HOME + + + + + MULTI-ENGINE, JET + + + + + MINIBIKE + + + + + MULTI-ENGINE, PROPELLER + + + + + MOWER-CONDITIONER FOR GRASS OR HAY + + + + + MOTORSCOOTER + + + + + MOTORCYCLE TRAILER + + + + + MULTI-WHEELED VEHICLE MANUFACTURED FOR OFF-ROAD USEBUT LICENSED AS STREET LEGAL, EG. 3 WHEEL MOTORCYCLE + + + + + MINICYCLE + + + + + PICKUP + + + + + PALLET + + + + + PICKUP WITH MOUNTED CAMPER ENTER AS A PART OR ADD-ON PART + + + + + PRIME MOVER ALSO KNOWN AS ROAD PACKERR. + + + + + PASSENGER OR PEOPLE TRAM/CARRIER (USUALLY USED TO MOVE GROUPS OF PEOPLE OR PATRONS) AS IN AMUSEMENT PARK PARKING LOTS + + + + + PAVER ALSO KNOWN AS FINISHER OR ROAD SURFACER + + + + + ROLLER ALSO KNOWN AS COMPACTOR + + + + + REFRIGERATED VAN ALSO KNOWN AS REEFER + + + + + SNOWBLOWER + + + + + SAILPLANE + + + + + SMOKER, BAR-B-Q, ROTISSERIE, ETC TYP COOKING DEVICE. OFTEN USED FOR COOKING OUTDOORS, USUALLY IN TRAILER FORM USED FOR LARGE GATHERINGS OR COMMERCIAL USE. CATERING ETC. + + + + + SCRAPER + + + + + SEDAN USE THIS CODE ONLY IF THE NUMBER OF DOORS IS UNKNOWN + + + + + SEMI USE ONLY WHEN THE SPECIFIC BODY STYLE OF THE SEMI-TRAILERIS UNKNOWN + + + + + STUMP GRINDER; PRIMARILY USED T0 REM0VE REMAINDER 0F TREES 0R EXTREMELY HEAVY ROOTED SHRUBBERY OR BRUSH + + + + + SHOVEL ALSO KNOWN AS A POWER OR STEAMSHOVEL + + + + + STRIPER + + + + + SNOWMOBILE + + + + + SEARCH & RESCUE VEHICLE; FIRST RESP0NDER VEHICLES + + + + + SWEEPER ALSO KNOWN AS POWER BROOM USED TO CLEAN STREETS AND PARKING LOTS + + + + + STAKE OR RACK + + + + + STATION WAGON + + + + + SPRAYER + + + + + SAW USED IN CUTTING ASPHALT,CONCRETE OR MASONRY + + + + + TREE HARVESTER ALSO KNOWN AS A FELLER-BUNCHER + + + + + TRACTOR, TRACK TYPE + + + + + AUTO TOW DOLLY TWO=WHEELED TOWING EQUIPMENT + + + + + TENT TRAILER + + + + + TRACTOR, WHEEL TYPE + + + + + TRENCHER ALSO KNOWN AS A DITCHER + + + + + TANKER + + + + + TRACTOR TRUCK, GASOLINE + + + + + TOW TRUCK/WRECKER + + + + + ULTRALIGHT (INCLUDING HANG GLIDERS) + + + + + UTILITY + + + + + UTILITY VEHICLE; USUALLY USED FOR FARM & GARDEN, OUTDOOR RECREATION OR INDUSTRIAL USE. CONTAINS A FLAT OR CONVERTABLE BED. SOME MODELS CONTAIN A DUMPING OR TILTING MECHANISM + + + + + VACUUM CLEANER HEAVY-DUTY RIDE-ON TYPE ENTER AS PART IF NOT PERMANENTLY MOUNTED + + + + + VAN CAMPER + + + + + VAN INCLUDES OPEN OR CLOSED TOP BOX TRAILERS + + + + + VANETTE + + + + + WELL DRILLER + + + + + WELDER + + + + + WINDROWER + + + + + WOOD SPLITTER + + + + + + + A data type for 4 - Vehicle Style (VST) Field Codes + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd new file mode 100644 index 000000000..73b5d1b43 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd @@ -0,0 +1,32 @@ + + + + + + + + Message to record receipt for filing. + + + + + + + + + + + + + + + + Message to record receipt for filing. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-72279195b089f802.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-72279195b089f802.xsd new file mode 100644 index 000000000..0e660ac12 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-72279195b089f802.xsd @@ -0,0 +1,41993 @@ + + + Source: International Standards Organization (ISO); +Publication: Codes for the representation of names of languages -- Part 3: Alpha-3 code for comprehensive coverage of languages; +Version: ISO 639-3:2007; +Date: 2007; +Source Updates: 5 Feb 2007; +http://www.sil.org/iso639-3/ + + + + + A data type for language codes. + + + + + Ghotuo + + + + + Alumu-Tesu + + + + + Ari + + + + + Amal + + + + + Arbëreshë Albanian + + + + + Aranadan + + + + + Ambrak + + + + + Abu' Arapesh + + + + + Arifama-Miniafia + + + + + Ankave + + + + + Afade + + + + + Aramanik + + + + + Anambé + + + + + Algerian Saharan Arabic + + + + + Pará Arára + + + + + Eastern Abnaki + + + + + Afar + + + + + Aasáx + + + + + Arvanitika Albanian + + + + + Abau + + + + + Solong + + + + + Mandobo Atas + + + + + Amarasi + + + + + Abé + + + + + Bankon + + + + + Ambala Ayta + + + + + Manide + + + + + Western Abnaki + + + + + Abai Sungai + + + + + Abaga + + + + + Tajiki Arabic + + + + + Abidji + + + + + Aka-Bea + + + + + Abkhazian + + + + + Lampung Nyo + + + + + Abanyom + + + + + Abua + + + + + Abon + + + + + Abellen Ayta + + + + + Abaza + + + + + Abron + + + + + Ambonese Malay + + + + + Ambulas + + + + + Abure + + + + + Baharna Arabic + + + + + Pal + + + + + Inabaknon + + + + + Aneme Wake + + + + + Abui + + + + + Achagua + + + + + Áncá + + + + + Gikyode + + + + + Achinese + + + + + Saint Lucian Creole French + + + + + Acoli + + + + + Aka-Cari + + + + + Aka-Kora + + + + + Akar-Bale + + + + + Mesopotamian Arabic + + + + + Achang + + + + + Eastern Acipa + + + + + Ta'izzi-Adeni Arabic + + + + + Achi + + + + + Acroá + + + + + Achterhoeks + + + + + Achuar-Shiwiar + + + + + Achumawi + + + + + Hijazi Arabic + + + + + Omani Arabic + + + + + Cypriot Arabic + + + + + Acheron + + + + + Adangme + + + + + Adabe + + + + + Dzodinka + + + + + Adele + + + + + Dhofari Arabic + + + + + Andegerebinha + + + + + Adhola + + + + + Adi + + + + + Adioukrou + + + + + Galo + + + + + Adang + + + + + Abu + + + + + Adap + + + + + Adangbe + + + + + Adonara + + + + + Adamorobe Sign Language + + + + + Adnyamathanha + + + + + Aduge + + + + + Amundava + + + + + Amdo Tibetan + + + + + Adyghe + + + + + Adzera + + + + + Areba + + + + + Tunisian Arabic + + + + + Saidi Arabic + + + + + Argentine Sign Language + + + + + Northeast Pashayi + + + + + Haeke + + + + + Ambele + + + + + Arem + + + + + Armenian Sign Language + + + + + Aer + + + + + Eastern Arrernte + + + + + Alsea + + + + + Akeu + + + + + Ambakich + + + + + Amele + + + + + Aeka + + + + + Gulf Arabic + + + + + Andai + + + + + Putukwam + + + + + Afghan Sign Language + + + + + Afrihili + + + + + Akrukay + + + + + Nanubae + + + + + Defaka + + + + + Eloyi + + + + + Tapei + + + + + Afrikaans + + + + + Afro-Seminole Creole + + + + + Afitti + + + + + Awutu + + + + + Obokuitai + + + + + Aguano + + + + + Legbo + + + + + Agatu + + + + + Agarabi + + + + + Angal + + + + + Arguni + + + + + Angor + + + + + Ngelima + + + + + Agariya + + + + + Argobba + + + + + Isarog Agta + + + + + Fembe + + + + + Angaataha + + + + + Agutaynen + + + + + Tainae + + + + + Aghem + + + + + Aguaruna + + + + + Esimbi + + + + + Central Cagayan Agta + + + + + Aguacateco + + + + + Remontado Dumagat + + + + + Kahua + + + + + Aghul + + + + + Southern Alta + + + + + Mt. Iriga Agta + + + + + Ahanta + + + + + Axamb + + + + + Qimant + + + + + Aghu + + + + + Tiagbamrin Aizi + + + + + Akha + + + + + Igo + + + + + Mobumrin Aizi + + + + + Àhàn + + + + + Ahom + + + + + Aproumu Aizi + + + + + Ahirani + + + + + Ashe + + + + + Ahtena + + + + + Arosi + + + + + Ainu (China) + + + + + Ainbai + + + + + Alngith + + + + + Amara + + + + + Agi + + + + + Antigua and Barbuda Creole English + + + + + Ai-Cham + + + + + Assyrian Neo-Aramaic + + + + + Lishanid Noshan + + + + + Ake + + + + + Aimele + + + + + Aimol + + + + + Ainu (Japan) + + + + + Aiton + + + + + Burumakok + + + + + Aimaq + + + + + Airoran + + + + + Nataoran Amis + + + + + Arikem + + + + + Aari + + + + + Aighon + + + + + Ali + + + + + Aja (Sudan) + + + + + Aja (Benin) + + + + + Ajië + + + + + Andajin + + + + + South Levantine Arabic + + + + + Judeo-Tunisian Arabic + + + + + Judeo-Moroccan Arabic + + + + + Ajawa + + + + + Amri Karbi + + + + + Akan + + + + + Batak Angkola + + + + + Mpur + + + + + Ukpet-Ehom + + + + + Akawaio + + + + + Akpa + + + + + Anakalangu + + + + + Angal Heneng + + + + + Aiome + + + + + Aka-Jeru + + + + + Akkadian + + + + + Aklanon + + + + + Aka-Bo + + + + + Akurio + + + + + Siwu + + + + + Ak + + + + + Araki + + + + + Akaselem + + + + + Akolet + + + + + Akum + + + + + Akhvakh + + + + + Akwa + + + + + Aka-Kede + + + + + Aka-Kol + + + + + Alabama + + + + + Alago + + + + + Qawasqar + + + + + Alladian + + + + + Aleut + + + + + Alege + + + + + Alawa + + + + + Amaimon + + + + + Alangan + + + + + Alak + + + + + Allar + + + + + Amblong + + + + + Gheg Albanian + + + + + Larike-Wakasihu + + + + + Alune + + + + + Algonquin + + + + + Alutor + + + + + Tosk Albanian + + + + + Southern Altai + + + + + 'Are'are + + + + + Alaba-K'abeena + + + + + Amol + + + + + Alyawarr + + + + + Alur + + + + + Amanayé + + + + + Ambo + + + + + Amahuaca + + + + + Yanesha' + + + + + Hamer-Banna + + + + + Amurdak + + + + + Amharic + + + + + Amis + + + + + Amdang + + + + + Ambai + + + + + War-Jaintia + + + + + Ama (Papua New Guinea) + + + + + Amanab + + + + + Amo + + + + + Alamblak + + + + + Amahai + + + + + Amarakaeri + + + + + Southern Amami-Oshima + + + + + Amto + + + + + Guerrero Amuzgo + + + + + Ambelau + + + + + Western Neo-Aramaic + + + + + Anmatyerre + + + + + Ami + + + + + Atampaya + + + + + Andaqui + + + + + Andoa + + + + + Ngas + + + + + Ansus + + + + + Xârâcùù + + + + + Animere + + + + + Old English (ca. 450-1100) + + + + + Nend + + + + + Andi + + + + + Anor + + + + + Goemai + + + + + Anu-Hkongso Chin + + + + + Anal + + + + + Obolo + + + + + Andoque + + + + + Angika + + + + + Jarawa (India) + + + + + Andh + + + + + Anserma + + + + + Antakarinya + + + + + Anuak + + + + + Denya + + + + + Anaang + + + + + Andra-Hus + + + + + Anyin + + + + + Anem + + + + + Angolar + + + + + Abom + + + + + Pemon + + + + + Andarum + + + + + Angal Enen + + + + + Bragat + + + + + Angoram + + + + + Arma + + + + + Anindilyakwa + + + + + Mufian + + + + + Arhö + + + + + Alor + + + + + Ömie + + + + + Bumbita Arapesh + + + + + Aore + + + + + Taikat + + + + + A'tong + + + + + A'ou + + + + + Atorada + + + + + Uab Meto + + + + + Sa'a + + + + + North Levantine Arabic + + + + + Sudanese Arabic + + + + + Bukiyip + + + + + Pahanan Agta + + + + + Ampanang + + + + + Athpariya + + + + + Apiaká + + + + + Jicarilla Apache + + + + + Kiowa Apache + + + + + Lipan Apache + + + + + Mescalero-Chiricahua Apache + + + + + Apinayé + + + + + Ambul + + + + + Apma + + + + + A-Pucikwar + + + + + Arop-Lokep + + + + + Arop-Sissano + + + + + Apatani + + + + + Apurinã + + + + + Alapmunte + + + + + Western Apache + + + + + Aputai + + + + + Apalaí + + + + + Safeyoka + + + + + Archi + + + + + Ampari Dogon + + + + + Arigidi + + + + + Atohwaim + + + + + Northern Alta + + + + + Atakapa + + + + + Arhâ + + + + + Akuntsu + + + + + Arabic + + + + + Standard Arabic + + + + + Official Aramaic (700-300 BCE) + + + + + Arabana + + + + + Western Arrarnta + + + + + Aragonese + + + + + Arhuaco + + + + + Arikara + + + + + Arapaso + + + + + Arikapú + + + + + Arabela + + + + + Mapudungun + + + + + Araona + + + + + Arapaho + + + + + Algerian Arabic + + + + + Karo (Brazil) + + + + + Najdi Arabic + + + + + Aruá (Amazonas State) + + + + + Arbore + + + + + Arawak + + + + + Aruá (Rodonia State) + + + + + Moroccan Arabic + + + + + Egyptian Arabic + + + + + Asu (Tanzania) + + + + + Assiniboine + + + + + Casuarina Coast Asmat + + + + + Asas + + + + + American Sign Language + + + + + Australian Sign Language + + + + + Cishingini + + + + + Abishira + + + + + Buruwai + + + + + Sari + + + + + Ashkun + + + + + Asilulu + + + + + Assamese + + + + + Xingú Asuriní + + + + + Dano + + + + + Algerian Sign Language + + + + + Austrian Sign Language + + + + + Asuri + + + + + Ipulo + + + + + Asturian + + + + + Tocantins Asurini + + + + + Asoa + + + + + Australian Aborigines Sign Language + + + + + Muratayak + + + + + Yaosakor Asmat + + + + + As + + + + + Pele-Ata + + + + + Zaiwa + + + + + Atsahuaca + + + + + Ata Manobo + + + + + Atemble + + + + + Ivbie North-Okpela-Arhe + + + + + Attié + + + + + Atikamekw + + + + + Ati + + + + + Mt. Iraya Agta + + + + + Ata + + + + + Ashtiani + + + + + Atong + + + + + Pudtol Atta + + + + + Aralle-Tabulahan + + + + + Waimiri-Atroari + + + + + Gros Ventre + + + + + Pamplona Atta + + + + + Reel + + + + + Northern Altai + + + + + Atsugewi + + + + + Arutani + + + + + Aneityum + + + + + Arta + + + + + Asumboa + + + + + Alugu + + + + + Waorani + + + + + Anuta + + + + + =/Kx'au//'ein + + + + + Aguna + + + + + Aushi + + + + + Anuki + + + + + Awjilah + + + + + Heyo + + + + + Aulua + + + + + Asu (Nigeria) + + + + + Molmo One + + + + + Auyokawa + + + + + Makayam + + + + + Anus + + + + + Aruek + + + + + Austral + + + + + Auye + + + + + Awyi + + + + + Aurá + + + + + Awiyaana + + + + + Uzbeki Arabic + + + + + Avaric + + + + + Avau + + + + + Alviri-Vidari + + + + + Avestan + + + + + Avikam + + + + + Kotava + + + + + Eastern Egyptian Bedawi Arabic + + + + + Angkamuthi + + + + + Avatime + + + + + Agavotaguerra + + + + + Aushiri + + + + + Au + + + + + Avokaya + + + + + Avá-Canoeiro + + + + + Awadhi + + + + + Awa (Papua New Guinea) + + + + + Cicipu + + + + + Awetí + + + + + Anguthimri + + + + + Awbono + + + + + Aekyom + + + + + Awabakal + + + + + Arawum + + + + + Awngi + + + + + Awak + + + + + Awera + + + + + South Awyu + + + + + Araweté + + + + + Central Awyu + + + + + Jair Awyu + + + + + Awun + + + + + Awara + + + + + Edera Awyu + + + + + Abipon + + + + + Ayerrerenge + + + + + Mato Grosso Arára + + + + + Yaka (Central African Republic) + + + + + Lower Southern Aranda + + + + + Middle Armenian + + + + + Xârâgurè + + + + + Awar + + + + + Ayizo Gbe + + + + + Southern Aymara + + + + + Ayabadhu + + + + + Ayere + + + + + Ginyanga + + + + + Hadrami Arabic + + + + + Leyigha + + + + + Akuku + + + + + Libyan Arabic + + + + + Aymara + + + + + Sanaani Arabic + + + + + Ayoreo + + + + + North Mesopotamian Arabic + + + + + Ayi (Papua New Guinea) + + + + + Central Aymara + + + + + Sorsogon Ayta + + + + + Magbukun Ayta + + + + + Ayu + + + + + Tayabas Ayta + + + + + Mai Brat + + + + + Azha + + + + + South Azerbaijani + + + + + Eastern Durango Nahuatl + + + + + Azerbaijani + + + + + San Pedro Amuzgos Amuzgo + + + + + North Azerbaijani + + + + + Ipalapa Amuzgo + + + + + Western Durango Nahuatl + + + + + Awing + + + + + Faire Atta + + + + + Highland Puebla Nahuatl + + + + + Babatana + + + + + Bainouk-Gunyuño + + + + + Badui + + + + + Baré + + + + + Nubaca + + + + + Tuki + + + + + Bahamas Creole English + + + + + Barakai + + + + + Bashkir + + + + + Baluchi + + + + + Bambara + + + + + Balinese + + + + + Waimaha + + + + + Bantawa + + + + + Bavarian + + + + + Basa (Cameroon) + + + + + Bada (Nigeria) + + + + + Vengo + + + + + Bambili-Bambui + + + + + Bamun + + + + + Batuley + + + + + Baatonum + + + + + Barai + + + + + Batak Toba + + + + + Bau + + + + + Bangba + + + + + Baibai + + + + + Barama + + + + + Bugan + + + + + Barombi + + + + + Ghomálá' + + + + + Babanki + + + + + Bats + + + + + Babango + + + + + Uneapa + + + + + Northern Bobo Madaré + + + + + West Central Banda + + + + + Bamali + + + + + Girawa + + + + + Bakpinka + + + + + Mburku + + + + + Kulung (Nigeria) + + + + + Karnai + + + + + Baba + + + + + Bubia + + + + + Befang + + + + + Babalia Creole Arabic + + + + + Central Bai + + + + + Bainouk-Samik + + + + + Southern Balochi + + + + + North Babar + + + + + Bamenyam + + + + + Bamu + + + + + Baga Binari + + + + + Bariai + + + + + Baoulé + + + + + Bardi + + + + + Bunaba + + + + + Central Bikol + + + + + Bannoni + + + + + Bali (Nigeria) + + + + + Kaluli + + + + + Bali (Democratic Republic of Congo) + + + + + Bench + + + + + Babine + + + + + Kohumono + + + + + Bendi + + + + + Awad Bing + + + + + Shoo-Minda-Nye + + + + + Bana + + + + + Bacama + + + + + Bainouk-Gunyaamolo + + + + + Bayot + + + + + Basap + + + + + Emberá-Baudó + + + + + Bunama + + + + + Bade + + + + + Biage + + + + + Bonggi + + + + + Baka (Sudan) + + + + + Burun + + + + + Bai + + + + + Budukh + + + + + Indonesian Bajau + + + + + Buduma + + + + + Baldemu + + + + + Morom + + + + + Bende + + + + + Bahnar + + + + + West Coast Bajau + + + + + Burunge + + + + + Bokoto + + + + + Oroko + + + + + Bodo Parja + + + + + Baham + + + + + Budong-Budong + + + + + Bandjalang + + + + + Badeshi + + + + + Beaver + + + + + Bebele + + + + + Iceve-Maci + + + + + Bedoanas + + + + + Byangsi + + + + + Benabena + + + + + Belait + + + + + Biali + + + + + Bekati' + + + + + Beja + + + + + Bebeli + + + + + Belarusian + + + + + Bemba (Zambia) + + + + + Bengali + + + + + Beami + + + + + Besoa + + + + + Beembe + + + + + Besme + + + + + Guiberoua Béte + + + + + Blagar + + + + + Daloa Bété + + + + + Betawi + + + + + Jur Modo + + + + + Beli (Papua New Guinea) + + + + + Bena (Tanzania) + + + + + Bari + + + + + Pauri Bareli + + + + + Northern Bai + + + + + Bafut + + + + + Betaf + + + + + Bofi + + + + + Busang Kayan + + + + + Blafe + + + + + British Sign Language + + + + + Bafanji + + + + + Ban Khor Sign Language + + + + + Banda-Ndélé + + + + + Mmen + + + + + Bunak + + + + + Malba Birifor + + + + + Beba + + + + + Badaga + + + + + Bazigar + + + + + Southern Bai + + + + + Balti + + + + + Gahri + + + + + Bondo + + + + + Bantayanon + + + + + Bagheli + + + + + Mahasu Pahari + + + + + Gwamhi-Wuri + + + + + Bobongko + + + + + Haryanvi + + + + + Rathwi Bareli + + + + + Bauria + + + + + Bangandu + + + + + Bugun + + + + + Giangan + + + + + Bangolan + + + + + Bit + + + + + Bo (Laos) + + + + + Baga Mboteni + + + + + Western Balochi + + + + + Baga Koga + + + + + Eastern Balochi + + + + + Bagri + + + + + Bawm Chin + + + + + Tagabawa + + + + + Bughotu + + + + + Mbongno + + + + + Warkay-Bipim + + + + + Bhatri + + + + + Balkan Gagauz Turkish + + + + + Benggoi + + + + + Banggai + + + + + Bharia + + + + + Bhili + + + + + Biga + + + + + Bhadrawahi + + + + + Bhaya + + + + + Odiai + + + + + Binandere + + + + + Bukharic + + + + + Bhilali + + + + + Bahing + + + + + Bimin + + + + + Bathari + + + + + Bohtan Neo-Aramaic + + + + + Bhojpuri + + + + + Bima + + + + + Tukang Besi South + + + + + Bara Malagasy + + + + + Buwal + + + + + Bhattiyali + + + + + Bhunjia + + + + + Bahau + + + + + Biak + + + + + Bhalay + + + + + Bhele + + + + + Bada (Indonesia) + + + + + Badimaya + + + + + Bissa + + + + + Bikaru + + + + + Bidiyo + + + + + Bepour + + + + + Biafada + + + + + Biangai + + + + + Vaghat-Ya-Bijim-Legeri + + + + + Bikol + + + + + Bile + + + + + Bimoba + + + + + Bini + + + + + Nai + + + + + Bila + + + + + Bipi + + + + + Bisorio + + + + + Bislama + + + + + Berinomo + + + + + Biete + + + + + Southern Birifor + + + + + Kol (Cameroon) + + + + + Bijori + + + + + Birhor + + + + + Baloi + + + + + Budza + + + + + Banggarla + + + + + Bariji + + + + + Biao-Jiao Mien + + + + + Barzani Jewish Neo-Aramaic + + + + + Bidyogo + + + + + Bahinemo + + + + + Burji + + + + + Kanauji + + + + + Barok + + + + + Bulu (Papua New Guinea) + + + + + Bajelani + + + + + Banjar + + + + + Mid-Southern Banda + + + + + Fanamaket + + + + + Binumarien + + + + + Bajan + + + + + Balanta-Ganja + + + + + Busuu + + + + + Bedjond + + + + + Bakwé + + + + + Banao Itneg + + + + + Bayali + + + + + Baruga + + + + + Kyak + + + + + Baka (Cameroon) + + + + + Binukid + + + + + Beeke + + + + + Buraka + + + + + Bakoko + + + + + Baki + + + + + Pande + + + + + Brokskat + + + + + Berik + + + + + Kom (Cameroon) + + + + + Bukitan + + + + + Kwa' + + + + + Boko (Democratic Republic of Congo) + + + + + Bakairí + + + + + Bakumpai + + + + + Northern Sorsoganon + + + + + Boloki + + + + + Buhid + + + + + Bekwarra + + + + + Bekwel + + + + + Baikeno + + + + + Bokyi + + + + + Bungku + + + + + Siksika + + + + + Bilua + + + + + Bella Coola + + + + + Bolango + + + + + Balanta-Kentohe + + + + + Buol + + + + + Balau + + + + + Kuwaa + + + + + Bolia + + + + + Bolongan + + + + + Pa'o Karen + + + + + Biloxi + + + + + Beli (Sudan) + + + + + Southern Catanduanes Bikol + + + + + Anii + + + + + Blablanga + + + + + Baluan-Pam + + + + + Blang + + + + + Balaesang + + + + + Tai Dam + + + + + Bolo + + + + + Balangao + + + + + Mag-Indi Ayta + + + + + Notre + + + + + Balantak + + + + + Lame + + + + + Bembe + + + + + Biem + + + + + Baga Manduri + + + + + Limassa + + + + + Bom + + + + + Bamwe + + + + + Kein + + + + + Bagirmi + + + + + Bote-Majhi + + + + + Ghayavi + + + + + Bomboli + + + + + Northern Betsimisaraka Malagasy + + + + + Bina (Papua New Guinea) + + + + + Bambalang + + + + + Bulgebi + + + + + Bomu + + + + + Muinane + + + + + Bilma Kanuri + + + + + Biao Mon + + + + + Somba-Siawari + + + + + Bum + + + + + Bomwali + + + + + Baimak + + + + + Bemba (Democratic Republic of Congo) + + + + + Baramu + + + + + Bonerate + + + + + Bookan + + + + + Bontok + + + + + Banda (Indonesia) + + + + + Bintauna + + + + + Masiwang + + + + + Benga + + + + + Bangi + + + + + Eastern Tawbuid + + + + + Bierebo + + + + + Boon + + + + + Batanga + + + + + Bunun + + + + + Bantoanon + + + + + Bola + + + + + Bantik + + + + + Butmas-Tur + + + + + Bundeli + + + + + Bentong + + + + + Bonerif + + + + + Bisis + + + + + Bangubangu + + + + + Bintulu + + + + + Beezen + + + + + Bora + + + + + Aweer + + + + + Tibetan + + + + + Mundabli + + + + + Bolon + + + + + Bamako Sign Language + + + + + Boma + + + + + Barbareño + + + + + Anjam + + + + + Bonjo + + + + + Bole + + + + + Berom + + + + + Bine + + + + + Tiemacèwè Bozo + + + + + Bonkiman + + + + + Bogaya + + + + + Borôro + + + + + Bosnian + + + + + Bongo + + + + + Bondei + + + + + Tuwuli + + + + + Rema + + + + + Buamu + + + + + Bodo (Central African Republic) + + + + + Tiéyaxo Bozo + + + + + Daakaka + + + + + Barbacoas + + + + + Banda-Banda + + + + + Bonggo + + + + + Botlikh + + + + + Bagupi + + + + + Binji + + + + + Orowe + + + + + Broome Pearling Lugger Pidgin + + + + + Biyom + + + + + Dzao Min + + + + + Anasi + + + + + Kaure + + + + + Banda Malay + + + + + Koronadal Blaan + + + + + Sarangani Blaan + + + + + Barrow Point + + + + + Bongu + + + + + Bian Marind + + + + + Bo (Papua New Guinea) + + + + + Palya Bareli + + + + + Bishnupriya + + + + + Bilba + + + + + Tchumbuli + + + + + Bagusa + + + + + Boko (Benin) + + + + + Bung + + + + + Baga Kaloum + + + + + Bago-Kusuntu + + + + + Baima + + + + + Bakhtiari + + + + + Bandial + + + + + Banda-Mbrès + + + + + Bilakura + + + + + Wumboko + + + + + Bulgarian Sign Language + + + + + Balo + + + + + Busa + + + + + Biritai + + + + + Burusu + + + + + Bosngun + + + + + Bamukumbit + + + + + Boguru + + + + + Koro Wachi + + + + + Buru (Nigeria) + + + + + Baangi + + + + + Bengkala Sign Language + + + + + Bakaka + + + + + Braj + + + + + Lave + + + + + Berbice Creole Dutch + + + + + Baraamu + + + + + Breton + + + + + Bera + + + + + Baure + + + + + Brahui + + + + + Mokpwe + + + + + Bieria + + + + + Birked + + + + + Birwa + + + + + Barambu + + + + + Boruca + + + + + Brokkat + + + + + Barapasi + + + + + Breri + + + + + Birao + + + + + Baras + + + + + Bitare + + + + + Eastern Bru + + + + + Western Bru + + + + + Bellari + + + + + Bodo (India) + + + + + Burui + + + + + Bilbil + + + + + Abinomn + + + + + Brunei Bisaya + + + + + Bassari + + + + + Wushi + + + + + Bauchi + + + + + Bashkardi + + + + + Kati + + + + + Bassossi + + + + + Bangwinji + + + + + Burushaski + + + + + Basa-Gumna + + + + + Busami + + + + + Barasana-Eduria + + + + + Buso + + + + + Baga Sitemu + + + + + Bassa + + + + + Bassa-Kontagora + + + + + Akoose + + + + + Basketo + + + + + Bahonsuai + + + + + Baga Sobané + + + + + Baiso + + + + + Yangkam + + + + + Sabah Bisaya + + + + + Bata + + + + + Bati (Cameroon) + + + + + Batak Dairi + + + + + Gamo-Ningi + + + + + Birgit + + + + + Gagnoa Bété + + + + + Biatah Bidayuh + + + + + Burate + + + + + Bacanese Malay + + + + + Bhatola + + + + + Batak Mandailing + + + + + Ratagnon + + + + + Rinconada Bikol + + + + + Budibud + + + + + Batek + + + + + Baetora + + + + + Batak Simalungun + + + + + Bete-Bendi + + + + + Batu + + + + + Bateri + + + + + Butuanon + + + + + Batak Karo + + + + + Bobot + + + + + Batak Alas-Kluet + + + + + Buriat + + + + + Bua + + + + + Bushi + + + + + Ntcham + + + + + Beothuk + + + + + Bushoong + + + + + Buginese + + + + + Younuo Bunu + + + + + Bongili + + + + + Basa-Gurmana + + + + + Bugawac + + + + + Bulgarian + + + + + Bulu (Cameroon) + + + + + Sherbro + + + + + Terei + + + + + Busoa + + + + + Brem + + + + + Bokobaru + + + + + Bungain + + + + + Budu + + + + + Bun + + + + + Bubi + + + + + Boghom + + + + + Bullom So + + + + + Bukwen + + + + + Barein + + + + + Bube + + + + + Baelelea + + + + + Baeggu + + + + + Berau Malay + + + + + Boor + + + + + Bonkeng + + + + + Bure + + + + + Belanda Viri + + + + + Baan + + + + + Bukat + + + + + Bolivian Sign Language + + + + + Bamunka + + + + + Buna + + + + + Bolgo + + + + + Bumang + + + + + Birri + + + + + Burarra + + + + + Bati (Indonesia) + + + + + Bukit Malay + + + + + Baniva + + + + + Boga + + + + + Dibole + + + + + Baybayanon + + + + + Bauzi + + + + + Bwatoo + + + + + Namosi-Naitasiri-Serua + + + + + Bwile + + + + + Bwaidoka + + + + + Bwe Karen + + + + + Boselewa + + + + + Barwe + + + + + Bishuo + + + + + Baniwa + + + + + Láá Láá Bwamu + + + + + Bauwaki + + + + + Bwela + + + + + Biwat + + + + + Wunai Bunu + + + + + Boro (Ethiopia) + + + + + Mandobo Bawah + + + + + Southern Bobo Madaré + + + + + Bura-Pabir + + + + + Bomboma + + + + + Bafaw-Balong + + + + + Buli (Ghana) + + + + + Bwa + + + + + Bu-Nao Bunu + + + + + Cwi Bwamu + + + + + Bwisi + + + + + Tairaha + + + + + Belanda Bor + + + + + Molengue + + + + + Pela + + + + + Birale + + + + + Bilur + + + + + Bangala + + + + + Buhutu + + + + + Pirlatapa + + + + + Bayungu + + + + + Bukusu + + + + + Jalkunan + + + + + Mongolia Buriat + + + + + Burduna + + + + + Barikanchi + + + + + Bebil + + + + + Beele + + + + + Russia Buriat + + + + + Busam + + + + + China Buriat + + + + + Berakou + + + + + Bankagooma + + + + + Borna (Democratic Republic of Congo) + + + + + Binahari + + + + + Batak + + + + + Bikya + + + + + Ubaghara + + + + + Benyadu' + + + + + Pouye + + + + + Bete + + + + + Baygo + + + + + Bhujel + + + + + Buyu + + + + + Bina (Nigeria) + + + + + Biao + + + + + Bayono + + + + + Bidyara + + + + + Bilin + + + + + Biyo + + + + + Bumaji + + + + + Basay + + + + + Baruya + + + + + Burak + + + + + Berti + + + + + Medumba + + + + + Belhariya + + + + + Qaqet + + + + + Buya + + + + + Banaro + + + + + Bandi + + + + + Andio + + + + + Southern Betsimisaraka Malagasy + + + + + Bribri + + + + + Jenaama Bozo + + + + + Boikin + + + + + Babuza + + + + + Mapos Buang + + + + + Bisu + + + + + Belize Kriol English + + + + + Nicaragua Creole English + + + + + Boano (Sulawesi) + + + + + Bolondo + + + + + Boano (Maluku) + + + + + Bozaba + + + + + Kemberano + + + + + Buli (Indonesia) + + + + + Biri + + + + + Brazilian Sign Language + + + + + Brithenig + + + + + Burmeso + + + + + Naami + + + + + Basa (Nigeria) + + + + + Kɛlɛngaxo Bozo + + + + + Obanliku + + + + + Evant + + + + + Chortí + + + + + Garifuna + + + + + Chuj + + + + + Caddo + + + + + Lehar + + + + + Southern Carrier + + + + + Nivaclé + + + + + Cahuarano + + + + + Chané + + + + + Kaqchikel + + + + + Carolinian + + + + + Cemuhî + + + + + Chambri + + + + + Chácobo + + + + + Chipaya + + + + + Car Nicobarese + + + + + Galibi Carib + + + + + Tsimané + + + + + Catalan + + + + + Cavineña + + + + + Callawalla + + + + + Chiquitano + + + + + Cayuga + + + + + Canichana + + + + + Cabiyarí + + + + + Carapana + + + + + Carijona + + + + + Chipiajes + + + + + Chimila + + + + + Cagua + + + + + Chachi + + + + + Ede Cabe + + + + + Chavacano + + + + + Bualkhaw Chin + + + + + Nyahkur + + + + + Izora + + + + + Cashibo-Cacataibo + + + + + Cashinahua + + + + + Chayahuita + + + + + Candoshi-Shapra + + + + + Cacua + + + + + Kinabalian + + + + + Carabayo + + + + + Cauca + + + + + Chamicuro + + + + + Cafundo Creole + + + + + Chopi + + + + + Samba Daka + + + + + Atsam + + + + + Kasanga + + + + + Cutchi-Swahili + + + + + Malaccan Creole Malay + + + + + Comaltepec Chinantec + + + + + Chakma + + + + + Cacaopera + + + + + Choni + + + + + Chenchu + + + + + Chiru + + + + + Chamari + + + + + Chambeali + + + + + Chodri + + + + + Churahi + + + + + Chepang + + + + + Chaudangsi + + + + + Min Dong Chinese + + + + + Cinda-Regi-Tiyal + + + + + Chadian Sign Language + + + + + Chadong + + + + + Koda + + + + + Lower Chehalis + + + + + Cebuano + + + + + Chamacoco + + + + + Eastern Khumi Chin + + + + + Cen + + + + + Czech + + + + + Centúúm + + + + + Dijim-Bwilim + + + + + Cara + + + + + Como Karim + + + + + Falam Chin + + + + + Changriwa + + + + + Kagayanen + + + + + Chiga + + + + + Chocangacakha + + + + + Chamorro + + + + + Chibcha + + + + + Catawba + + + + + Highland Oaxaca Chontal + + + + + Chechen + + + + + Tabasco Chontal + + + + + Chagatai + + + + + Chinook + + + + + Ojitlán Chinantec + + + + + Chuukese + + + + + Cahuilla + + + + + Mari (Russia) + + + + + Chinook jargon + + + + + Choctaw + + + + + Chipewyan + + + + + Quiotepec Chinantec + + + + + Cherokee + + + + + Cholón + + + + + Church Slavic + + + + + Chuvash + + + + + Chuwabu + + + + + Chantyal + + + + + Cheyenne + + + + + Ozumacín Chinantec + + + + + Cia-Cia + + + + + Ci Gbe + + + + + Chickasaw + + + + + Chimariko + + + + + Cineni + + + + + Chinali + + + + + Chitkuli Kinnauri + + + + + Cimbrian + + + + + Cinta Larga + + + + + Chiapanec + + + + + Tiri + + + + + Chippewa + + + + + Chaima + + + + + Western Cham + + + + + Chru + + + + + Upper Chehalis + + + + + Chamalal + + + + + Chokwe + + + + + Eastern Cham + + + + + Chenapian + + + + + Ashéninka Pajonal + + + + + Cabécar + + + + + Shor + + + + + Chuave + + + + + Jinyu Chinese + + + + + Central Kurdish + + + + + Chak + + + + + Cibak + + + + + Kaang Chin + + + + + Anufo + + + + + Kajakse + + + + + Kairak + + + + + Tayo + + + + + Chukot + + + + + Koasati + + + + + Kavalan + + + + + Caka + + + + + Cakfem-Mushere + + + + + Cakchiquel-Quiché Mixed Language + + + + + Ron + + + + + Chilcotin + + + + + Chaldean Neo-Aramaic + + + + + Lealao Chinantec + + + + + Chilisso + + + + + Chakali + + + + + Laitu Chin + + + + + Idu-Mishmi + + + + + Chala + + + + + Clallam + + + + + Lowland Oaxaca Chontal + + + + + Lautu Chin + + + + + Caluyanun + + + + + Chulym + + + + + Eastern Highland Chatino + + + + + Maa + + + + + Cerma + + + + + Classical Mongolian + + + + + Emberá-Chamí + + + + + Campalagian + + + + + Michigamea + + + + + Mandarin Chinese + + + + + Central Mnong + + + + + Mro-Khimi Chin + + + + + Messapic + + + + + Camtho + + + + + Changthang + + + + + Chinbon Chin + + + + + Côông + + + + + Northern Qiang + + + + + Haka Chin + + + + + Asháninka + + + + + Khumi Chin + + + + + Lalana Chinantec + + + + + Con + + + + + Central Asmat + + + + + Tepetotutla Chinantec + + + + + Chenoua + + + + + Ngawn Chin + + + + + Middle Cornish + + + + + Cocos Islands Malay + + + + + Chicomuceltec + + + + + Cocopa + + + + + Cocama-Cocamilla + + + + + Koreguaje + + + + + Colorado + + + + + Chong + + + + + Chonyi-Dzihana-Kauma + + + + + Cochimi + + + + + Santa Teresa Cora + + + + + Columbia-Wenatchi + + + + + Comanche + + + + + Cofán + + + + + Comox + + + + + Coptic + + + + + Coquille + + + + + Cornish + + + + + Corsican + + + + + Caquinte + + + + + Wamey + + + + + Cao Miao + + + + + Cowlitz + + + + + Nanti + + + + + Coyaima + + + + + Chochotec + + + + + Palantla Chinantec + + + + + Ucayali-Yurúa Ashéninka + + + + + Ajyíninka Apurucayali + + + + + Cappadocian Greek + + + + + Chinese Pidgin English + + + + + Cherepon + + + + + Kpeego + + + + + Capiznon + + + + + Pichis Ashéninka + + + + + Pu-Xian Chinese + + + + + South Ucayali Ashéninka + + + + + Chuanqiandian Cluster Miao + + + + + Chilean Quechua + + + + + Chara + + + + + Island Carib + + + + + Lonwolwol + + + + + Coeur d'Alene + + + + + Cree + + + + + Caramanta + + + + + Michif + + + + + Crimean Tatar + + + + + Sãotomense + + + + + Southern East Cree + + + + + Plains Cree + + + + + Northern East Cree + + + + + Moose Cree + + + + + El Nayar Cora + + + + + Crow + + + + + Iyo'wujwa Chorote + + + + + Carolina Algonquian + + + + + Seselwa Creole French + + + + + Iyojwa'ja Chorote + + + + + Chaura + + + + + Chrau + + + + + Carrier + + + + + Cori + + + + + Cruzeño + + + + + Chiltepec Chinantec + + + + + Kashubian + + + + + Catalan Sign Language + + + + + Chiangmai Sign Language + + + + + Czech Sign Language + + + + + Cuba Sign Language + + + + + Chilean Sign Language + + + + + Asho Chin + + + + + Coast Miwok + + + + + Songlai Chin + + + + + Jola-Kasa + + + + + Chinese Sign Language + + + + + Central Sierra Miwok + + + + + Colombian Sign Language + + + + + Sochiapam Chinantec + + + + + Croatia Sign Language + + + + + Costa Rican Sign Language + + + + + Southern Ohlone + + + + + Northern Ohlone + + + + + Sumtu Chin + + + + + Swampy Cree + + + + + Siyin Chin + + + + + Coos + + + + + Tataltepec Chatino + + + + + Chetco + + + + + Tedim Chin + + + + + Tepinapa Chinantec + + + + + Chittagonian + + + + + Thaiphum Chin + + + + + Tlacoatzintepec Chinantec + + + + + Chitimacha + + + + + Chhintange + + + + + Emberá-Catío + + + + + Western Highland Chatino + + + + + Northern Catanduanes Bikol + + + + + Wayanad Chetti + + + + + Chol + + + + + Zacatepec Chatino + + + + + Cua + + + + + Cubeo + + + + + Usila Chinantec + + + + + Cung + + + + + Chuka + + + + + Cuiba + + + + + Mashco Piro + + + + + San Blas Kuna + + + + + Culina + + + + + Cumeral + + + + + Cumanagoto + + + + + Cupeño + + + + + Cun + + + + + Chhulung + + + + + Teutila Cuicatec + + + + + Tai Ya + + + + + Cuvok + + + + + Chukwa + + + + + Tepeuxila Cuicatec + + + + + Chug + + + + + Valle Nacional Chinantec + + + + + Kabwa + + + + + Maindo + + + + + Woods Cree + + + + + Kwere + + + + + Chewong + + + + + Kuwaataay + + + + + Nopala Chatino + + + + + Cayubaba + + + + + Welsh + + + + + Cuyonon + + + + + Huizhou Chinese + + + + + Knaanic + + + + + Zenzontepec Chatino + + + + + Min Zhong Chinese + + + + + Zotung Chin + + + + + Dangaléat + + + + + Dambi + + + + + Marik + + + + + Duupa + + + + + Dagbani + + + + + Gwahatike + + + + + Day + + + + + Dar Fur Daju + + + + + Dakota + + + + + Dahalo + + + + + Damakawa + + + + + Danish + + + + + Daai Chin + + + + + Dandami Maria + + + + + Dargwa + + + + + Daho-Doo + + + + + Dar Sila Daju + + + + + Taita + + + + + Davawenyo + + + + + Dayi + + + + + Dao + + + + + Bangime + + + + + Deno + + + + + Dadiya + + + + + Dabe + + + + + Edopi + + + + + Dogul Dom Dogon + + + + + Doka + + + + + Ida'an + + + + + Dyirbal + + + + + Duguri + + + + + Duriankere + + + + + Dulbu + + + + + Duwai + + + + + Daba + + + + + Dabarre + + + + + Ben Tey Dogon + + + + + Bondum Dom Dogon + + + + + Dungu + + + + + Bankan Tey Dogon + + + + + Dibiyaso + + + + + Deccan + + + + + Negerhollands + + + + + Dadi Dadi + + + + + Dongotono + + + + + Doondo + + + + + Fataluku + + + + + West Goodenough + + + + + Jaru + + + + + Dendi (Benin) + + + + + Dido + + + + + Dhudhuroa + + + + + Donno So Dogon + + + + + Dawera-Daweloor + + + + + Dagik + + + + + Dedua + + + + + Dewoin + + + + + Dezfuli + + + + + Degema + + + + + Dehwari + + + + + Demisa + + + + + Dek + + + + + Delaware + + + + + Dem + + + + + Slave (Athapascan) + + + + + Pidgin Delaware + + + + + Dendi (Central African Republic) + + + + + Deori + + + + + Desano + + + + + German + + + + + Domung + + + + + Dengese + + + + + Southern Dagaare + + + + + Bunoge Dogon + + + + + Casiguran Dumagat Agta + + + + + Dagaari Dioula + + + + + Degenan + + + + + Doga + + + + + Dghwede + + + + + Northern Dagara + + + + + Dagba + + + + + Andaandi + + + + + Dagoman + + + + + Dogri (individual language) + + + + + Dogrib + + + + + Dogoso + + + + + Ndrag'ngith + + + + + Degaru + + + + + Daungwurrung + + + + + Doghoro + + + + + Daga + + + + + Dhundari + + + + + Djangu + + + + + Dhimal + + + + + Dhalandji + + + + + Zemba + + + + + Dhanki + + + + + Dhodia + + + + + Dhargari + + + + + Dhaiso + + + + + Dhurga + + + + + Dehu + + + + + Dhanwar (Nepal) + + + + + Dhungaloo + + + + + Dia + + + + + South Central Dinka + + + + + Lakota Dida + + + + + Didinga + + + + + Dieri + + + + + Digo + + + + + Kumiai + + + + + Dimbong + + + + + Dai + + + + + Southwestern Dinka + + + + + Dilling + + + + + Dime + + + + + Dinka + + + + + Dibo + + + + + Northeastern Dinka + + + + + Dimli (individual language) + + + + + Dirim + + + + + Dimasa + + + + + Dirari + + + + + Diriku + + + + + Dhivehi + + + + + Northwestern Dinka + + + + + Dixon Reef + + + + + Diuwe + + + + + Ding + + + + + Djadjawurrung + + + + + Djinba + + + + + Dar Daju Daju + + + + + Djamindjung + + + + + Zarma + + + + + Djangun + + + + + Djinang + + + + + Djeebbana + + + + + Eastern Maroon Creole + + + + + Jamsay Dogon + + + + + Djauan + + + + + Jangkang + + + + + Djambarrpuyngu + + + + + Kapriman + + + + + Djawi + + + + + Dakpakha + + + + + Dakka + + + + + Kuijau + + + + + Southeastern Dinka + + + + + Mazagway + + + + + Dolgan + + + + + Dahalik + + + + + Dalmatian + + + + + Darlong + + + + + Duma + + + + + Mombo Dogon + + + + + Gavak + + + + + Madhi Madhi + + + + + Dugwor + + + + + Upper Kinabatangan + + + + + Domaaki + + + + + Dameli + + + + + Dama + + + + + Kemedzung + + + + + East Damar + + + + + Dampelas + + + + + Dubu + + + + + Dumpas + + + + + Mudburra + + + + + Dema + + + + + Demta + + + + + Upper Grand Valley Dani + + + + + Daonda + + + + + Ndendeule + + + + + Dungan + + + + + Lower Grand Valley Dani + + + + + Dan + + + + + Dengka + + + + + Dzùùngoo + + + + + Danaru + + + + + Mid Grand Valley Dani + + + + + Danau + + + + + Danu + + + + + Western Dani + + + + + Dení + + + + + Dom + + + + + Dobu + + + + + Northern Dong + + + + + Doe + + + + + Domu + + + + + Dong + + + + + Dogri (macrolanguage) + + + + + Dondo + + + + + Doso + + + + + Toura (Papua New Guinea) + + + + + Dongo + + + + + Lukpa + + + + + Dominican Sign Language + + + + + Dori'o + + + + + Dogosé + + + + + Dass + + + + + Dombe + + + + + Doyayo + + + + + Bussa + + + + + Dompo + + + + + Dorze + + + + + Papar + + + + + Dair + + + + + Minderico + + + + + Darmiya + + + + + Dolpo + + + + + Rungus + + + + + C'lela + + + + + Paakantyi + + + + + West Damar + + + + + Daro-Matu Melanau + + + + + Dura + + + + + Dororo + + + + + Gedeo + + + + + Drents + + + + + Rukai + + + + + Darai + + + + + Lower Sorbian + + + + + Dutch Sign Language + + + + + Daasanach + + + + + Disa + + + + + Danish Sign Language + + + + + Dusner + + + + + Desiya + + + + + Tadaksahak + + + + + Daur + + + + + Labuk-Kinabatangan Kadazan + + + + + Ditidaht + + + + + Adithinngithigh + + + + + Ana Tinga Dogon + + + + + Tene Kan Dogon + + + + + Tomo Kan Dogon + + + + + Tommo So Dogon + + + + + Central Dusun + + + + + Lotud + + + + + Toro So Dogon + + + + + Toro Tegu Dogon + + + + + Tebul Ure Dogon + + + + + Dotyali + + + + + Duala + + + + + Dubli + + + + + Duna + + + + + Hun-Saare + + + + + Umiray Dumaget Agta + + + + + Dumbea + + + + + Duruma + + + + + Dungra Bhil + + + + + Dumun + + + + + Dhuwal + + + + + Uyajitaya + + + + + Alabat Island Agta + + + + + Middle Dutch (ca. 1050-1350) + + + + + Dusun Deyah + + + + + Dupaninan Agta + + + + + Duano + + + + + Dusun Malang + + + + + Dii + + + + + Dumi + + + + + Drung + + + + + Duvle + + + + + Dusun Witu + + + + + Duungooma + + + + + Dicamay Agta + + + + + Duli + + + + + Duau + + + + + Diri + + + + + Dawro + + + + + Dutton World Speedwords + + + + + Dawawa + + + + + Dyan + + + + + Dyaberdyaber + + + + + Dyugun + + + + + Villa Viciosa Agta + + + + + Djimini Senoufo + + + + + Yanda Dom Dogon + + + + + Dyangadi + + + + + Jola-Fonyi + + + + + Dyula + + + + + Dyaabugay + + + + + Tunzu + + + + + Daza + + + + + Djiwarli + + + + + Dazaga + + + + + Dzalakha + + + + + Dzando + + + + + Dzongkha + + + + + Karenggapa + + + + + Ebughu + + + + + Eastern Bontok + + + + + Teke-Ebo + + + + + Ebrié + + + + + Embu + + + + + Eteocretan + + + + + Ecuadorian Sign Language + + + + + Eteocypriot + + + + + E + + + + + Efai + + + + + Efe + + + + + Efik + + + + + Ega + + + + + Emilian + + + + + Eggon + + + + + Egyptian (Ancient) + + + + + Ehueun + + + + + Eipomek + + + + + Eitiep + + + + + Askopan + + + + + Ejamat + + + + + Ekajuk + + + + + Eastern Karnic + + + + + Ekit + + + + + Ekari + + + + + Eki + + + + + Standard Estonian + + + + + Kol (Bangladesh) + + + + + Elip + + + + + Koti + + + + + Ekpeye + + + + + Yace + + + + + Eastern Kayah + + + + + Elepi + + + + + El Hugeirat + + + + + Nding + + + + + Elkei + + + + + Modern Greek (1453-) + + + + + Eleme + + + + + El Molo + + + + + Elu + + + + + Elamite + + + + + Emai-Iuleha-Ora + + + + + Embaloh + + + + + Emerillon + + + + + Eastern Meohang + + + + + Mussau-Emira + + + + + Eastern Maninkakan + + + + + Mamulique + + + + + Eman + + + + + Emok + + + + + Northern Emberá + + + + + Pacific Gulf Yupik + + + + + Eastern Muria + + + + + Emplawas + + + + + Erromintxela + + + + + Epigraphic Mayan + + + + + Apali + + + + + Markweeta + + + + + En + + + + + Ende + + + + + Forest Enets + + + + + English + + + + + Tundra Enets + + + + + Middle English (1100-1500) + + + + + Engenni + + + + + Enggano + + + + + Enga + + + + + Emumu + + + + + Enu + + + + + Enwan (Edu State) + + + + + Enwan (Akwa Ibom State) + + + + + Beti (Côte d'Ivoire) + + + + + Epie + + + + + Esperanto + + + + + Eravallan + + + + + Sie + + + + + Eruwa + + + + + Ogea + + + + + South Efate + + + + + Horpa + + + + + Erre + + + + + Ersu + + + + + Eritai + + + + + Erokwanas + + + + + Ese Ejja + + + + + Eshtehardi + + + + + North Alaskan Inupiatun + + + + + Northwest Alaska Inupiatun + + + + + Egypt Sign Language + + + + + Esuma + + + + + Salvadoran Sign Language + + + + + Estonian Sign Language + + + + + Esselen + + + + + Central Siberian Yupik + + + + + Estonian + + + + + Central Yupik + + + + + Etebi + + + + + Etchemin + + + + + Ethiopian Sign Language + + + + + Eton (Vanuatu) + + + + + Eton (Cameroon) + + + + + Edolo + + + + + Yekhee + + + + + Etruscan + + + + + Ejagham + + + + + Eten + + + + + Semimi + + + + + Basque + + + + + Even + + + + + Uvbie + + + + + Evenki + + + + + Ewe + + + + + Ewondo + + + + + Extremaduran + + + + + Eyak + + + + + Keiyo + + + + + Ezaa + + + + + Uzekwe + + + + + Fasu + + + + + Fa D'ambu + + + + + Wagi + + + + + Fagani + + + + + Finongan + + + + + Baissa Fali + + + + + Faiwol + + + + + Faita + + + + + Fang (Cameroon) + + + + + South Fali + + + + + Fam + + + + + Fang (Equatorial Guinea) + + + + + Faroese + + + + + Palor + + + + + Fataleka + + + + + Persian + + + + + Fanti + + + + + Fayu + + + + + Fala + + + + + Southwestern Fars + + + + + Northwestern Fars + + + + + West Albay Bikol + + + + + Quebec Sign Language + + + + + Feroge + + + + + Foia Foia + + + + + Maasina Fulfulde + + + + + Fongoro + + + + + Nobiin + + + + + Fyer + + + + + Fijian + + + + + Filipino + + + + + Finnish + + + + + Fipa + + + + + Firan + + + + + Tornedalen Finnish + + + + + Fiwaga + + + + + Kirya-Konzəl + + + + + Kven Finnish + + + + + Kalispel-Pend d'Oreille + + + + + Foau + + + + + Fali + + + + + North Fali + + + + + Flinders Island + + + + + Fuliiru + + + + + Tsotsitaal + + + + + Fe'fe' + + + + + Far Western Muria + + + + + Fanagalo + + + + + Fania + + + + + Foodo + + + + + Foi + + + + + Foma + + + + + Fon + + + + + Fore + + + + + Siraya + + + + + Fernando Po Creole English + + + + + Fas + + + + + French + + + + + Cajun French + + + + + Fordata + + + + + Frankish + + + + + Middle French (ca. 1400-1600) + + + + + Old French (842-ca. 1400) + + + + + Arpitan + + + + + Forak + + + + + Northern Frisian + + + + + Eastern Frisian + + + + + Fortsenal + + + + + Western Frisian + + + + + Finnish Sign Language + + + + + French Sign Language + + + + + Finland-Swedish Sign Language + + + + + Adamawa Fulfulde + + + + + Pulaar + + + + + East Futuna + + + + + Borgu Fulfulde + + + + + Pular + + + + + Western Niger Fulfulde + + + + + Bagirmi Fulfulde + + + + + Ko + + + + + Fulah + + + + + Fum + + + + + Fulniô + + + + + Central-Eastern Niger Fulfulde + + + + + Friulian + + + + + Futuna-Aniwa + + + + + Furu + + + + + Nigerian Fulfulde + + + + + Fuyug + + + + + Fur + + + + + Fwâi + + + + + Fwe + + + + + Ga + + + + + Gabri + + + + + Mixed Great Andamanese + + + + + Gaddang + + + + + Guarequena + + + + + Gende + + + + + Gagauz + + + + + Alekano + + + + + Borei + + + + + Gadsup + + + + + Gamkonora + + + + + Galolen + + + + + Kandawo + + + + + Gan Chinese + + + + + Gants + + + + + Gal + + + + + Gata' + + + + + Galeya + + + + + Adiwasi Garasia + + + + + Kenati + + + + + Mudhili Gadaba + + + + + Nobonob + + + + + Borana-Arsi-Guji Oromo + + + + + Gayo + + + + + West Central Oromo + + + + + Gbaya (Central African Republic) + + + + + Kaytetye + + + + + Karadjeri + + + + + Niksek + + + + + Gaikundi + + + + + Gbanziri + + + + + Defi Gbe + + + + + Galela + + + + + Bodo Gadaba + + + + + Gaddi + + + + + Gamit + + + + + Garhwali + + + + + Mo'da + + + + + Northern Grebo + + + + + Gbaya-Bossangoa + + + + + Gbaya-Bozoum + + + + + Gbagyi + + + + + Gbesi Gbe + + + + + Gagadu + + + + + Gbanu + + + + + Gabi-Gabi + + + + + Eastern Xwla Gbe + + + + + Gbari + + + + + Zoroastrian Dari + + + + + Mali + + + + + Ganggalida + + + + + Galice + + + + + Guadeloupean Creole French + + + + + Grenadian Creole English + + + + + Gaina + + + + + Guianese Creole French + + + + + Colonia Tovar German + + + + + Gade Lohar + + + + + Pottangi Ollar Gadaba + + + + + Gugu Badhun + + + + + Gedaged + + + + + Gude + + + + + Guduf-Gava + + + + + Ga'dang + + + + + Gadjerawang + + + + + Gundi + + + + + Gurdjar + + + + + Gadang + + + + + Dirasha + + + + + Laal + + + + + Umanakaina + + + + + Ghodoberi + + + + + Mehri + + + + + Wipi + + + + + Ghandruk Sign Language + + + + + Kungardutyi + + + + + Gudu + + + + + Godwari + + + + + Geruma + + + + + Kire + + + + + Gboloo Grebo + + + + + Gade + + + + + Gengle + + + + + Hutterite German + + + + + Gebe + + + + + Gen + + + + + Yiwom + + + + + ut-Ma'in + + + + + Geme + + + + + Geser-Gorom + + + + + Gera + + + + + Garre + + + + + Enya + + + + + Geez + + + + + Patpatar + + + + + Gafat + + + + + Mangetti Dune !Xung + + + + + Gao + + + + + Gbii + + + + + Gugadj + + + + + Guragone + + + + + Gurgula + + + + + Kungarakany + + + + + Ganglau + + + + + Gugu Mini + + + + + Eastern Gurung + + + + + Southern Gondi + + + + + Gitua + + + + + Gagu + + + + + Gogodala + + + + + Ghadamès + + + + + Hiberno-Scottish Gaelic + + + + + Southern Ghale + + + + + Northern Ghale + + + + + Geko Karen + + + + + Ghulfan + + + + + Ghanongga + + + + + Ghomara + + + + + Ghera + + + + + Guhu-Samane + + + + + Kuke + + + + + Kitja + + + + + Gibanawa + + + + + Gail + + + + + Gidar + + + + + Goaria + + + + + Githabul + + + + + Gilbertese + + + + + Gimi (Eastern Highlands) + + + + + Hinukh + + + + + Gimi (West New Britain) + + + + + Green Gelao + + + + + Red Gelao + + + + + North Giziga + + + + + Gitxsan + + + + + Mulao + + + + + White Gelao + + + + + Gilima + + + + + Giyug + + + + + South Giziga + + + + + Geji + + + + + Kachi Koli + + + + + Gunditjmara + + + + + Gonja + + + + + Gujari + + + + + Guya + + + + + Ndai + + + + + Gokana + + + + + Kok-Nar + + + + + Guinea Kpelle + + + + + Scottish Gaelic + + + + + Bon Gula + + + + + Nanai + + + + + Irish + + + + + Galician + + + + + Northwest Pashayi + + + + + Guliguli + + + + + Gula Iro + + + + + Gilaki + + + + + Garlali + + + + + Galambu + + + + + Glaro-Twabo + + + + + Gula (Chad) + + + + + Manx + + + + + Glavda + + + + + Gule + + + + + Gambera + + + + + Gula'alaa + + + + + Mághdì + + + + + Middle High German (ca. 1050-1500) + + + + + Middle Low German + + + + + Gbaya-Mbodomo + + + + + Gimnime + + + + + Gumalu + + + + + Gamo + + + + + Magoma + + + + + Mycenaean Greek + + + + + Mgbolizhia + + + + + Kaansa + + + + + Gangte + + + + + Guanche + + + + + Zulgo-Gemzek + + + + + Ganang + + + + + Ngangam + + + + + Lere + + + + + Gooniyandi + + + + + //Gana + + + + + Gangulu + + + + + Ginuman + + + + + Gumatj + + + + + Northern Gondi + + + + + Gana + + + + + Gureng Gureng + + + + + Guntai + + + + + Gnau + + + + + Western Bolivian Guaraní + + + + + Ganzi + + + + + Guro + + + + + Playero + + + + + Gorakor + + + + + Godié + + + + + Gongduk + + + + + Gofa + + + + + Gogo + + + + + Old High German (ca. 750-1050) + + + + + Gobasi + + + + + Gowlan + + + + + Gowli + + + + + Gola + + + + + Goan Konkani + + + + + Gondi + + + + + Gone Dau + + + + + Yeretuar + + + + + Gorap + + + + + Gorontalo + + + + + Gronings + + + + + Gothic + + + + + Gavar + + + + + Gorowa + + + + + Gobu + + + + + Goundo + + + + + Gozarkhani + + + + + Gupa-Abawa + + + + + Ghanaian Pidgin English + + + + + Taiap + + + + + Ga'anda + + + + + Guiqiong + + + + + Guana (Brazil) + + + + + Gor + + + + + Qau + + + + + Rajput Garasia + + + + + Grebo + + + + + Ancient Greek (to 1453) + + + + + Guruntum-Mbaaru + + + + + Madi + + + + + Gbiri-Niragu + + + + + Ghari + + + + + Southern Grebo + + + + + Kota Marudu Talantang + + + + + Guarani + + + + + Groma + + + + + Gorovu + + + + + Taznatit + + + + + Gresi + + + + + Garo + + + + + Kistane + + + + + Central Grebo + + + + + Gweda + + + + + Guriaso + + + + + Barclayville Grebo + + + + + Guramalum + + + + + Ghanaian Sign Language + + + + + German Sign Language + + + + + Gusilay + + + + + Guatemalan Sign Language + + + + + Gusan + + + + + Southwest Gbaya + + + + + Wasembo + + + + + Greek Sign Language + + + + + Swiss German + + + + + Guató + + + + + Gbati-ri + + + + + Aghu-Tharnggala + + + + + Shiki + + + + + Guajajára + + + + + Wayuu + + + + + Yocoboué Dida + + + + + Gurinji + + + + + Gupapuyngu + + + + + Paraguayan Guaraní + + + + + Guahibo + + + + + Eastern Bolivian Guaraní + + + + + Gujarati + + + + + Gumuz + + + + + Sea Island Creole English + + + + + Guambiano + + + + + Mbyá Guaraní + + + + + Guayabero + + + + + Gunwinggu + + + + + Aché + + + + + Farefare + + + + + Guinean Sign Language + + + + + Maléku Jaíka + + + + + Yanomamö + + + + + Gey + + + + + Gun + + + + + Gourmanchéma + + + + + Gusii + + + + + Guana (Paraguay) + + + + + Guanano + + + + + Duwet + + + + + Golin + + + + + Guajá + + + + + Gulay + + + + + Gurmana + + + + + Kuku-Yalanji + + + + + Gavião Do Jiparaná + + + + + Pará Gavião + + + + + Western Gurung + + + + + Gumawana + + + + + Guyani + + + + + Mbato + + + + + Gwa + + + + + Kalami + + + + + Gawwada + + + + + Gweno + + + + + Gowro + + + + + Moo + + + + + Gwichʼin + + + + + /Gwi + + + + + Awngthim + + + + + Gwandara + + + + + Gwere + + + + + Gawar-Bati + + + + + Guwamu + + + + + Kwini + + + + + Gua + + + + + Wè Southern + + + + + Northwest Gbaya + + + + + Garus + + + + + Kayardild + + + + + Gyem + + + + + Gungabula + + + + + Gbayi + + + + + Gyele + + + + + Gayil + + + + + Ngäbere + + + + + Guyanese Creole English + + + + + Guarayu + + + + + Gunya + + + + + Ganza + + + + + Gazi + + + + + Gane + + + + + Han + + + + + Hanoi Sign Language + + + + + Gurani + + + + + Hatam + + + + + Eastern Oromo + + + + + Haiphong Sign Language + + + + + Hanga + + + + + Hahon + + + + + Haida + + + + + Hajong + + + + + Hakka Chinese + + + + + Halang + + + + + Hewa + + + + + Hangaza + + + + + Hakö + + + + + Hupla + + + + + Ha + + + + + Harari + + + + + Haisla + + + + + Haitian + + + + + Hausa + + + + + Havu + + + + + Hawaiian + + + + + Southern Haida + + + + + Haya + + + + + Hazaragi + + + + + Hamba + + + + + Huba + + + + + Heiban + + + + + Ancient Hebrew + + + + + Serbo-Croatian + + + + + Habu + + + + + Andaman Creole Hindi + + + + + Huichol + + + + + Northern Haida + + + + + Honduras Sign Language + + + + + Hadiyya + + + + + Northern Qiandong Miao + + + + + Hebrew + + + + + Herdé + + + + + Helong + + + + + Hehe + + + + + Heiltsuk + + + + + Hemba + + + + + Herero + + + + + Hai//om + + + + + Haigwai + + + + + Hoia Hoia + + + + + Kerak + + + + + Hoyahoya + + + + + Lamang + + + + + Hibito + + + + + Hidatsa + + + + + Fiji Hindi + + + + + Kamwe + + + + + Pamosu + + + + + Hinduri + + + + + Hijuk + + + + + Seit-Kaitetu + + + + + Hiligaynon + + + + + Hindi + + + + + Tsoa + + + + + Himarimã + + + + + Hittite + + + + + Hiw + + + + + Hixkaryána + + + + + Haji + + + + + Kahe + + + + + Hunde + + + + + Hunjara-Kaina Ke + + + + + Hong Kong Sign Language + + + + + Halia + + + + + Halbi + + + + + Halang Doan + + + + + Hlersu + + + + + Matu Chin + + + + + Hieroglyphic Luwian + + + + + Southern Mashan Hmong + + + + + Humburi Senni Songhay + + + + + Central Huishui Hmong + + + + + Large Flowery Miao + + + + + Eastern Huishui Hmong + + + + + Hmong Don + + + + + Southwestern Guiyang Hmong + + + + + Southwestern Huishui Hmong + + + + + Northern Huishui Hmong + + + + + Ge + + + + + Maek + + + + + Luopohe Hmong + + + + + Central Mashan Hmong + + + + + Hmong + + + + + Hiri Motu + + + + + Northern Mashan Hmong + + + + + Eastern Qiandong Miao + + + + + Hmar + + + + + Southern Qiandong Miao + + + + + Hamtai + + + + + Hamap + + + + + Hmong Dô + + + + + Western Mashan Hmong + + + + + Southern Guiyang Hmong + + + + + Hmong Shua + + + + + Mina (Cameroon) + + + + + Southern Hindko + + + + + Chhattisgarhi + + + + + //Ani + + + + + Hani + + + + + Hmong Njua + + + + + Hanunoo + + + + + Northern Hindko + + + + + Caribbean Hindustani + + + + + Hung + + + + + Hoava + + + + + Mari (Madang Province) + + + + + Ho + + + + + Holma + + + + + Horom + + + + + Hobyót + + + + + Holikachuk + + + + + Hadothi + + + + + Holu + + + + + Homa + + + + + Holoholo + + + + + Hopi + + + + + Horo + + + + + Ho Chi Minh City Sign Language + + + + + Hote + + + + + Hovongan + + + + + Honi + + + + + Holiya + + + + + Hozo + + + + + Hpon + + + + + Hawai'i Pidgin Sign Language + + + + + Hrangkhol + + + + + Niwer Mil + + + + + Hre + + + + + Haruku + + + + + Horned Miao + + + + + Haroi + + + + + Nhirrpi + + + + + Hértevin + + + + + Hruso + + + + + Croatian + + + + + Warwar Feni + + + + + Hunsrik + + + + + Harzani + + + + + Upper Sorbian + + + + + Hungarian Sign Language + + + + + Hausa Sign Language + + + + + Xiang Chinese + + + + + Harsusi + + + + + Hoti + + + + + Minica Huitoto + + + + + Hadza + + + + + Hitu + + + + + Middle Hittite + + + + + Huambisa + + + + + =/Hua + + + + + Huaulu + + + + + San Francisco Del Mar Huave + + + + + Humene + + + + + Huachipaeri + + + + + Huilliche + + + + + Huli + + + + + Northern Guiyang Hmong + + + + + Hulung + + + + + Hula + + + + + Hungana + + + + + Hungarian + + + + + Hu + + + + + Hupa + + + + + Tsat + + + + + Halkomelem + + + + + Huastec + + + + + Humla + + + + + Murui Huitoto + + + + + San Mateo Del Mar Huave + + + + + Hukumina + + + + + Nüpode Huitoto + + + + + Hulaulá + + + + + Hunzib + + + + + Haitian Vodoun Culture Language + + + + + San Dionisio Del Mar Huave + + + + + Haveke + + + + + Sabu + + + + + Santa María Del Mar Huave + + + + + Wané + + + + + Hawai'i Creole English + + + + + Hwana + + + + + Hya + + + + + Armenian + + + + + Iaai + + + + + Iatmul + + + + + Iapama + + + + + Purari + + + + + Iban + + + + + Ibibio + + + + + Iwaidja + + + + + Akpes + + + + + Ibanag + + + + + Ibaloi + + + + + Agoi + + + + + Ibino + + + + + Igbo + + + + + Ibuoro + + + + + Ibu + + + + + Ibani + + + + + Ede Ica + + + + + Etkywan + + + + + Icelandic Sign Language + + + + + Islander Creole English + + + + + Idakho-Isukha-Tiriki + + + + + Indo-Portuguese + + + + + Idon + + + + + Ede Idaca + + + + + Idere + + + + + Idi + + + + + Ido + + + + + Indri + + + + + Idesa + + + + + Idaté + + + + + Idoma + + + + + Amganad Ifugao + + + + + Batad Ifugao + + + + + Ifè + + + + + Ifo + + + + + Tuwali Ifugao + + + + + Teke-Fuumu + + + + + Mayoyao Ifugao + + + + + Keley-I Kallahan + + + + + Ebira + + + + + Igede + + + + + Igana + + + + + Igala + + + + + Kanggape + + + + + Ignaciano + + + + + Isebe + + + + + Interglossa + + + + + Igwe + + + + + Iha Based Pidgin + + + + + Ihievbe + + + + + Iha + + + + + Bidhawal + + + + + Sichuan Yi + + + + + Thiin + + + + + Izon + + + + + Biseni + + + + + Ede Ije + + + + + Kalabari + + + + + Southeast Ijo + + + + + Eastern Canadian Inuktitut + + + + + Iko + + + + + Ika + + + + + Ikulu + + + + + Olulumo-Ikom + + + + + Ikpeshi + + + + + Ikaranggal + + + + + Inuinnaqtun + + + + + Inuktitut + + + + + Iku-Gora-Ankwa + + + + + Ikwere + + + + + Ik + + + + + Ikizu + + + + + Ile Ape + + + + + Ila + + + + + Interlingue + + + + + Garig-Ilgar + + + + + Ili Turki + + + + + Ilongot + + + + + Iranun + + + + + Iloko + + + + + International Sign + + + + + Ili'uun + + + + + Ilue + + + + + Mala Malasar + + + + + Imeraguen + + + + + Anamgura + + + + + Miluk + + + + + Imonda + + + + + Imbongu + + + + + Imroing + + + + + Marsian + + + + + Milyan + + + + + Interlingua (International Auxiliary Language Association) + + + + + Inga + + + + + Indonesian + + + + + Degexit'an + + + + + Ingush + + + + + Jungle Inga + + + + + Indonesian Sign Language + + + + + Minaean + + + + + Isinai + + + + + Inoke-Yate + + + + + Iñapari + + + + + Indian Sign Language + + + + + Intha + + + + + Ineseño + + + + + Inor + + + + + Tuma-Irumu + + + + + Iowa-Oto + + + + + Ipili + + + + + Inupiaq + + + + + Ipiko + + + + + Iquito + + + + + Ikwo + + + + + Iresim + + + + + Irarutu + + + + + Irigwe + + + + + Iraqw + + + + + Irántxe + + + + + Ir + + + + + Irula + + + + + Kamberau + + + + + Iraya + + + + + Isabi + + + + + Isconahua + + + + + Isnag + + + + + Italian Sign Language + + + + + Irish Sign Language + + + + + Esan + + + + + Nkem-Nkum + + + + + Ishkashimi + + + + + Icelandic + + + + + Masimasi + + + + + Isanzu + + + + + Isoko + + + + + Israeli Sign Language + + + + + Istriot + + + + + Isu (Menchum Division) + + + + + Italian + + + + + Binongan Itneg + + + + + Itene + + + + + Inlaod Itneg + + + + + Judeo-Italian + + + + + Itelmen + + + + + Itu Mbon Uzo + + + + + Itonama + + + + + Iteri + + + + + Isekiri + + + + + Maeng Itneg + + + + + Itawit + + + + + Ito + + + + + Itik + + + + + Moyadan Itneg + + + + + Itzá + + + + + Iu Mien + + + + + Ibatan + + + + + Ivatan + + + + + I-Wak + + + + + Iwam + + + + + Iwur + + + + + Sepik Iwam + + + + + Ixcatec + + + + + Ixil + + + + + Iyayu + + + + + Mesaka + + + + + Yaka (Congo) + + + + + Ingrian + + + + + Izere + + + + + Izii + + + + + Jamamadí + + + + + Hyam + + + + + Popti' + + + + + Jahanka + + + + + Yabem + + + + + Jara + + + + + Jah Hut + + + + + Zazao + + + + + Jakun + + + + + Yalahatan + + + + + Jamaican Creole English + + + + + Jandai + + + + + Yanyuwa + + + + + Yaqay + + + + + New Caledonian Javanese + + + + + Jakati + + + + + Yaur + + + + + Javanese + + + + + Jambi Malay + + + + + Yan-nhangu + + + + + Jawe + + + + + Judeo-Berber + + + + + Badjiri + + + + + Arandai + + + + + Barikewa + + + + + Nafusi + + + + + Lojban + + + + + Jofotek-Bromnya + + + + + Jabutí + + + + + Jukun Takum + + + + + Yawijibaya + + + + + Jamaican Country Sign Language + + + + + Krymchak + + + + + Jad + + + + + Jadgali + + + + + Judeo-Tat + + + + + Jebero + + + + + Jerung + + + + + Jeng + + + + + Jeh + + + + + Yei + + + + + Jeri Kuo + + + + + Yelmek + + + + + Dza + + + + + Jere + + + + + Manem + + + + + Jonkor Bourmataguil + + + + + Ngbee + + + + + Judeo-Georgian + + + + + Gwak + + + + + Ngomba + + + + + Jehai + + + + + Jhankot Sign Language + + + + + Jina + + + + + Jibu + + + + + Tol + + + + + Bu + + + + + Jilbe + + + + + Djingili + + + + + sTodsde + + + + + Jiiddu + + + + + Jilim + + + + + Jimi (Cameroon) + + + + + Jiamao + + + + + Guanyinqiao + + + + + Jita + + + + + Youle Jinuo + + + + + Shuar + + + + + Buyuan Jinuo + + + + + Bankal + + + + + Mobwa Karen + + + + + Kubo + + + + + Paku Karen + + + + + Koro (India) + + + + + Labir + + + + + Ngile + + + + + Jamaican Sign Language + + + + + Dima + + + + + Zumbun + + + + + Machame + + + + + Yamdena + + + + + Jimi (Nigeria) + + + + + Jumli + + + + + Makuri Naga + + + + + Kamara + + + + + Mashi (Nigeria) + + + + + Mouwase + + + + + Western Juxtlahuaca Mixtec + + + + + Jangshung + + + + + Jandavra + + + + + Yangman + + + + + Janji + + + + + Yemsa + + + + + Rawat + + + + + Jaunsari + + + + + Joba + + + + + Wojenaka + + + + + Jorá + + + + + Jordanian Sign Language + + + + + Jowulu + + + + + Jewish Palestinian Aramaic + + + + + Japanese + + + + + Judeo-Persian + + + + + Jaqaru + + + + + Jarai + + + + + Judeo-Arabic + + + + + Jiru + + + + + Jorto + + + + + Japrería + + + + + Japanese Sign Language + + + + + Júma + + + + + Wannu + + + + + Jurchen + + + + + Worodougou + + + + + Hõne + + + + + Ngadjuri + + + + + Wapan + + + + + Jirel + + + + + Jumjum + + + + + Juang + + + + + Jiba + + + + + Hupdë + + + + + Jurúna + + + + + Jumla Sign Language + + + + + Jutish + + + + + Ju + + + + + Wãpha + + + + + Juray + + + + + Javindo + + + + + Caribbean Javanese + + + + + Jwira-Pepesa + + + + + Jiarong + + + + + Judeo-Yemeni Arabic + + + + + Jaya + + + + + Kara-Kalpak + + + + + Kabyle + + + + + Kachin + + + + + Adara + + + + + Ketangalan + + + + + Katso + + + + + Kajaman + + + + + Kara (Central African Republic) + + + + + Karekare + + + + + Jju + + + + + Kayapa Kallahan + + + + + Kalaallisut + + + + + Kamba (Kenya) + + + + + Kannada + + + + + Xaasongaxango + + + + + Bezhta + + + + + Capanahua + + + + + Kashmiri + + + + + Georgian + + + + + Kanuri + + + + + Katukína + + + + + Kawi + + + + + Kao + + + + + Kamayurá + + + + + Kazakh + + + + + Kalarko + + + + + Kaxuiâna + + + + + Kadiwéu + + + + + Kabardian + + + + + Kanju + + + + + Kakauhua + + + + + Khamba + + + + + Camsá + + + + + Kaptiau + + + + + Kari + + + + + Grass Koiari + + + + + Kanembu + + + + + Iwal + + + + + Kare (Central African Republic) + + + + + Keliko + + + + + Kabiyè + + + + + Kamano + + + + + Kafa + + + + + Kande + + + + + Abadi + + + + + Kabutra + + + + + Dera (Indonesia) + + + + + Kaiep + + + + + Ap Ma + + + + + Manga Kanuri + + + + + Duhwa + + + + + Khanty + + + + + Kawacha + + + + + Lubila + + + + + Ngkâlmpw Kanum + + + + + Kaivi + + + + + Ukaan + + + + + Tyap + + + + + Vono + + + + + Kamantan + + + + + Kobiana + + + + + Kalanga + + + + + Kela (Papua New Guinea) + + + + + Gula (Central African Republic) + + + + + Nubi + + + + + Kinalakna + + + + + Kanga + + + + + Kamo + + + + + Katla + + + + + Koenoem + + + + + Kaian + + + + + Kami (Tanzania) + + + + + Kete + + + + + Kabwari + + + + + Kachama-Ganjule + + + + + Korandje + + + + + Konongo + + + + + Worimi + + + + + Kutu + + + + + Yankunytjatjara + + + + + Makonde + + + + + Mamusi + + + + + Seba + + + + + Tem + + + + + Kumam + + + + + Karamojong + + + + + Numèè + + + + + Tsikimba + + + + + Kagoma + + + + + Kunda + + + + + Kaningdon-Nindem + + + + + Koch + + + + + Karaim + + + + + Kuy + + + + + Kadaru + + + + + Koneraw + + + + + Kam + + + + + Keder + + + + + Kwaja + + + + + Kabuverdianu + + + + + Kélé + + + + + Keiga + + + + + Kerewe + + + + + Eastern Keres + + + + + Kpessi + + + + + Tese + + + + + Keak + + + + + Kei + + + + + Kadar + + + + + Kekchí + + + + + Kela (Democratic Republic of Congo) + + + + + Kemak + + + + + Kenyang + + + + + Kakwa + + + + + Kaikadi + + + + + Kamar + + + + + Kera + + + + + Kugbo + + + + + Ket + + + + + Akebu + + + + + Kanikkaran + + + + + West Kewa + + + + + Kukna + + + + + Kupia + + + + + Kukele + + + + + Kodava + + + + + Northwestern Kolami + + + + + Konda-Dora + + + + + Korra Koraga + + + + + Kota (India) + + + + + Koya + + + + + Kudiya + + + + + Kurichiya + + + + + Kannada Kurumba + + + + + Kemiehua + + + + + Kinnauri + + + + + Kung + + + + + Khunsari + + + + + Kuk + + + + + Koro (Côte d'Ivoire) + + + + + Korwa + + + + + Korku + + + + + Kachchi + + + + + Bilaspuri + + + + + Kanjari + + + + + Katkari + + + + + Kurmukar + + + + + Kharam Naga + + + + + Kullu Pahari + + + + + Kumaoni + + + + + Koromfé + + + + + Koyaga + + + + + Kawe + + + + + Kasseng + + + + + Kataang + + + + + Komering + + + + + Kube + + + + + Kusunda + + + + + Selangor Sign Language + + + + + Gamale Kham + + + + + Kaiwá + + + + + Kunggari + + + + + Karipúna + + + + + Karingani + + + + + Krongo + + + + + Kaingang + + + + + Kamoro + + + + + Abun + + + + + Kumbainggar + + + + + Somyev + + + + + Kobol + + + + + Karas + + + + + Karon Dori + + + + + Kamaru + + + + + Kyerung + + + + + Khasi + + + + + + + + + + Tukang Besi North + + + + + Bädi Kanum + + + + + Korowai + + + + + Khuen + + + + + Khams Tibetan + + + + + Kehu + + + + + Kuturmi + + + + + Halh Mongolian + + + + + Lusi + + + + + Central Khmer + + + + + Khandesi + + + + + Khotanese + + + + + Kapori + + + + + Koyra Chiini Songhay + + + + + Kharia + + + + + Kasua + + + + + Khamti + + + + + Nkhumbi + + + + + Khvarshi + + + + + Khowar + + + + + Kanu + + + + + Kele (Democratic Republic of Congo) + + + + + Keapara + + + + + Kim + + + + + Koalib + + + + + Kickapoo + + + + + Koshin + + + + + Kibet + + + + + Eastern Parbate Kham + + + + + Kimaama + + + + + Kilmeri + + + + + Kitsai + + + + + Kilivila + + + + + Kikuyu + + + + + Kariya + + + + + Karagas + + + + + Kinyarwanda + + + + + Kiowa + + + + + Sheshi Kham + + + + + Kosadle + + + + + Kirghiz + + + + + Kis + + + + + Agob + + + + + Kirmanjki (individual language) + + + + + Kimbu + + + + + Northeast Kiwai + + + + + Khiamniungan Naga + + + + + Kirikiri + + + + + Kisi + + + + + Mlap + + + + + Q'anjob'al + + + + + Coastal Konjo + + + + + Southern Kiwai + + + + + Kisar + + + + + Khalaj + + + + + Khmu + + + + + Khakas + + + + + Zabana + + + + + Khinalugh + + + + + Highland Konjo + + + + + Western Parbate Kham + + + + + Kháng + + + + + Kunjen + + + + + Harijan Kinnauri + + + + + Pwo Eastern Karen + + + + + Western Keres + + + + + Kurudu + + + + + East Kewa + + + + + Phrae Pwo Karen + + + + + Kashaya + + + + + Ramopa + + + + + Erave + + + + + Bumthangkha + + + + + Kakanda + + + + + Kwerisa + + + + + Odoodee + + + + + Kinuku + + + + + Kakabe + + + + + Kalaktang Monpa + + + + + Mabaka Valley Kalinga + + + + + Khün + + + + + Kagulu + + + + + Kako + + + + + Kokota + + + + + Kosarek Yale + + + + + Kiong + + + + + Kon Keu + + + + + Karko + + + + + Gugubera + + + + + Kaiku + + + + + Kir-Balar + + + + + Giiwo + + + + + Koi + + + + + Tumi + + + + + Kangean + + + + + Teke-Kukuya + + + + + Kohin + + + + + Guguyimidjir + + + + + Kaska + + + + + Klamath-Modoc + + + + + Kiliwa + + + + + Kolbila + + + + + Gamilaraay + + + + + Kulung (Nepal) + + + + + Kendeje + + + + + Tagakaulo + + + + + Weliki + + + + + Kalumpang + + + + + Turkic Khalaj + + + + + Kono (Nigeria) + + + + + Kagan Kalagan + + + + + Migum + + + + + Kalenjin + + + + + Kapya + + + + + Kamasa + + + + + Rumu + + + + + Khaling + + + + + Kalasha + + + + + Nukna + + + + + Klao + + + + + Maskelynes + + + + + Lindu + + + + + Koluwawa + + + + + Kalao + + + + + Kabola + + + + + Konni + + + + + Kimbundu + + + + + Southern Dong + + + + + Majukayang Kalinga + + + + + Bakole + + + + + Kare (Papua New Guinea) + + + + + Kâte + + + + + Kalam + + + + + Kami (Nigeria) + + + + + Kumarbhag Paharia + + + + + Limos Kalinga + + + + + Tanudan Kalinga + + + + + Kom (India) + + + + + Awtuw + + + + + Kwoma + + + + + Gimme + + + + + Kwama + + + + + Northern Kurdish + + + + + Kamasau + + + + + Kemtuik + + + + + Kanite + + + + + Karipúna Creole French + + + + + Komo (Democratic Republic of Congo) + + + + + Waboda + + + + + Koma + + + + + Khorasani Turkish + + + + + Dera (Nigeria) + + + + + Lubuagan Kalinga + + + + + Central Kanuri + + + + + Konda + + + + + Kankanaey + + + + + Mankanya + + + + + Koongo + + + + + Kanufi + + + + + Western Kanjobal + + + + + Kuranko + + + + + Keninjal + + + + + Kanamarí + + + + + Konkani (individual language) + + + + + Kono (Sierra Leone) + + + + + Kwanja + + + + + Kintaq + + + + + Kaningra + + + + + Kensiu + + + + + Panoan Katukína + + + + + Kono (Guinea) + + + + + Tabo + + + + + Kung-Ekoka + + + + + Kendayan + + + + + Kanyok + + + + + Kalamsé + + + + + Konomala + + + + + Kpati + + + + + Kodi + + + + + Kacipo-Balesi + + + + + Kubi + + + + + Cogui + + + + + Koyo + + + + + Komi-Permyak + + + + + Sara Dunjo + + + + + Konkani (macrolanguage) + + + + + Kol (Papua New Guinea) + + + + + Komi + + + + + Kongo + + + + + Konzo + + + + + Waube + + + + + Kota (Gabon) + + + + + Korean + + + + + Kosraean + + + + + Lagwan + + + + + Koke + + + + + Kudu-Camo + + + + + Kugama + + + + + Coxima + + + + + Koyukon + + + + + Korak + + + + + Kutto + + + + + Mullu Kurumba + + + + + Curripaco + + + + + Koba + + + + + Kpelle + + + + + Komba + + + + + Kapingamarangi + + + + + Kplang + + + + + Kofei + + + + + Karajá + + + + + Kpan + + + + + Kpala + + + + + Koho + + + + + Kepkiriwát + + + + + Ikposo + + + + + Korupun-Sela + + + + + Korafe-Yegha + + + + + Tehit + + + + + Karata + + + + + Kafoa + + + + + Komi-Zyrian + + + + + Kobon + + + + + Mountain Koiali + + + + + Koryak + + + + + Kupsabiny + + + + + Mum + + + + + Kovai + + + + + Doromu-Koki + + + + + Koy Sanjaq Surat + + + + + Kalagan + + + + + Kakabai + + + + + Khe + + + + + Kisankasa + + + + + Koitabu + + + + + Koromira + + + + + Kotafon Gbe + + + + + Kyenele + + + + + Khisa + + + + + Kaonde + + + + + Eastern Krahn + + + + + Kimré + + + + + Krenak + + + + + Kimaragang + + + + + Northern Kissi + + + + + Klias River Kadazan + + + + + Seroa + + + + + Okolod + + + + + Kandas + + + + + Mser + + + + + Koorete + + + + + Korana + + + + + Kumhali + + + + + Karkin + + + + + Karachay-Balkar + + + + + Kairui-Midiki + + + + + Panará + + + + + Koro (Vanuatu) + + + + + Kurama + + + + + Krio + + + + + Kinaray-A + + + + + Kerek + + + + + Karelian + + + + + Krim + + + + + Sapo + + + + + Korop + + + + + Kru'ng 2 + + + + + Gbaya (Sudan) + + + + + Tumari Kanuri + + + + + Kurukh + + + + + Kavet + + + + + Western Krahn + + + + + Karon + + + + + Kryts + + + + + Sota Kanum + + + + + Shuwa-Zamani + + + + + Shambala + + + + + Southern Kalinga + + + + + Kuanua + + + + + Kuni + + + + + Bafia + + + + + Kusaghe + + + + + Kölsch + + + + + Krisa + + + + + Uare + + + + + Kansa + + + + + Kumalu + + + + + Kumba + + + + + Kasiguranin + + + + + Kofa + + + + + Kaba + + + + + Kwaami + + + + + Borong + + + + + Southern Kisi + + + + + Winyé + + + + + Khamyang + + + + + Kusu + + + + + S'gaw Karen + + + + + Kedang + + + + + Kharia Thar + + + + + Kodaku + + + + + Katua + + + + + Kambaata + + + + + Kholok + + + + + Kokata + + + + + Nubri + + + + + Kwami + + + + + Kalkutung + + + + + Karanga + + + + + North Muyu + + + + + Plapo Krumen + + + + + Kaniet + + + + + Koroshi + + + + + Kurti + + + + + Karitiâna + + + + + Kuot + + + + + Kaduo + + + + + Katabaga + + + + + Kota Marudu Tinagas + + + + + South Muyu + + + + + Ketum + + + + + Kituba (Democratic Republic of Congo) + + + + + Eastern Katu + + + + + Kato + + + + + Kaxararí + + + + + Kango (Bas-Uélé District) + + + + + Ju/'hoan + + + + + Kuanyama + + + + + Kutep + + + + + Kwinsu + + + + + 'Auhelawa + + + + + Kuman + + + + + Western Katu + + + + + Kupa + + + + + Kushi + + + + + Kuikúro-Kalapálo + + + + + Kuria + + + + + Kepo' + + + + + Kulere + + + + + Kumyk + + + + + Kunama + + + + + Kumukio + + + + + Kunimaipa + + + + + Karipuna + + + + + Kurdish + + + + + Kusaal + + + + + Kutenai + + + + + Upper Kuskokwim + + + + + Kur + + + + + Kpagua + + + + + Kukatja + + + + + Kuuku-Ya'u + + + + + Kunza + + + + + Bagvalal + + + + + Kubu + + + + + Kove + + + + + Kui (Indonesia) + + + + + Kalabakan + + + + + Kabalai + + + + + Kuni-Boazi + + + + + Komodo + + + + + Kwang + + + + + Psikye + + + + + Korean Sign Language + + + + + Kayaw + + + + + Kendem + + + + + Border Kuna + + + + + Dobel + + + + + Kompane + + + + + Geba Karen + + + + + Kerinci + + + + + Kunggara + + + + + Lahta Karen + + + + + Yinbaw Karen + + + + + Kola + + + + + Wersing + + + + + Parkari Koli + + + + + Yintale Karen + + + + + Tsakwambo + + + + + Dâw + + + + + Kwa + + + + + Likwala + + + + + Kwaio + + + + + Kwerba + + + + + Kwara'ae + + + + + Sara Kaba Deme + + + + + Kowiai + + + + + Awa-Cuaiquer + + + + + Kwanga + + + + + Kwakiutl + + + + + Kofyar + + + + + Kwambi + + + + + Kwangali + + + + + Kwomtari + + + + + Kodia + + + + + Kwak + + + + + Kwer + + + + + Kwese + + + + + Kwesten + + + + + Kwakum + + + + + Sara Kaba Náà + + + + + Kwinti + + + + + Khirwar + + + + + San Salvador Kongo + + + + + Kwadi + + + + + Kairiru + + + + + Krobu + + + + + Konso + + + + + Brunei + + + + + Kakihum + + + + + Manumanaw Karen + + + + + Karo (Ethiopia) + + + + + Keningau Murut + + + + + Kulfa + + + + + Zayein Karen + + + + + Nepali Kurux + + + + + Northern Khmer + + + + + Kanowit-Tanjong Melanau + + + + + Kanoé + + + + + Wadiyara Koli + + + + + Smärky Kanum + + + + + Koro (Papua New Guinea) + + + + + Kangjia + + + + + Koiwat + + + + + Kui (India) + + + + + Kuvi + + + + + Konai + + + + + Likuba + + + + + Kayong + + + + + Kerewo + + + + + Kwaya + + + + + Butbut Kalinga + + + + + Kyaka + + + + + Karey + + + + + Krache + + + + + Kouya + + + + + Keyagana + + + + + Karok + + + + + Kiput + + + + + Karao + + + + + Kamayo + + + + + Kalapuya + + + + + Kpatili + + + + + Northern Binukidnon + + + + + Kelon + + + + + Kang + + + + + Kenga + + + + + Kuruáya + + + + + Baram Kayan + + + + + Kayagar + + + + + Western Kayah + + + + + Kayort + + + + + Kudmali + + + + + Rapoisi + + + + + Kambaira + + + + + Kayabí + + + + + Western Karaboro + + + + + Kaibobo + + + + + Bondoukou Kulango + + + + + Kadai + + + + + Kosena + + + + + Da'a Kaili + + + + + Kikai + + + + + Kelabit + + + + + Coastal Kadazan + + + + + Kazukuru + + + + + Kayeli + + + + + Kais + + + + + Kokola + + + + + Kaningi + + + + + Kaidipang + + + + + Kaike + + + + + Karang + + + + + Sugut Dusun + + + + + Tambunan Dusun + + + + + Kayupulau + + + + + Komyandaret + + + + + Karirí-Xocó + + + + + Kamarian + + + + + Kango (Tshopo District) + + + + + Kalabra + + + + + Southern Subanen + + + + + Linear A + + + + + Lacandon + + + + + Ladino + + + + + Pattani + + + + + Lafofa + + + + + Langi + + + + + Lahnda + + + + + Lambya + + + + + Lango (Uganda) + + + + + Laka (Nigeria) + + + + + Lalia + + + + + Lamba + + + + + Laru + + + + + Lao + + + + + Laka (Chad) + + + + + Qabiao + + + + + Larteh + + + + + Lama (Togo) + + + + + Latin + + + + + Laba + + + + + Latvian + + + + + Lauje + + + + + Tiwa + + + + + Lama (Myanmar) + + + + + Aribwatsa + + + + + Lui + + + + + Label + + + + + Lakkia + + + + + Lak + + + + + Tinani + + + + + Laopang + + + + + La'bi + + + + + Ladakhi + + + + + Central Bontok + + + + + Libon Bikol + + + + + Lodhi + + + + + Lamet + + + + + Laven + + + + + Wampar + + + + + Lohorung + + + + + Libyan Sign Language + + + + + Lachi + + + + + Labu + + + + + Lavatbura-Lamusong + + + + + Tolaki + + + + + Lawangan + + + + + Lamu-Lamu + + + + + Lardil + + + + + Legenyem + + + + + Lola + + + + + Loncong + + + + + Lubu + + + + + Luchazi + + + + + Lisela + + + + + Tungag + + + + + Western Lawa + + + + + Luhu + + + + + Lisabata-Nuniali + + + + + Kla-Dan + + + + + Dũya + + + + + Luri + + + + + Lenyima + + + + + Lamja-Dengsa-Tola + + + + + Laari + + + + + Lemoro + + + + + Leelau + + + + + Kaan + + + + + Landoma + + + + + Láadan + + + + + Loo + + + + + Tso + + + + + Lufu + + + + + Lega-Shabunda + + + + + Lala-Bisa + + + + + Leco + + + + + Lendu + + + + + Lyélé + + + + + Lelemi + + + + + Lengua + + + + + Lenje + + + + + Lemio + + + + + Lengola + + + + + Leipon + + + + + Lele (Democratic Republic of Congo) + + + + + Nomaande + + + + + Lenca + + + + + Leti (Cameroon) + + + + + Lepcha + + + + + Lembena + + + + + Lenkau + + + + + Lese + + + + + Lesing-Gelimi + + + + + Kara (Papua New Guinea) + + + + + Lamma + + + + + Ledo Kaili + + + + + Luang + + + + + Lemolang + + + + + Lezghian + + + + + Lefa + + + + + Lingua Franca Nova + + + + + Lungga + + + + + Laghu + + + + + Lugbara + + + + + Laghuu + + + + + Lengilu + + + + + Lingarak + + + + + Wala + + + + + Lega-Mwenga + + + + + Opuuo + + + + + Logba + + + + + Lengo + + + + + Pahi + + + + + Longgu + + + + + Ligenza + + + + + Laha (Viet Nam) + + + + + Laha (Indonesia) + + + + + Lahu Shi + + + + + Lahul Lohar + + + + + Lhomi + + + + + Lahanan + + + + + Lhokpu + + + + + Mlahsö + + + + + Lo-Toga + + + + + Lahu + + + + + West-Central Limba + + + + + Likum + + + + + Hlai + + + + + Nyindrou + + + + + Likila + + + + + Limbu + + + + + Ligbi + + + + + Lihir + + + + + Lingkhim + + + + + Ligurian + + + + + Lika + + + + + Lillooet + + + + + Limburgan + + + + + Lingala + + + + + Liki + + + + + Sekpele + + + + + Libido + + + + + Liberian English + + + + + Lisu + + + + + Lithuanian + + + + + Logorik + + + + + Liv + + + + + Col + + + + + Liabuku + + + + + Banda-Bambari + + + + + Libinza + + + + + Golpa + + + + + Rampi + + + + + Laiyolo + + + + + Li'o + + + + + Lampung Api + + + + + Yirandali + + + + + Yuru + + + + + Lakalei + + + + + Kabras + + + + + Kucong + + + + + Lakondê + + + + + Kenyi + + + + + Lakha + + + + + Laki + + + + + Remun + + + + + Laeko-Libuat + + + + + Kalaamaya + + + + + Lakon + + + + + Khayo + + + + + Päri + + + + + Kisa + + + + + Lakota + + + + + Kungkari + + + + + Lokoya + + + + + Lala-Roba + + + + + Lolo + + + + + Lele (Guinea) + + + + + Ladin + + + + + Lele (Papua New Guinea) + + + + + Hermit + + + + + Lole + + + + + Lamu + + + + + Teke-Laali + + + + + Ladji Ladji + + + + + Lelak + + + + + Lilau + + + + + Lasalimu + + + + + Lele (Chad) + + + + + Khlor + + + + + North Efate + + + + + Lolak + + + + + Lithuanian Sign Language + + + + + Lau + + + + + Lauan + + + + + East Limba + + + + + Merei + + + + + Limilngan + + + + + Lumun + + + + + Pévé + + + + + South Lembata + + + + + Lamogai + + + + + Lambichhong + + + + + Lombi + + + + + West Lembata + + + + + Lamkang + + + + + Hano + + + + + Lamam + + + + + Lambadi + + + + + Lombard + + + + + Limbum + + + + + Lamatuka + + + + + Lamalera + + + + + Lamenu + + + + + Lomaiviti + + + + + Lake Miwok + + + + + Laimbue + + + + + Lamboya + + + + + Lumbee + + + + + Langbashe + + + + + Mbalanhu + + + + + Lundayeh + + + + + Langobardic + + + + + Lanoh + + + + + Daantanai' + + + + + Leningitij + + + + + South Central Banda + + + + + Langam + + + + + Lorediakarkar + + + + + Lango (Sudan) + + + + + Lamnso' + + + + + Longuda + + + + + Lanima + + + + + Lonzo + + + + + Loloda + + + + + Lobi + + + + + Inonhan + + + + + Saluan + + + + + Logol + + + + + Logo + + + + + Narim + + + + + Loma (Côte d'Ivoire) + + + + + Lou + + + + + Loko + + + + + Mongo + + + + + Loma (Liberia) + + + + + Malawi Lomwe + + + + + Lombo + + + + + Lopa + + + + + Lobala + + + + + Téén + + + + + Loniu + + + + + Otuho + + + + + Louisiana Creole French + + + + + Lopi + + + + + Tampias Lobu + + + + + Loun + + + + + Loke + + + + + Lozi + + + + + Lelepa + + + + + Lepki + + + + + Long Phuri Naga + + + + + Lipo + + + + + Lopit + + + + + Rara Bakati' + + + + + Northern Luri + + + + + Laurentian + + + + + Laragia + + + + + Marachi + + + + + Loarki + + + + + Lari + + + + + Marama + + + + + Lorang + + + + + Laro + + + + + Southern Yamphu + + + + + Larantuka Malay + + + + + Larevat + + + + + Lemerig + + + + + Lasgerdi + + + + + Lishana Deni + + + + + Lusengo + + + + + Lyons Sign Language + + + + + Lish + + + + + Lashi + + + + + Latvian Sign Language + + + + + Saamia + + + + + Laos Sign Language + + + + + Panamanian Sign Language + + + + + Aruop + + + + + Lasi + + + + + Trinidad and Tobago Sign Language + + + + + Mauritian Sign Language + + + + + Late Middle Chinese + + + + + Latgalian + + + + + Leti (Indonesia) + + + + + Latundê + + + + + Tsotso + + + + + Tachoni + + + + + Latu + + + + + Luxembourgish + + + + + Luba-Lulua + + + + + Luba-Katanga + + + + + Aringa + + + + + Ludian + + + + + Luvale + + + + + Laua + + + + + Ganda + + + + + Luiseno + + + + + Luna + + + + + Lunanakha + + + + + Olu'bo + + + + + Luimbi + + + + + Lunda + + + + + Luo (Kenya and Tanzania) + + + + + Lumbu + + + + + Lucumi + + + + + Laura + + + + + Lushai + + + + + Lushootseed + + + + + Lumba-Yakkha + + + + + Luwati + + + + + Luo (Cameroon) + + + + + Luyia + + + + + Southern Luri + + + + + Maku'a + + + + + Lavukaleve + + + + + Standard Latvian + + + + + Levuka + + + + + Lwalu + + + + + Lewo Eleng + + + + + Wanga + + + + + White Lachi + + + + + Eastern Lawa + + + + + Laomian + + + + + Luwo + + + + + Lewotobi + + + + + Lawu + + + + + Lewo + + + + + Layakha + + + + + Lyngngam + + + + + Luyana + + + + + Literary Chinese + + + + + Litzlitz + + + + + Leinong Naga + + + + + Laz + + + + + San Jerónimo Tecóatl Mazatec + + + + + Yutanduchi Mixtec + + + + + Madurese + + + + + Bo-Rukul + + + + + Mafa + + + + + Magahi + + + + + Marshallese + + + + + Maithili + + + + + Jalapa De Díaz Mazatec + + + + + Makasar + + + + + Malayalam + + + + + Mam + + + + + Mandingo + + + + + Chiquihuitlán Mazatec + + + + + Marathi + + + + + Masai + + + + + San Francisco Matlatzinca + + + + + Huautla Mazatec + + + + + Sateré-Mawé + + + + + Mampruli + + + + + North Moluccan Malay + + + + + Central Mazahua + + + + + Higaonon + + + + + Western Bukidnon Manobo + + + + + Macushi + + + + + Dibabawon Manobo + + + + + Molale + + + + + Baba Malay + + + + + Mangseng + + + + + Ilianen Manobo + + + + + Nadëb + + + + + Malol + + + + + Maxakalí + + + + + Ombamba + + + + + Macaguán + + + + + Mbo (Cameroon) + + + + + Malayo + + + + + Maisin + + + + + Nukak Makú + + + + + Sarangani Manobo + + + + + Matigsalug Manobo + + + + + Mbula-Bwazza + + + + + Mbulungish + + + + + Maring + + + + + Mari (East Sepik Province) + + + + + Memoni + + + + + Amoltepec Mixtec + + + + + Maca + + + + + Machiguenga + + + + + Bitur + + + + + Sharanahua + + + + + Itundujia Mixtec + + + + + Matsés + + + + + Mapoyo + + + + + Maquiritari + + + + + Mese + + + + + Mvanip + + + + + Mbunda + + + + + Macaguaje + + + + + Malaccan Creole Portuguese + + + + + Masana + + + + + Coatlán Mixe + + + + + Makaa + + + + + Ese + + + + + Menya + + + + + Mambai + + + + + Mengisa + + + + + Cameroon Mambila + + + + + Minanibai + + + + + Mawa (Chad) + + + + + Mpiemo + + + + + South Watut + + + + + Mawan + + + + + Mada (Nigeria) + + + + + Morigi + + + + + Male (Papua New Guinea) + + + + + Mbum + + + + + Maba (Chad) + + + + + Moksha + + + + + Massalat + + + + + Maguindanaon + + + + + Mamvu + + + + + Mangbetu + + + + + Mangbutu + + + + + Maltese Sign Language + + + + + Mayogo + + + + + Mbati + + + + + Mbala + + + + + Mbole + + + + + Mandar + + + + + Maria (Papua New Guinea) + + + + + Mbere + + + + + Mboko + + + + + Santa Lucía Monteverde Mixtec + + + + + Mbosi + + + + + Dizin + + + + + Male (Ethiopia) + + + + + Suruí Do Pará + + + + + Menka + + + + + Ikobi + + + + + Mara + + + + + Melpa + + + + + Mengen + + + + + Megam + + + + + Southwestern Tlaxiaco Mixtec + + + + + Midob + + + + + Meyah + + + + + Mekeo + + + + + Central Melanau + + + + + Mangala + + + + + Mende (Sierra Leone) + + + + + Kedah Malay + + + + + Miriwung + + + + + Merey + + + + + Meru + + + + + Masmaje + + + + + Mato + + + + + Motu + + + + + Mano + + + + + Maaka + + + + + Hassaniyya + + + + + Menominee + + + + + Pattani Malay + + + + + Bangka + + + + + Mba + + + + + Mendankwe-Nkwen + + + + + Morisyen + + + + + Naki + + + + + Mogofin + + + + + Matal + + + + + Wandala + + + + + Mefele + + + + + North Mofu + + + + + Putai + + + + + Marghi South + + + + + Cross River Mbembe + + + + + Mbe + + + + + Makassar Malay + + + + + Moba + + + + + Marithiel + + + + + Mexican Sign Language + + + + + Mokerang + + + + + Mbwela + + + + + Mandjak + + + + + Mulaha + + + + + Melo + + + + + Mayo + + + + + Mabaan + + + + + Middle Irish (900-1200) + + + + + Mararit + + + + + Morokodo + + + + + Moru + + + + + Mango + + + + + Maklew + + + + + Mpumpong + + + + + Makhuwa-Meetto + + + + + Lijili + + + + + Abureni + + + + + Mawes + + + + + Maleu-Kilenge + + + + + Mambae + + + + + Mbangi + + + + + Meta' + + + + + Eastern Magar + + + + + Malila + + + + + Mambwe-Lungu + + + + + Manda (Tanzania) + + + + + Mongol + + + + + Mailu + + + + + Matengo + + + + + Matumbi + + + + + Mbunga + + + + + Mbugwe + + + + + Manda (India) + + + + + Mahongwe + + + + + Mocho + + + + + Mbugu + + + + + Besisi + + + + + Mamaa + + + + + Margu + + + + + Maskoy Pidgin + + + + + Ma'di + + + + + Mogholi + + + + + Mungaka + + + + + Mauwake + + + + + Makhuwa-Moniga + + + + + Mócheno + + + + + Mashi (Zambia) + + + + + Balinese Malay + + + + + Mandan + + + + + Eastern Mari + + + + + Buru (Indonesia) + + + + + Mandahuaca + + + + + Digaro-Mishmi + + + + + Mbukushu + + + + + Maru + + + + + Ma'anyan + + + + + Mor (Mor Islands) + + + + + Miami + + + + + Atatláhuca Mixtec + + + + + Mi'kmaq + + + + + Mandaic + + + + + Ocotepec Mixtec + + + + + Mofu-Gudur + + + + + San Miguel El Grande Mixtec + + + + + Chayuco Mixtec + + + + + Chigmecatitlán Mixtec + + + + + Abar + + + + + Mikasuki + + + + + Peñoles Mixtec + + + + + Alacatlatzala Mixtec + + + + + Minangkabau + + + + + Pinotepa Nacional Mixtec + + + + + Apasco-Apoala Mixtec + + + + + Mískito + + + + + Isthmus Mixe + + + + + Uncoded languages + + + + + Southern Puebla Mixtec + + + + + Cacaloxtepec Mixtec + + + + + Akoye + + + + + Mixtepec Mixtec + + + + + Ayutla Mixtec + + + + + Coatzospan Mixtec + + + + + San Juan Colorado Mixtec + + + + + Northwest Maidu + + + + + Muskum + + + + + Tu + + + + + Mwera (Nyasa) + + + + + Kim Mun + + + + + Mawak + + + + + Matukar + + + + + Mandeali + + + + + Medebur + + + + + Ma (Papua New Guinea) + + + + + Malankuravan + + + + + Malapandaram + + + + + Malaryan + + + + + Malavedan + + + + + Miship + + + + + Sauria Paharia + + + + + Manna-Dora + + + + + Mannan + + + + + Karbi + + + + + Mahali + + + + + Mahican + + + + + Majhi + + + + + Mbre + + + + + Mal Paharia + + + + + Siliput + + + + + Macedonian + + + + + Mawchi + + + + + Miya + + + + + Mak (China) + + + + + Dhatki + + + + + Mokilese + + + + + Byep + + + + + Mokole + + + + + Moklen + + + + + Kupang Malay + + + + + Mingang Doso + + + + + Moikodi + + + + + Bay Miwok + + + + + Malas + + + + + Silacayoapan Mixtec + + + + + Vamale + + + + + Konyanka Maninka + + + + + Mafea + + + + + Kituba (Congo) + + + + + Kinamiging Manobo + + + + + East Makian + + + + + Makasae + + + + + Malo + + + + + Mbule + + + + + Cao Lan + + + + + Manambu + + + + + Mal + + + + + Malagasy + + + + + Mape + + + + + Malimpung + + + + + Miltu + + + + + Ilwana + + + + + Malua Bay + + + + + Mulam + + + + + Malango + + + + + Mlomp + + + + + Bargam + + + + + Western Maninkakan + + + + + Vame + + + + + Masalit + + + + + Maltese + + + + + To'abaita + + + + + Motlav + + + + + Moloko + + + + + Malfaxal + + + + + Malaynon + + + + + Mama + + + + + Momina + + + + + Michoacán Mazahua + + + + + Maonan + + + + + Mae + + + + + Mundat + + + + + North Ambrym + + + + + Mehináku + + + + + Musar + + + + + Majhwar + + + + + Mukha-Dora + + + + + Man Met + + + + + Maii + + + + + Mamanwa + + + + + Mangga Buang + + + + + Siawi + + + + + Musak + + + + + Western Xiangxi Miao + + + + + Malalamai + + + + + Mmaala + + + + + Miriti + + + + + Emae + + + + + Madak + + + + + Migaama + + + + + Mabaale + + + + + Mbula + + + + + Muna + + + + + Manchu + + + + + Mondé + + + + + Naba + + + + + Mundani + + + + + Eastern Mnong + + + + + Mono (Democratic Republic of Congo) + + + + + Manipuri + + + + + Munji + + + + + Mandinka + + + + + Tiale + + + + + Mapena + + + + + Southern Mnong + + + + + Min Bei Chinese + + + + + Minriq + + + + + Mono (USA) + + + + + Mansi + + + + + Mer + + + + + Rennell-Bellona + + + + + Mon + + + + + Manikion + + + + + Manyawa + + + + + Moni + + + + + Mwan + + + + + Mocoví + + + + + Mobilian + + + + + Montagnais + + + + + Mongondow + + + + + Mohawk + + + + + Mboi + + + + + Monzombo + + + + + Morori + + + + + Mangue + + + + + Mongolian + + + + + Monom + + + + + Mopán Maya + + + + + Mor (Bomberai Peninsula) + + + + + Moro + + + + + Mossi + + + + + Barí + + + + + Mogum + + + + + Mohave + + + + + Moi (Congo) + + + + + Molima + + + + + Shekkacho + + + + + Mukulu + + + + + Mpoto + + + + + Mullukmulluk + + + + + Mangarayi + + + + + Machinere + + + + + Majang + + + + + Marba + + + + + Maung + + + + + Mpade + + + + + Martu Wangka + + + + + Mbara (Chad) + + + + + Middle Watut + + + + + Yosondúa Mixtec + + + + + Mindiri + + + + + Miu + + + + + Migabac + + + + + Matís + + + + + Vangunu + + + + + Dadibi + + + + + Mian + + + + + Makuráp + + + + + Mungkip + + + + + Mapidian + + + + + Misima-Panaeati + + + + + Mapia + + + + + Mpi + + + + + Maba (Indonesia) + + + + + Mbuko + + + + + Mangole + + + + + Matepi + + + + + Momuna + + + + + Kota Bangun Kutai Malay + + + + + Tlazoyaltepec Mixtec + + + + + Mariri + + + + + Mamasa + + + + + Rajah Kabunsuwan Manobo + + + + + Mbelime + + + + + South Marquesan + + + + + Moronene + + + + + Modole + + + + + Manipa + + + + + Minokok + + + + + Mander + + + + + West Makian + + + + + Mok + + + + + Mandari + + + + + Mosimo + + + + + Murupi + + + + + Mamuju + + + + + Manggarai + + + + + Pano + + + + + Mlabri + + + + + Marino + + + + + Maricopa + + + + + Western Magar + + + + + Martha's Vineyard Sign Language + + + + + Elseng + + + + + Mising + + + + + Mara Chin + + + + + Maori + + + + + Western Mari + + + + + Hmwaveke + + + + + Mortlockese + + + + + Merlav + + + + + Cheke Holo + + + + + Mru + + + + + Morouas + + + + + North Marquesan + + + + + Maria (India) + + + + + Maragus + + + + + Marghi Central + + + + + Mono (Cameroon) + + + + + Mangareva + + + + + Maranao + + + + + Maremgi + + + + + Mandaya + + + + + Marind + + + + + Malay (macrolanguage) + + + + + Masbatenyo + + + + + Sankaran Maninka + + + + + Yucatec Maya Sign Language + + + + + Musey + + + + + Mekwei + + + + + Moraid + + + + + Masikoro Malagasy + + + + + Sabah Malay + + + + + Ma (Democratic Republic of Congo) + + + + + Mansaka + + + + + Molof + + + + + Agusan Manobo + + + + + Vurës + + + + + Mombum + + + + + Maritsauá + + + + + Caac + + + + + Mongolian Sign Language + + + + + West Masela + + + + + Musom + + + + + Maslam + + + + + Mansoanka + + + + + Moresada + + + + + Aruamu + + + + + Momare + + + + + Cotabato Manobo + + + + + Anyin Morofo + + + + + Munit + + + + + Mualang + + + + + Mono (Solomon Islands) + + + + + Murik (Papua New Guinea) + + + + + Una + + + + + Munggui + + + + + Maiwa (Papua New Guinea) + + + + + Moskona + + + + + Mbe' + + + + + Montol + + + + + Mator + + + + + Matagalpa + + + + + Totontepec Mixe + + + + + Wichí Lhamtés Nocten + + + + + Muong + + + + + Mewari + + + + + Yora + + + + + Mota + + + + + Tututepec Mixtec + + + + + Asaro'o + + + + + Southern Binukidnon + + + + + Tidaá Mixtec + + + + + Nabi + + + + + Mundang + + + + + Mubi + + + + + Ajumbu + + + + + Mednyj Aleut + + + + + Media Lengua + + + + + Musgu + + + + + Mündü + + + + + Musi + + + + + Mabire + + + + + Mugom + + + + + Multiple languages + + + + + Maiwala + + + + + Nyong + + + + + Malvi + + + + + Eastern Xiangxi Miao + + + + + Murle + + + + + Creek + + + + + Western Muria + + + + + Yaaku + + + + + Muthuvan + + + + + Bo-Ung + + + + + Muyang + + + + + Mursi + + + + + Manam + + + + + Mattole + + + + + Mamboru + + + + + Marwari (Pakistan) + + + + + Peripheral Mongolian + + + + + Yucuañe Mixtec + + + + + Mulgi + + + + + Miyako + + + + + Mekmek + + + + + Mbara (Australia) + + + + + Muya + + + + + Minaveha + + + + + Marovo + + + + + Duri + + + + + Moere + + + + + Marau + + + + + Massep + + + + + Mpotovoro + + + + + Marfa + + + + + Tagal Murut + + + + + Machinga + + + + + Meoswar + + + + + Indus Kohistani + + + + + Mesqan + + + + + Mwatebu + + + + + Juwal + + + + + Are + + + + + Mwera (Chimwera) + + + + + Murrinh-Patha + + + + + Aiklep + + + + + Mouk-Aria + + + + + Labo + + + + + Maligo + + + + + Kita Maninkakan + + + + + Mirandese + + + + + Sar + + + + + Nyamwanga + + + + + Central Maewo + + + + + Kala Lagaw Ya + + + + + Mün Chin + + + + + Marwari + + + + + Mwimbi-Muthambi + + + + + Moken + + + + + Mittu + + + + + Mentawai + + + + + Hmong Daw + + + + + Mediak + + + + + Mosiro + + + + + Moingi + + + + + Northwest Oaxaca Mixtec + + + + + Tezoatlán Mixtec + + + + + Manyika + + + + + Modang + + + + + Mele-Fila + + + + + Malgbe + + + + + Mbangala + + + + + Mvuba + + + + + Mozarabic + + + + + Miju-Mishmi + + + + + Monumbo + + + + + Maxi Gbe + + + + + Meramera + + + + + Moi (Indonesia) + + + + + Mbowe + + + + + Tlahuitoltepec Mixe + + + + + Juquila Mixe + + + + + Murik (Malaysia) + + + + + Huitepec Mixtec + + + + + Jamiltepec Mixtec + + + + + Mada (Cameroon) + + + + + Metlatónoc Mixtec + + + + + Namo + + + + + Mahou + + + + + Southeastern Nochixtlán Mixtec + + + + + Central Masela + + + + + Burmese + + + + + Mbay + + + + + Mayeka + + + + + Maramba + + + + + Myene + + + + + Bambassi + + + + + Manta + + + + + Makah + + + + + Mina (India) + + + + + Mangayat + + + + + Mamara Senoufo + + + + + Moma + + + + + Me'en + + + + + Anfillo + + + + + Pirahã + + + + + Muniche + + + + + Mesmes + + + + + Mundurukú + + + + + Erzya + + + + + Muyuw + + + + + Masaaba + + + + + Macuna + + + + + Classical Mandaic + + + + + Santa María Zacatepec Mixtec + + + + + Tumzabt + + + + + Madagascar Sign Language + + + + + Malimba + + + + + Morawa + + + + + Monastic Sign Language + + + + + Wichí Lhamtés Güisnay + + + + + Ixcatlán Mazatec + + + + + Manya + + + + + Nigeria Mambila + + + + + Mazatlán Mixe + + + + + Mumuye + + + + + Mazanderani + + + + + Matipuhy + + + + + Movima + + + + + Mori Atas + + + + + Marúbo + + + + + Macanese + + + + + Mintil + + + + + Inapang + + + + + Manza + + + + + Deg + + + + + Mawayana + + + + + Mozambican Sign Language + + + + + Maiadomu + + + + + Namla + + + + + Southern Nambikuára + + + + + Narak + + + + + Nijadali + + + + + Naka'ela + + + + + Nabak + + + + + Naga Pidgin + + + + + Nalu + + + + + Nakanai + + + + + Nalik + + + + + Ngan'gityemerri + + + + + Min Nan Chinese + + + + + Naaba + + + + + Neapolitan + + + + + Nama (Namibia) + + + + + Iguta + + + + + Naasioi + + + + + Hungworo + + + + + Nauru + + + + + Navajo + + + + + Nawuri + + + + + Nakwi + + + + + Narrinyeri + + + + + Coatepec Nahuatl + + + + + Nyemba + + + + + Ndoe + + + + + Chang Naga + + + + + Ngbinda + + + + + Konyak Naga + + + + + Nagarchal + + + + + Ngamo + + + + + Mao Naga + + + + + Ngarinman + + + + + Nake + + + + + South Ndebele + + + + + Ngbaka Ma'bo + + + + + Kuri + + + + + Nkukoli + + + + + Nnam + + + + + Nggem + + + + + Numana-Nunku-Gbantu-Numbu + + + + + Namibian Sign Language + + + + + Na + + + + + Rongmei Naga + + + + + Ngamambo + + + + + Southern Ngbandi + + + + + Ningera + + + + + Iyo + + + + + Central Nicobarese + + + + + Ponam + + + + + Nachering + + + + + Yale + + + + + Notsi + + + + + Nisga'a + + + + + Central Huasteca Nahuatl + + + + + Classical Nahuatl + + + + + Northern Puebla Nahuatl + + + + + Nakara + + + + + Michoacán Nahuatl + + + + + Nambo + + + + + Nauna + + + + + Sibe + + + + + Ndaktup + + + + + Ncane + + + + + Nicaraguan Sign Language + + + + + Chothe Naga + + + + + Chumburung + + + + + Central Puebla Nahuatl + + + + + Natchez + + + + + Ndasa + + + + + Kenswei Nsei + + + + + Ndau + + + + + Nde-Nsele-Nta + + + + + North Ndebele + + + + + Nadruvian + + + + + Ndengereko + + + + + Ndali + + + + + Samba Leko + + + + + Ndamba + + + + + Ndaka + + + + + Ndolo + + + + + Ndam + + + + + Ngundi + + + + + Ndonga + + + + + Ndo + + + + + Ndombe + + + + + Ndoola + + + + + Low German + + + + + Ndunga + + + + + Dugun + + + + + Ndut + + + + + Ndobo + + + + + Nduga + + + + + Lutos + + + + + Ndogo + + + + + Eastern Ngad'a + + + + + Toura (Côte d'Ivoire) + + + + + Nedebang + + + + + Nde-Gbite + + + + + Nêlêmwa-Nixumwak + + + + + Nefamese + + + + + Negidal + + + + + Nyenkha + + + + + Neo-Hittite + + + + + Neko + + + + + Neku + + + + + Nemi + + + + + Nengone + + + + + Ná-Meo + + + + + Nepali (macrolanguage) + + + + + North Central Mixe + + + + + Yahadian + + + + + Bhoti Kinnauri + + + + + Nete + + + + + Neo + + + + + Nyaheun + + + + + Newari + + + + + Neme + + + + + Neyo + + + + + Nez Perce + + + + + Dhao + + + + + Ahwai + + + + + Ayiwo + + + + + Nafaanra + + + + + Mfumte + + + + + Ngbaka + + + + + Northern Ngbandi + + + + + Ngombe (Democratic Republic of Congo) + + + + + Ngando (Central African Republic) + + + + + Ngemba + + + + + Ngbaka Manza + + + + + N/u + + + + + Ngizim + + + + + Ngie + + + + + Dalabon + + + + + Lomwe + + + + + Ngatik Men's Creole + + + + + Ngwo + + + + + Ngoni + + + + + Ngulu + + + + + Ngurimi + + + + + Engdewu + + + + + Gvoko + + + + + Ngeq + + + + + Guerrero Nahuatl + + + + + Nagumi + + + + + Ngwaba + + + + + Nggwahyi + + + + + Tibea + + + + + Ngungwel + + + + + Nhanda + + + + + Beng + + + + + Tabasco Nahuatl + + + + + Chiripá + + + + + Eastern Huasteca Nahuatl + + + + + Nhuwala + + + + + Tetelcingo Nahuatl + + + + + Nahari + + + + + Zacatlán-Ahuacatlán-Tepetzintla Nahuatl + + + + + Isthmus-Cosoleacaque Nahuatl + + + + + Morelos Nahuatl + + + + + Central Nahuatl + + + + + Takuu + + + + + Isthmus-Pajapan Nahuatl + + + + + Huaxcaleca Nahuatl + + + + + Naro + + + + + Ometepec Nahuatl + + + + + Noone + + + + + Temascaltepec Nahuatl + + + + + Western Huasteca Nahuatl + + + + + Isthmus-Mecayapan Nahuatl + + + + + Northern Oaxaca Nahuatl + + + + + Santa María La Alta Nahuatl + + + + + Nias + + + + + Nakame + + + + + Ngandi + + + + + Niellim + + + + + Nek + + + + + Ngalakan + + + + + Nyiha (Tanzania) + + + + + Nii + + + + + Ngaju + + + + + Southern Nicobarese + + + + + Nila + + + + + Nilamba + + + + + Ninzo + + + + + Nganasan + + + + + Nandi + + + + + Nimboran + + + + + Nimi + + + + + Southeastern Kolami + + + + + Niuean + + + + + Gilyak + + + + + Nimo + + + + + Hema + + + + + Ngiti + + + + + Ningil + + + + + Nzanyi + + + + + Nocte Naga + + + + + Ndonde Hamba + + + + + Lotha Naga + + + + + Gudanji + + + + + Njen + + + + + Njalgulgule + + + + + Angami Naga + + + + + Liangmai Naga + + + + + Ao Naga + + + + + Njerep + + + + + Nisa + + + + + Ndyuka-Trio Pidgin + + + + + Ngadjunmaya + + + + + Kunyi + + + + + Njyem + + + + + Nyishi + + + + + Nkoya + + + + + Khoibu Naga + + + + + Nkongho + + + + + Koireng + + + + + Duke + + + + + Inpui Naga + + + + + Nekgini + + + + + Khezha Naga + + + + + Thangal Naga + + + + + Nakai + + + + + Nokuku + + + + + Namat + + + + + Nkangala + + + + + Nkonya + + + + + Niuatoputapu + + + + + Nkami + + + + + Nukuoro + + + + + North Asmat + + + + + Nyika (Tanzania) + + + + + Bouna Kulango + + + + + Nyika (Malawi and Zambia) + + + + + Nkutu + + + + + Nkoroo + + + + + Nkari + + + + + Ngombale + + + + + Nalca + + + + + Dutch + + + + + East Nyala + + + + + Gela + + + + + Grangali + + + + + Nyali + + + + + Ninia Yali + + + + + Nihali + + + + + Ngul + + + + + Lao Naga + + + + + Nchumbulu + + + + + Orizaba Nahuatl + + + + + Walangama + + + + + Nahali + + + + + Nyamal + + + + + Nalögo + + + + + Maram Naga + + + + + Big Nambas + + + + + Ngam + + + + + Ndumu + + + + + Mzieme Naga + + + + + Tangkhul Naga (India) + + + + + Kwasio + + + + + Monsang Naga + + + + + Nyam + + + + + Ngombe (Central African Republic) + + + + + Namakura + + + + + Ndemli + + + + + Manangba + + + + + !Xóõ + + + + + Moyon Naga + + + + + Nimanbur + + + + + Nambya + + + + + Nimbari + + + + + Letemboi + + + + + Namonuito + + + + + Northeast Maidu + + + + + Ngamini + + + + + Nimoa + + + + + Nama (Papua New Guinea) + + + + + Namuyi + + + + + Nawdm + + + + + Nyangumarta + + + + + Nande + + + + + Nancere + + + + + West Ambae + + + + + Ngandyera + + + + + Ngaing + + + + + Maring Naga + + + + + Ngiemboon + + + + + North Nuaulu + + + + + Nyangatom + + + + + Nankina + + + + + Northern Rengma Naga + + + + + Namia + + + + + Ngete + + + + + Norwegian Nynorsk + + + + + Wancho Naga + + + + + Ngindo + + + + + Narungga + + + + + Ningye + + + + + Nanticoke + + + + + Dwang + + + + + Nugunu (Australia) + + + + + Southern Nuni + + + + + Ngong + + + + + Nyangga + + + + + Nda'nda' + + + + + Woun Meu + + + + + Norwegian Bokmål + + + + + Nuk + + + + + Northern Thai + + + + + Nimadi + + + + + Nomane + + + + + Nogai + + + + + Nomu + + + + + Noiri + + + + + Nonuya + + + + + Nooksack + + + + + Nomlaki + + + + + Nocamán + + + + + Old Norse + + + + + Numanggang + + + + + Ngongo + + + + + Norwegian + + + + + Eastern Nisu + + + + + Nomatsiguenga + + + + + Ewage-Notu + + + + + Novial + + + + + Nyambo + + + + + Noy + + + + + Nayi + + + + + Nar Phu + + + + + Nupbikha + + + + + Ponyo-Gongwang Naga + + + + + Phom Naga + + + + + Nepali (individual language) + + + + + Southeastern Puebla Nahuatl + + + + + Mondropolon + + + + + Pochuri Naga + + + + + Nipsan + + + + + Puimei Naga + + + + + Napu + + + + + Southern Nago + + + + + Kura Ede Nago + + + + + Ndom + + + + + Nen + + + + + N'Ko + + + + + Kyan-Karyaw Naga + + + + + Akyaung Ari Naga + + + + + Ngom + + + + + Nara + + + + + Noric + + + + + Southern Rengma Naga + + + + + Narango + + + + + Chokri Naga + + + + + Ngarla + + + + + Ngarluma + + + + + Narom + + + + + Norn + + + + + North Picene + + + + + Norra + + + + + Northern Kalapuya + + + + + Narua + + + + + Ngurmbur + + + + + Lala + + + + + Sangtam Naga + + + + + Nshi + + + + + Southern Nisu + + + + + Nsenga + + + + + Northwestern Nisu + + + + + Ngasa + + + + + Ngoshie + + + + + Nigerian Sign Language + + + + + Naskapi + + + + + Norwegian Sign Language + + + + + Sumi Naga + + + + + Nehan + + + + + Pedi + + + + + Nepalese Sign Language + + + + + Northern Sierra Miwok + + + + + Maritime Sign Language + + + + + Nali + + + + + Tase Naga + + + + + Sierra Negra Nahuatl + + + + + Southwestern Nisu + + + + + Navut + + + + + Nsongo + + + + + Nasal + + + + + Nisenan + + + + + Nathembo + + + + + Ngantangarra + + + + + Natioro + + + + + Ngaanyatjarra + + + + + Ikoma-Nata-Isenye + + + + + Nateni + + + + + Ntomba + + + + + Northern Tepehuan + + + + + Delo + + + + + Natagaimas + + + + + Natügu + + + + + Nottoway + + + + + Tangkhul Naga (Myanmar) + + + + + Mantsi + + + + + Natanzi + + + + + Yuanga + + + + + Nukuini + + + + + Ngala + + + + + Ngundu + + + + + Nusu + + + + + Nungali + + + + + Ndunda + + + + + Ngumbi + + + + + Nyole + + + + + Nuu-chah-nulth + + + + + Nusa Laut + + + + + Niuafo'ou + + + + + Anong + + + + + Nguôn + + + + + Nupe-Nupe-Tako + + + + + Nukumanu + + + + + Nukuria + + + + + Nuer + + + + + Nung (Viet Nam) + + + + + Ngbundu + + + + + Northern Nuni + + + + + Nguluwan + + + + + Mehek + + + + + Nunggubuyu + + + + + Tlamacazapa Nahuatl + + + + + Nasarian + + + + + Namiae + + + + + Nyokon + + + + + Nawathinehena + + + + + Nyabwa + + + + + Classical Newari + + + + + Ngwe + + + + + Ngayawung + + + + + Southwest Tanna + + + + + Nyamusa-Molo + + + + + Nauo + + + + + Nawaru + + + + + Middle Newar + + + + + Nottoway-Meherrin + + + + + Nauete + + + + + Ngando (Democratic Republic of Congo) + + + + + Nage + + + + + Ngad'a + + + + + Nindi + + + + + Koki Naga + + + + + South Nuaulu + + + + + Numidian + + + + + Ngawun + + + + + Naxi + + + + + Ninggerum + + + + + Narau + + + + + Nafri + + + + + Nyanja + + + + + Nyangbo + + + + + Nyanga-li + + + + + Nyore + + + + + Nyengo + + + + + Giryama + + + + + Nyindu + + + + + Nyigina + + + + + Ama (Sudan) + + + + + Nyanga + + + + + Nyaneka + + + + + Nyeu + + + + + Nyamwezi + + + + + Nyankole + + + + + Nyoro + + + + + Nyang'i + + + + + Nayini + + + + + Nyiha (Malawi) + + + + + Nyunga + + + + + Nyawaygi + + + + + Nyungwe + + + + + Nyulnyul + + + + + Nyaw + + + + + Nganyaywana + + + + + Nyakyusa-Ngonde + + + + + Tigon Mbembe + + + + + Njebi + + + + + Nzima + + + + + Nzakara + + + + + Zeme Naga + + + + + New Zealand Sign Language + + + + + Teke-Nzikou + + + + + Nzakambay + + + + + Nanga Dama Dogon + + + + + Orok + + + + + Oroch + + + + + Old Aramaic (up to 700 BCE) + + + + + Old Avar + + + + + Obispeño + + + + + Southern Bontok + + + + + Oblo + + + + + Moabite + + + + + Obo Manobo + + + + + Old Burmese + + + + + Old Breton + + + + + Obulom + + + + + Ocaina + + + + + Old Chinese + + + + + Occitan (post 1500) + + + + + Old Cornish + + + + + Atzingo Matlatzinca + + + + + Odut + + + + + Od + + + + + Old Dutch + + + + + Odual + + + + + Ofo + + + + + Old Frisian + + + + + Efutop + + + + + Ogbia + + + + + Ogbah + + + + + Old Georgian + + + + + Ogbogolo + + + + + Khana + + + + + Ogbronuagum + + + + + Old Hittite + + + + + Old Hungarian + + + + + Oirata + + + + + Inebu One + + + + + Northwestern Ojibwa + + + + + Central Ojibwa + + + + + Eastern Ojibwa + + + + + Ojibwa + + + + + Old Japanese + + + + + Severn Ojibwa + + + + + Ontong Java + + + + + Western Ojibwa + + + + + Okanagan + + + + + Okobo + + + + + Okodia + + + + + Okpe (Southwestern Edo) + + + + + Koko Babangk + + + + + Koresh-e Rostam + + + + + Okiek + + + + + Oko-Juwoi + + + + + Kwamtim One + + + + + Old Kentish Sign Language + + + + + Middle Korean (10th-16th cent.) + + + + + Oki-No-Erabu + + + + + Old Korean (3rd-9th cent.) + + + + + Kirike + + + + + Oko-Eni-Osayen + + + + + Oku + + + + + Orokaiva + + + + + Okpe (Northwestern Edo) + + + + + Walungge + + + + + Mochi + + + + + Olekha + + + + + Olkol + + + + + Oloma + + + + + Livvi + + + + + Olrat + + + + + Omaha-Ponca + + + + + East Ambae + + + + + Mochica + + + + + Omejes + + + + + Omagua + + + + + Omi + + + + + Omok + + + + + Ombo + + + + + Minoan + + + + + Utarmbung + + + + + Old Manipuri + + + + + Old Marathi + + + + + Omotik + + + + + Omurano + + + + + South Tairora + + + + + Old Mon + + + + + Ona + + + + + Lingao + + + + + Oneida + + + + + Olo + + + + + Onin + + + + + Onjob + + + + + Kabore One + + + + + Onobasulu + + + + + Onondaga + + + + + Sartang + + + + + Northern One + + + + + Ono + + + + + Ontenu + + + + + Unua + + + + + Old Nubian + + + + + Onin Based Pidgin + + + + + Tohono O'odham + + + + + Ong + + + + + Önge + + + + + Oorlams + + + + + Old Ossetic + + + + + Okpamheri + + + + + Kopkaka + + + + + Oksapmin + + + + + Opao + + + + + Opata + + + + + Ofayé + + + + + Oroha + + + + + Orma + + + + + Orejón + + + + + Oring + + + + + Oroqen + + + + + Oriya (macrolanguage) + + + + + Oromo + + + + + Orang Kanaq + + + + + Orokolo + + + + + Oruma + + + + + Orang Seletar + + + + + Adivasi Oriya + + + + + Ormuri + + + + + Old Russian + + + + + Oro Win + + + + + Oro + + + + + Oriya (individual language) + + + + + Ormu + + + + + Osage + + + + + Oscan + + + + + Osing + + + + + Ososo + + + + + Old Spanish + + + + + Ossetian + + + + + Osatu + + + + + Southern One + + + + + Old Saxon + + + + + Ottoman Turkish (1500-1928) + + + + + Old Tibetan + + + + + Ot Danum + + + + + Mezquital Otomi + + + + + Oti + + + + + Old Turkish + + + + + Tilapa Otomi + + + + + Eastern Highland Otomi + + + + + Tenango Otomi + + + + + Querétaro Otomi + + + + + Otoro + + + + + Estado de México Otomi + + + + + Temoaya Otomi + + + + + Otuke + + + + + Ottawa + + + + + Texcatepec Otomi + + + + + Old Tamil + + + + + Ixtenco Otomi + + + + + Tagargrent + + + + + Glio-Oubi + + + + + Oune + + + + + Old Uighur + + + + + Ouma + + + + + !O!ung + + + + + Owiniga + + + + + Old Welsh + + + + + Oy + + + + + Oyda + + + + + Wayampi + + + + + Oya'oya + + + + + Koonzime + + + + + Parecís + + + + + Pacoh + + + + + Paumarí + + + + + Pagibete + + + + + Paranawát + + + + + Pangasinan + + + + + Tenharim + + + + + Pe + + + + + Parakanã + + + + + Pahlavi + + + + + Pampanga + + + + + Panjabi + + + + + Northern Paiute + + + + + Papiamento + + + + + Parya + + + + + Panamint + + + + + Papasena + + + + + Papitalai + + + + + Palauan + + + + + Pakaásnovos + + + + + Pawnee + + + + + Pankararé + + + + + Pech + + + + + Pankararú + + + + + Páez + + + + + Patamona + + + + + Mezontla Popoloca + + + + + Coyotepec Popoloca + + + + + Paraujano + + + + + E'ñapa Woromaipu + + + + + Parkwa + + + + + Mak (Nigeria) + + + + + Kpasam + + + + + Papel + + + + + Badyara + + + + + Pangwa + + + + + Central Pame + + + + + Southern Pashto + + + + + Northern Pashto + + + + + Pnar + + + + + Pyu + + + + + Santa Inés Ahuatempan Popoloca + + + + + Pear + + + + + Bouyei + + + + + Picard + + + + + Ruching Palaung + + + + + Paliyan + + + + + Paniya + + + + + Pardhan + + + + + Duruwa + + + + + Parenga + + + + + Paite Chin + + + + + Pardhi + + + + + Nigerian Pidgin + + + + + Piti + + + + + Pacahuara + + + + + Pyapun + + + + + Anam + + + + + Pennsylvania German + + + + + Pa Di + + + + + Podena + + + + + Padoe + + + + + Plautdietsch + + + + + Kayan + + + + + Peranakan Indonesian + + + + + Eastern Pomo + + + + + Mala (Papua New Guinea) + + + + + Taje + + + + + Northeastern Pomo + + + + + Pengo + + + + + Bonan + + + + + Chichimeca-Jonaz + + + + + Northern Pomo + + + + + Penchal + + + + + Pekal + + + + + Phende + + + + + Old Persian (ca. 600-400 B.C.) + + + + + Kunja + + + + + Southern Pomo + + + + + Iranian Persian + + + + + Pémono + + + + + Petats + + + + + Petjo + + + + + Eastern Penan + + + + + Pááfang + + + + + Peere + + + + + Pfaelzisch + + + + + Sudanese Creole Arabic + + + + + Pangwali + + + + + Pagi + + + + + Rerep + + + + + Primitive Irish + + + + + Paelignian + + + + + Pangseng + + + + + Pagu + + + + + Pa-Hng + + + + + Phudagi + + + + + Phuong + + + + + Phukha + + + + + Phake + + + + + Phalura + + + + + Phimbi + + + + + Phoenician + + + + + Phunoi + + + + + Phana' + + + + + Pahari-Potwari + + + + + Phu Thai + + + + + Phuan + + + + + Pahlavani + + + + + Phangduwali + + + + + Pima Bajo + + + + + Yine + + + + + Pinji + + + + + Piaroa + + + + + Piro + + + + + Pingelapese + + + + + Pisabo + + + + + Pitcairn-Norfolk + + + + + Pini + + + + + Pijao + + + + + Yom + + + + + Powhatan + + + + + Piame + + + + + Piapoco + + + + + Pero + + + + + Piratapuyo + + + + + Pijin + + + + + Pitta Pitta + + + + + Pintupi-Luritja + + + + + Pileni + + + + + Pimbwe + + + + + Piu + + + + + Piya-Kwonci + + + + + Pije + + + + + Pitjantjatjara + + + + + Ardhamāgadhī Prākrit + + + + + Pokomo + + + + + Paekche + + + + + Pak-Tong + + + + + Pankhu + + + + + Pakanha + + + + + Pökoot + + + + + Pukapuka + + + + + Attapady Kurumba + + + + + Pakistan Sign Language + + + + + Maleng + + + + + Paku + + + + + Miani + + + + + Polonombauk + + + + + Central Palawano + + + + + Polari + + + + + Palu'e + + + + + Pilagá + + + + + Paulohi + + + + + Pali + + + + + Polci + + + + + Kohistani Shina + + + + + Shwe Palaung + + + + + Palenquero + + + + + Oluta Popoluca + + + + + Palpa + + + + + Palaic + + + + + Palaka Senoufo + + + + + San Marcos Tlalcoyalco Popoloca + + + + + Plateau Malagasy + + + + + Palikúr + + + + + Southwest Palawano + + + + + Brooke's Point Palawano + + + + + Bolyu + + + + + Paluan + + + + + Paama + + + + + Pambia + + + + + Palumata + + + + + Pallanganmiddang + + + + + Pwaamei + + + + + Pamona + + + + + Māhārāṣṭri Prākrit + + + + + Northern Pumi + + + + + Southern Pumi + + + + + Pamlico + + + + + Lingua Franca + + + + + Pomo + + + + + Pam + + + + + Pom + + + + + Northern Pame + + + + + Paynamar + + + + + Piemontese + + + + + Tuamotuan + + + + + Mirpur Panjabi + + + + + Plains Miwok + + + + + Poumei Naga + + + + + Papuan Malay + + + + + Southern Pame + + + + + Punan Bah-Biau + + + + + Western Panjabi + + + + + Pannei + + + + + Western Penan + + + + + Pongu + + + + + Penrhyn + + + + + Aoheng + + + + + Pinjarup + + + + + Paunaka + + + + + Punan Batu 1 + + + + + Pinai-Hagahai + + + + + Panobo + + + + + Pancana + + + + + Pana (Burkina Faso) + + + + + Panim + + + + + Ponosakan + + + + + Pontic + + + + + Jiongnai Bunu + + + + + Pinigura + + + + + Panytyima + + + + + Phong-Kniang + + + + + Pinyin + + + + + Pana (Central African Republic) + + + + + Poqomam + + + + + Ponares + + + + + San Juan Atzingo Popoloca + + + + + Poke + + + + + Potiguára + + + + + Poqomchi' + + + + + Highland Popoluca + + + + + Pokangá + + + + + Polish + + + + + Southeastern Pomo + + + + + Pohnpeian + + + + + Central Pomo + + + + + Pwapwâ + + + + + Texistepec Popoluca + + + + + Portuguese + + + + + Sayula Popoluca + + + + + Potawatomi + + + + + Upper Guinea Crioulo + + + + + San Felipe Otlaltepec Popoloca + + + + + Polabian + + + + + Pogolo + + + + + Pao + + + + + Papi + + + + + Paipai + + + + + Uma + + + + + Pipil + + + + + Papuma + + + + + Papapana + + + + + Folopa + + + + + Pelende + + + + + Pei + + + + + San Luís Temalacayuca Popoloca + + + + + Pare + + + + + Papora + + + + + Pa'a + + + + + Malecite-Passamaquoddy + + + + + Lua' + + + + + Parachi + + + + + Parsi-Dari + + + + + Principense + + + + + Paranan + + + + + Prussian + + + + + Porohanon + + + + + Paicî + + + + + Parauk + + + + + Peruvian Sign Language + + + + + Kibiri + + + + + Prasuni + + + + + Old Provençal (to 1500) + + + + + Parsi + + + + + Ashéninka Perené + + + + + Puri + + + + + Dari + + + + + Phai + + + + + Puragi + + + + + Parawen + + + + + Purik + + + + + Pray 3 + + + + + Providencia Sign Language + + + + + Asue Awyu + + + + + Persian Sign Language + + + + + Plains Indian Sign Language + + + + + Central Malay + + + + + Penang Sign Language + + + + + Southwest Pashayi + + + + + Southeast Pashayi + + + + + Puerto Rican Sign Language + + + + + Pauserna + + + + + Panasuan + + + + + Polish Sign Language + + + + + Philippine Sign Language + + + + + Pasi + + + + + Portuguese Sign Language + + + + + Kaulong + + + + + Central Pashto + + + + + Sauraseni Prākrit + + + + + Port Sandwich + + + + + Piscataway + + + + + Pai Tavytera + + + + + Pataxó Hã-Ha-Hãe + + + + + Pintiini + + + + + Patani + + + + + Zo'é + + + + + Patep + + + + + Piamatsina + + + + + Enrekang + + + + + Bambam + + + + + Port Vato + + + + + Pentlatch + + + + + Pathiya + + + + + Western Highland Purepecha + + + + + Purum + + + + + Punan Merap + + + + + Punan Aput + + + + + Puelche + + + + + Punan Merah + + + + + Phuie + + + + + Puinave + + + + + Punan Tubu + + + + + Pu Ko + + + + + Puma + + + + + Puoc + + + + + Pulabu + + + + + Puquina + + + + + Puruborá + + + + + Pushto + + + + + Putoh + + + + + Punu + + + + + Puluwatese + + + + + Puare + + + + + Purisimeño + + + + + Purum Naga + + + + + Pawaia + + + + + Panawa + + + + + Gapapaiwa + + + + + Patwin + + + + + Molbog + + + + + Paiwan + + + + + Pwo Western Karen + + + + + Powari + + + + + Pwo Northern Karen + + + + + Quetzaltepec Mixe + + + + + Pye Krumen + + + + + Fyam + + + + + Poyanáwa + + + + + Paraguayan Sign Language + + + + + Puyuma + + + + + Pyu (Myanmar) + + + + + Pyen + + + + + Para Naga + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Reserved for local use + + + + + Quapaw + + + + + Huallaga Huánuco Quechua + + + + + K'iche' + + + + + Calderón Highland Quichua + + + + + Quechua + + + + + Lambayeque Quechua + + + + + Chimborazo Highland Quichua + + + + + South Bolivian Quechua + + + + + Quileute + + + + + Chachapoyas Quechua + + + + + North Bolivian Quechua + + + + + Sipacapense + + + + + Quinault + + + + + Southern Pastaza Quechua + + + + + Quinqui + + + + + Yanahuanca Pasco Quechua + + + + + Santiago del Estero Quichua + + + + + Sacapulteco + + + + + Tena Lowland Quichua + + + + + Yauyos Quechua + + + + + Ayacucho Quechua + + + + + Cusco Quechua + + + + + Ambo-Pasco Quechua + + + + + Cajamarca Quechua + + + + + Eastern Apurímac Quechua + + + + + Huamalíes-Dos de Mayo Huánuco Quechua + + + + + Imbabura Highland Quichua + + + + + Loja Highland Quichua + + + + + Cajatambo North Lima Quechua + + + + + Margos-Yarowilca-Lauricocha Quechua + + + + + North Junín Quechua + + + + + Napo Lowland Quechua + + + + + Pacaraos Quechua + + + + + San Martín Quechua + + + + + Huaylla Wanca Quechua + + + + + Queyu + + + + + Northern Pastaza Quichua + + + + + Corongo Ancash Quechua + + + + + Classical Quechua + + + + + Huaylas Ancash Quechua + + + + + Kuman (Russia) + + + + + Sihuas Ancash Quechua + + + + + Kwalhioqua-Tlatskanai + + + + + Chiquián Ancash Quechua + + + + + Chincha Quechua + + + + + Panao Huánuco Quechua + + + + + Salasaca Highland Quichua + + + + + Northern Conchucos Ancash Quechua + + + + + Southern Conchucos Ancash Quechua + + + + + Puno Quechua + + + + + Qashqa'i + + + + + Cañar Highland Quichua + + + + + Southern Qiang + + + + + Santa Ana de Tusi Pasco Quechua + + + + + Arequipa-La Unión Quechua + + + + + Jauja Wanca Quechua + + + + + Quenya + + + + + Quiripi + + + + + Dungmali + + + + + Camling + + + + + Rasawa + + + + + Rade + + + + + Western Meohang + + + + + Logooli + + + + + Rabha + + + + + Ramoaaina + + + + + Rajasthani + + + + + Tulu-Bohuai + + + + + Ralte + + + + + Canela + + + + + Riantana + + + + + Rao + + + + + Rapanui + + + + + Saam + + + + + Rarotongan + + + + + Tegali + + + + + Razajerdi + + + + + Raute + + + + + Sampang + + + + + Rawang + + + + + Rang + + + + + Rapa + + + + + Rahambuu + + + + + Rumai Palaung + + + + + Northern Bontok + + + + + Miraya Bikol + + + + + Barababaraba + + + + + Réunion Creole French + + + + + Rudbari + + + + + Rerau + + + + + Rembong + + + + + Rejang Kayan + + + + + Kara (Tanzania) + + + + + Reli + + + + + Rejang + + + + + Rendille + + + + + Remo + + + + + Rengao + + + + + Rer Bare + + + + + Reshe + + + + + Retta + + + + + Reyesano + + + + + Roria + + + + + Romano-Greek + + + + + Rangkas + + + + + Romagnol + + + + + Resígaro + + + + + Southern Roglai + + + + + Ringgou + + + + + Rohingya + + + + + Yahang + + + + + Riang (India) + + + + + Rien + + + + + Tarifit + + + + + Riang (Myanmar) + + + + + Nyaturu + + + + + Nungu + + + + + Ribun + + + + + Ritarungo + + + + + Riung + + + + + Rajong + + + + + Raji + + + + + Rajbanshi + + + + + Kraol + + + + + Rikbaktsa + + + + + Rakahanga-Manihiki + + + + + Rakhine + + + + + Marka + + + + + Rangpuri + + + + + Arakwal + + + + + Rama + + + + + Rembarunga + + + + + Carpathian Romani + + + + + Traveller Danish + + + + + Angloromani + + + + + Kalo Finnish Romani + + + + + Traveller Norwegian + + + + + Murkim + + + + + Lomavren + + + + + Romkun + + + + + Baltic Romani + + + + + Roma + + + + + Balkan Romani + + + + + Sinte Romani + + + + + Rempi + + + + + Caló + + + + + Romanian Sign Language + + + + + Domari + + + + + Tavringer Romani + + + + + Romanova + + + + + Welsh Romani + + + + + Romam + + + + + Vlax Romani + + + + + Marma + + + + + Runa + + + + + Ruund + + + + + Ronga + + + + + Ranglong + + + + + Roon + + + + + Rongpo + + + + + Nari Nari + + + + + Rungwa + + + + + Tae' + + + + + Cacgia Roglai + + + + + Rogo + + + + + Ronji + + + + + Rombo + + + + + Northern Roglai + + + + + Romansh + + + + + Romblomanon + + + + + Romany + + + + + Romanian + + + + + Rotokas + + + + + Kriol + + + + + Rongga + + + + + Runga + + + + + Dela-Oenale + + + + + Repanbitip + + + + + Rapting + + + + + Ririo + + + + + Waima + + + + + Arritinngithigh + + + + + Romano-Serbian + + + + + Rennellese Sign Language + + + + + Russian Sign Language + + + + + Rungtu Chin + + + + + Ratahan + + + + + Rotuman + + + + + Rathawi + + + + + Gungu + + + + + Ruuli + + + + + Rusyn + + + + + Luguru + + + + + Roviana + + + + + Ruga + + + + + Rufiji + + + + + Che + + + + + Rundi + + + + + Istro Romanian + + + + + Macedo-Romanian + + + + + Megleno Romanian + + + + + Russian + + + + + Rutul + + + + + Lanas Lobu + + + + + Mala (Nigeria) + + + + + Ruma + + + + + Rawo + + + + + Rwa + + + + + Amba (Uganda) + + + + + Rawa + + + + + Marwari (India) + + + + + Ngardi + + + + + Karuwali + + + + + Northern Amami-Oshima + + + + + Yaeyama + + + + + Central Okinawan + + + + + Saba + + + + + Buglere + + + + + Meskwaki + + + + + Sandawe + + + + + Sabanê + + + + + Safaliba + + + + + Sango + + + + + Yakut + + + + + Sahu + + + + + Sake + + + + + Samaritan Aramaic + + + + + Sanskrit + + + + + Sause + + + + + Sanapaná + + + + + Samburu + + + + + Saraveca + + + + + Sasak + + + + + Santali + + + + + Saleman + + + + + Saafi-Saafi + + + + + Sawi + + + + + Sa + + + + + Saya + + + + + Saurashtra + + + + + Ngambay + + + + + Simbo + + + + + Kele (Papua New Guinea) + + + + + Southern Samo + + + + + Saliba + + + + + Shabo + + + + + Seget + + + + + Sori-Harengan + + + + + Seti + + + + + Surbakhal + + + + + Safwa + + + + + Botolan Sambal + + + + + Sagala + + + + + Sindhi Bhil + + + + + Sabüm + + + + + Sangu (Tanzania) + + + + + Sileibi + + + + + Sembakung Murut + + + + + Subiya + + + + + Kimki + + + + + Stod Bhoti + + + + + Sabine + + + + + Simba + + + + + Seberuang + + + + + Soli + + + + + Sara Kaba + + + + + Chut + + + + + Dongxiang + + + + + San Miguel Creole French + + + + + Sanggau + + + + + Sakachep + + + + + Sri Lankan Creole Malay + + + + + Sadri + + + + + Shina + + + + + Sicilian + + + + + Scots + + + + + Helambu Sherpa + + + + + Sa'och + + + + + North Slavey + + + + + Shumcho + + + + + Sheni + + + + + Sha + + + + + Sicel + + + + + Toraja-Sa'dan + + + + + Shabak + + + + + Sassarese Sardinian + + + + + Surubu + + + + + Sarli + + + + + Savi + + + + + Southern Kurdish + + + + + Suundi + + + + + Sos Kundi + + + + + Saudi Arabian Sign Language + + + + + Semandang + + + + + Gallurese Sardinian + + + + + Bukar-Sadung Bidayuh + + + + + Sherdukpen + + + + + Oraon Sadri + + + + + Sened + + + + + Shuadit + + + + + Sarudu + + + + + Sibu Melanau + + + + + Sallands + + + + + Semai + + + + + Shempire Senoufo + + + + + Sechelt + + + + + Sedang + + + + + Seneca + + + + + Cebaara Senoufo + + + + + Segeju + + + + + Sena + + + + + Seri + + + + + Sene + + + + + Sekani + + + + + Selkup + + + + + Nanerigé Sénoufo + + + + + Suarmin + + + + + Sìcìté Sénoufo + + + + + Senara Sénoufo + + + + + Serrano + + + + + Koyraboro Senni Songhai + + + + + Sentani + + + + + Serui-Laut + + + + + Nyarafolo Senoufo + + + + + Sewa Bay + + + + + Secoya + + + + + Senthang Chin + + + + + Langue des signes de Belgique Francophone + + + + + Eastern Subanen + + + + + Small Flowery Miao + + + + + South African Sign Language + + + + + Sehwi + + + + + Old Irish (to 900) + + + + + Mag-antsi Ayta + + + + + Kipsigis + + + + + Surigaonon + + + + + Segai + + + + + Swiss-German Sign Language + + + + + Shughni + + + + + Suga + + + + + Surgujia + + + + + Sangkong + + + + + Singa + + + + + Songa + + + + + Singpho + + + + + Sangisari + + + + + Samogitian + + + + + Brokpake + + + + + Salas + + + + + Sebat Bet Gurage + + + + + Sierra Leone Sign Language + + + + + Sanglechi + + + + + Sursurunga + + + + + Shall-Zwall + + + + + Ninam + + + + + Sonde + + + + + Kundal Shahi + + + + + Sheko + + + + + Shua + + + + + Shoshoni + + + + + Tachelhit + + + + + Shatt + + + + + Shilluk + + + + + Shendu + + + + + Shahrudi + + + + + Shan + + + + + Shanga + + + + + Shipibo-Conibo + + + + + Sala + + + + + Shi + + + + + Shuswap + + + + + Shasta + + + + + Chadian Arabic + + + + + Shehri + + + + + Shwai + + + + + She + + + + + Tachawit + + + + + Syenara Senoufo + + + + + Akkala Sami + + + + + Sebop + + + + + Sidamo + + + + + Simaa + + + + + Siamou + + + + + Paasaal + + + + + Zire + + + + + Shom Peng + + + + + Numbami + + + + + Sikiana + + + + + Tumulung Sisaala + + + + + Mende (Papua New Guinea) + + + + + Sinhala + + + + + Sikkimese + + + + + Sonia + + + + + Siri + + + + + Siuslaw + + + + + Sinagen + + + + + Sumariup + + + + + Siwai + + + + + Sumau + + + + + Sivandi + + + + + Siwi + + + + + Epena + + + + + Sajau Basap + + + + + Kildin Sami + + + + + Pite Sami + + + + + Assangori + + + + + Kemi Sami + + + + + Sajalong + + + + + Mapun + + + + + Sindarin + + + + + Xibe + + + + + Surjapuri + + + + + Siar-Lak + + + + + Senhaja De Srair + + + + + Ter Sami + + + + + Ume Sami + + + + + Shawnee + + + + + Skagit + + + + + Saek + + + + + Ma Manda + + + + + Southern Sierra Miwok + + + + + Seke (Vanuatu) + + + + + Sakirabiá + + + + + Sakalava Malagasy + + + + + Sikule + + + + + Sika + + + + + Seke (Nepal) + + + + + Sok + + + + + Kutong + + + + + Kolibugan Subanon + + + + + Seko Tengah + + + + + Sekapan + + + + + Sininkere + + + + + Seraiki + + + + + Maia + + + + + Sakata + + + + + Sakao + + + + + Skou + + + + + Skepi Creole Dutch + + + + + Seko Padang + + + + + Sikaiana + + + + + Sekar + + + + + Sáliba + + + + + Sissala + + + + + Sholaga + + + + + Swiss-Italian Sign Language + + + + + Selungai Murut + + + + + Southern Puget Sound Salish + + + + + Lower Silesian + + + + + Salumá + + + + + Slovak + + + + + Salt-Yui + + + + + Pangutaran Sama + + + + + Salinan + + + + + Lamaholot + + + + + Salchuq + + + + + Salar + + + + + Singapore Sign Language + + + + + Sila + + + + + Selaru + + + + + Slovenian + + + + + Sialum + + + + + Salampasu + + + + + Selayar + + + + + Ma'ya + + + + + Southern Sami + + + + + Simbari + + + + + Som + + + + + Sama + + + + + Northern Sami + + + + + Auwe + + + + + Simbali + + + + + Samei + + + + + Lule Sami + + + + + Bolinao + + + + + Central Sama + + + + + Musasa + + + + + Inari Sami + + + + + Samoan + + + + + Samaritan + + + + + Samo + + + + + Simeulue + + + + + Skolt Sami + + + + + Simte + + + + + Somray + + + + + Samvedi + + + + + Sumbawa + + + + + Samba + + + + + Semnani + + + + + Simeku + + + + + Shona + + + + + Sebuyau + + + + + Sinaugoro + + + + + Sindhi + + + + + Bau Bidayuh + + + + + Noon + + + + + Sanga (Democratic Republic of Congo) + + + + + Shinabo + + + + + Sensi + + + + + Riverain Sango + + + + + Soninke + + + + + Sangil + + + + + Southern Ma'di + + + + + Siona + + + + + Snohomish + + + + + Siane + + + + + Sangu (Gabon) + + + + + Sihan + + + + + South West Bay + + + + + Senggi + + + + + Sa'ban + + + + + Selee + + + + + Sam + + + + + Saniyo-Hiyewe + + + + + Sinsauru + + + + + Thai Song + + + + + Sobei + + + + + So (Democratic Republic of Congo) + + + + + Songoora + + + + + Songomeno + + + + + Sogdian + + + + + Aka + + + + + Sonha + + + + + Soi + + + + + Sokoro + + + + + Solos + + + + + Somali + + + + + Songo + + + + + Songe + + + + + Kanasi + + + + + Somrai + + + + + Seeku + + + + + Southern Sotho + + + + + Southern Thai + + + + + Sonsorol + + + + + Sowanda + + + + + Swo + + + + + Miyobe + + + + + Temi + + + + + Spanish + + + + + Sepa (Indonesia) + + + + + Sapé + + + + + Saep + + + + + Sepa (Papua New Guinea) + + + + + Sian + + + + + Saponi + + + + + Sengo + + + + + Selepet + + + + + Akukem + + + + + Spokane + + + + + Supyire Senoufo + + + + + Loreto-Ucayali Spanish + + + + + Saparua + + + + + Saposa + + + + + Spiti Bhoti + + + + + Sapuan + + + + + Sambalpuri + + + + + South Picene + + + + + Sabaot + + + + + Shama-Sambuga + + + + + Shau + + + + + Albanian + + + + + Albanian Sign Language + + + + + Suma + + + + + Susquehannock + + + + + Sorkhei + + + + + Sou + + + + + Siculo Arabic + + + + + Sri Lankan Sign Language + + + + + Soqotri + + + + + Squamish + + + + + Saruga + + + + + Sora + + + + + Logudorese Sardinian + + + + + Sardinian + + + + + Sara + + + + + Nafi + + + + + Sulod + + + + + Sarikoli + + + + + Siriano + + + + + Serudung Murut + + + + + Isirawa + + + + + Saramaccan + + + + + Sranan Tongo + + + + + Campidanese Sardinian + + + + + Serbian + + + + + Sirionó + + + + + Serer + + + + + Sarsi + + + + + Sauri + + + + + Suruí + + + + + Southern Sorsoganon + + + + + Serua + + + + + Sirmauri + + + + + Sera + + + + + Shahmirzadi + + + + + Southern Sama + + + + + Suba-Simbiti + + + + + Siroi + + + + + Balangingi + + + + + Thao + + + + + Seimat + + + + + Shihhi Arabic + + + + + Sansi + + + + + Sausi + + + + + Sunam + + + + + Western Sisaala + + + + + Semnam + + + + + Waata + + + + + Sissano + + + + + Spanish Sign Language + + + + + So'a + + + + + Swiss-French Sign Language + + + + + + + + + + Sinasina + + + + + Susuami + + + + + Shark Bay + + + + + Swati + + + + + Samberigi + + + + + Saho + + + + + Sengseng + + + + + Settla + + + + + Northern Subanen + + + + + Sentinel + + + + + Liana-Seti + + + + + Seta + + + + + Trieng + + + + + Shelta + + + + + Bulo Stieng + + + + + Matya Samo + + + + + Arammba + + + + + Stellingwerfs + + + + + Setaman + + + + + Owa + + + + + Stoney + + + + + Southeastern Tepehuan + + + + + Saterfriesisch + + + + + Straits Salish + + + + + Shumashti + + + + + Budeh Stieng + + + + + Samtao + + + + + Silt'e + + + + + Satawalese + + + + + Sulka + + + + + Suku + + + + + Western Subanon + + + + + Suena + + + + + Suganga + + + + + Suki + + + + + Shubi + + + + + Sukuma + + + + + Sundanese + + + + + Suri + + + + + Mwaghavul + + + + + Susu + + + + + Subtiaba + + + + + Puroik + + + + + Sumbwa + + + + + Sumerian + + + + + Suyá + + + + + Sunwar + + + + + Svan + + + + + Ulau-Suain + + + + + Vincentian Creole English + + + + + Serili + + + + + Slovakian Sign Language + + + + + Slavomolisano + + + + + Savara + + + + + Savosavo + + + + + Skalvian + + + + + Swahili (macrolanguage) + + + + + Maore Comorian + + + + + Congo Swahili + + + + + Swedish + + + + + Sere + + + + + Swabian + + + + + Swahili (individual language) + + + + + Sui + + + + + Sira + + + + + Malawi Sena + + + + + Swedish Sign Language + + + + + Samosa + + + + + Sawknah + + + + + Shanenawa + + + + + Suau + + + + + Sharwa + + + + + Saweru + + + + + Seluwasan + + + + + Sawila + + + + + Suwawa + + + + + Shekhawati + + + + + Sowa + + + + + Suruahá + + + + + Sarua + + + + + Suba + + + + + Sicanian + + + + + Sighu + + + + + Shixing + + + + + Southern Kalapuya + + + + + Selian + + + + + Samre + + + + + Sangir + + + + + Sorothaptic + + + + + Saaroa + + + + + Sasaru + + + + + Upper Saxon + + + + + Saxwe Gbe + + + + + Siang + + + + + Central Subanen + + + + + Classical Syriac + + + + + Seki + + + + + Sukur + + + + + Sylheti + + + + + Maya Samo + + + + + Senaya + + + + + Suoy + + + + + Syriac + + + + + Sinyar + + + + + Kagate + + + + + Al-Sayyid Bedouin Sign Language + + + + + Semelai + + + + + Ngalum + + + + + Semaq Beri + + + + + Seru + + + + + Seze + + + + + Sengele + + + + + Silesian + + + + + Sula + + + + + Suabo + + + + + Isu (Fako Division) + + + + + Sawai + + + + + Lower Tanana + + + + + Tabassaran + + + + + Lowland Tarahumara + + + + + Tause + + + + + Tariana + + + + + Tapirapé + + + + + Tagoi + + + + + Tahitian + + + + + Eastern Tamang + + + + + Tala + + + + + Tal + + + + + Tamil + + + + + Tangale + + + + + Yami + + + + + Taabwa + + + + + Tamasheq + + + + + Central Tarahumara + + + + + Tay Boi + + + + + Tatar + + + + + Upper Tanana + + + + + Tatuyo + + + + + Tai + + + + + Tamki + + + + + Atayal + + + + + Tocho + + + + + Aikanã + + + + + Tapeba + + + + + Takia + + + + + Kaki Ae + + + + + Tanimbili + + + + + Mandara + + + + + North Tairora + + + + + Thurawal + + + + + Gaam + + + + + Tiang + + + + + Calamian Tagbanwa + + + + + Tboli + + + + + Tagbu + + + + + Barro Negro Tunebo + + + + + Tawala + + + + + Taworta + + + + + Tumtum + + + + + Tanguat + + + + + Tembo (Kitembo) + + + + + Tubar + + + + + Tobo + + + + + Tagbanwa + + + + + Kapin + + + + + Tabaru + + + + + Ditammari + + + + + Ticuna + + + + + Tanacross + + + + + Datooga + + + + + Tafi + + + + + Southern Tutchone + + + + + Malinaltepec Me'phaa + + + + + Tamagario + + + + + Turks And Caicos Creole English + + + + + Wára + + + + + Tchitchege + + + + + Taman (Myanmar) + + + + + Tanahmerah + + + + + Tichurong + + + + + Taungyo + + + + + Tawr Chin + + + + + Kaiy + + + + + Torres Strait Creole + + + + + T'en + + + + + Southeastern Tarahumara + + + + + Tecpatlán Totonac + + + + + Toda + + + + + Tulu + + + + + Thado Chin + + + + + Tagdal + + + + + Panchpargania + + + + + Emberá-Tadó + + + + + Tai Nüa + + + + + Tiranige Diga Dogon + + + + + Talieng + + + + + Western Tamang + + + + + Thulung + + + + + Tomadino + + + + + Tajio + + + + + Tambas + + + + + Sur + + + + + Tondano + + + + + Teme + + + + + Tita + + + + + Todrah + + + + + Doutai + + + + + Tetun Dili + + + + + Tempasuk Dusun + + + + + Toro + + + + + Tandroy-Mahafaly Malagasy + + + + + Tadyawan + + + + + Temiar + + + + + Tetete + + + + + Terik + + + + + Tepo Krumen + + + + + Huehuetla Tepehua + + + + + Teressa + + + + + Teke-Tege + + + + + Tehuelche + + + + + Torricelli + + + + + Ibali Teke + + + + + Telugu + + + + + Timne + + + + + Tama (Colombia) + + + + + Teso + + + + + Tepecano + + + + + Temein + + + + + Tereno + + + + + Tengger + + + + + Tetum + + + + + Soo + + + + + Teor + + + + + Tewa (USA) + + + + + Tennet + + + + + Tulishi + + + + + Tofin Gbe + + + + + Tanaina + + + + + Tefaro + + + + + Teribe + + + + + Ternate + + + + + Sagalla + + + + + Tobilung + + + + + Tigak + + + + + Ciwogai + + + + + Eastern Gorkha Tamang + + + + + Chalikha + + + + + Tobagonian Creole English + + + + + Lawunuia + + + + + Tagin + + + + + Tajik + + + + + Tagalog + + + + + Tandaganon + + + + + Sudest + + + + + Tangoa + + + + + Tring + + + + + Tareng + + + + + Nume + + + + + Central Tagbanwa + + + + + Tanggu + + + + + Tingui-Boto + + + + + Tagwana Senoufo + + + + + Tagish + + + + + Togoyo + + + + + Tagalaka + + + + + Thai + + + + + Tai Hang Tong + + + + + Thayore + + + + + Chitwania Tharu + + + + + Thangmi + + + + + Northern Tarahumara + + + + + Tai Long + + + + + Tharaka + + + + + Dangaura Tharu + + + + + Aheu + + + + + Thachanadan + + + + + Thompson + + + + + Kochila Tharu + + + + + Rana Tharu + + + + + Thakali + + + + + Tahltan + + + + + Thuri + + + + + Tahaggart Tamahaq + + + + + Thudam + + + + + The + + + + + Tha + + + + + Tayart Tamajeq + + + + + Tidikelt Tamazight + + + + + Tira + + + + + Tidong + + + + + Tifal + + + + + Tigre + + + + + Timugon Murut + + + + + Tiene + + + + + Tilung + + + + + Tikar + + + + + Tillamook + + + + + Timbe + + + + + Tindi + + + + + Teop + + + + + Trimuris + + + + + Tiéfo + + + + + Tigrinya + + + + + Masadiit Itneg + + + + + Tinigua + + + + + Adasen + + + + + Tiv + + + + + Tiwi + + + + + Southern Tiwa + + + + + Tiruray + + + + + Tai Hongjin + + + + + Tajuasohn + + + + + Tunjung + + + + + Northern Tujia + + + + + Tai Laing + + + + + Timucua + + + + + Tonjon + + + + + Temacine Tamazight + + + + + Southern Tujia + + + + + Tjurruru + + + + + Djabwurrung + + + + + Truká + + + + + Buksa + + + + + Tukudede + + + + + Takwane + + + + + Tukumanféd + + + + + Tesaka Malagasy + + + + + Tokelau + + + + + Takelma + + + + + Toku-No-Shima + + + + + Tikopia + + + + + Tee + + + + + Tsakhur + + + + + Takestani + + + + + Kathoriya Tharu + + + + + Upper Necaxa Totonac + + + + + Teanu + + + + + Tangko + + + + + Takua + + + + + Southwestern Tepehuan + + + + + Tobelo + + + + + Yecuatla Totonac + + + + + Talaud + + + + + Telefol + + + + + Tofanma + + + + + Klingon + + + + + Tlingit + + + + + Talinga-Bwisi + + + + + Taloki + + + + + Tetela + + + + + Tolomako + + + + + Talondo' + + + + + Talodi + + + + + Filomena Mata-Coahuitlán Totonac + + + + + Tai Loi + + + + + Talise + + + + + Tambotalo + + + + + Teluti + + + + + Tulehu + + + + + Taliabu + + + + + Khehek + + + + + Talysh + + + + + Tama (Chad) + + + + + Katbol + + + + + Tumak + + + + + Haruai + + + + + Tremembé + + + + + Toba-Maskoy + + + + + Ternateño + + + + + Tamashek + + + + + Tutuba + + + + + Samarokena + + + + + Northwestern Tamang + + + + + Tamnim Citak + + + + + Tai Thanh + + + + + Taman (Indonesia) + + + + + Temoq + + + + + Tai Mène + + + + + Tumleo + + + + + Jewish Babylonian Aramaic (ca. 200-1200 CE) + + + + + Tima + + + + + Tasmate + + + + + Iau + + + + + Tembo (Motembo) + + + + + Temuan + + + + + Tami + + + + + Tamanaku + + + + + Tacana + + + + + Western Tunebo + + + + + Tanimuca-Retuarã + + + + + Angosturas Tunebo + + + + + Tinoc Kallahan + + + + + Tobanga + + + + + Maiani + + + + + Tandia + + + + + Kwamera + + + + + Lenakel + + + + + Tabla + + + + + North Tanna + + + + + Toromono + + + + + Whitesands + + + + + Taino + + + + + Ménik + + + + + Tenis + + + + + Tontemboan + + + + + Tay Khang + + + + + Tangchangya + + + + + Tonsawang + + + + + Tanema + + + + + Tongwe + + + + + Tonga (Thailand) + + + + + Toba + + + + + Coyutla Totonac + + + + + Toma + + + + + Tomedes + + + + + Gizrra + + + + + Tonga (Nyasa) + + + + + Gitonga + + + + + Tonga (Zambia) + + + + + Tojolabal + + + + + Tolowa + + + + + Tombulu + + + + + Tonga (Tonga Islands) + + + + + Xicotepec De Juárez Totonac + + + + + Papantla Totonac + + + + + Toposa + + + + + Togbo-Vara Banda + + + + + Highland Totonac + + + + + Tho + + + + + Upper Taromi + + + + + Jemez + + + + + Tobian + + + + + Topoiyo + + + + + To + + + + + Taupota + + + + + Azoyú Me'phaa + + + + + Tippera + + + + + Tarpia + + + + + Kula + + + + + Tok Pisin + + + + + Tapieté + + + + + Tupinikin + + + + + Tlacoapa Me'phaa + + + + + Tampulma + + + + + Tupinambá + + + + + Tai Pao + + + + + Pisaflores Tepehua + + + + + Tukpa + + + + + Tuparí + + + + + Tlachichilco Tepehua + + + + + Tampuan + + + + + Tanapag + + + + + Tupí + + + + + Acatepec Me'phaa + + + + + Trumai + + + + + Tinputz + + + + + Tembé + + + + + Lehali + + + + + Turumsa + + + + + Tenino + + + + + Toaripi + + + + + Tomoip + + + + + Tunni + + + + + Torona + + + + + Western Totonac + + + + + Touo + + + + + Tonkawa + + + + + Tirahi + + + + + Terebu + + + + + Copala Triqui + + + + + Turi + + + + + East Tarangan + + + + + Trinidadian Creole English + + + + + Lishán Didán + + + + + Turaka + + + + + Trió + + + + + Toram + + + + + Traveller Scottish + + + + + Tregami + + + + + Trinitario + + + + + Tarao Naga + + + + + Kok Borok + + + + + San Martín Itunyoso Triqui + + + + + Taushiro + + + + + Chicahuaxtla Triqui + + + + + Tunggare + + + + + Turoyo + + + + + Taroko + + + + + Torwali + + + + + Tringgus-Sembaan Bidayuh + + + + + Turung + + + + + Torá + + + + + Tsaangi + + + + + Tsamai + + + + + Tswa + + + + + Tsakonian + + + + + Tunisian Sign Language + + + + + Southwestern Tamang + + + + + Tausug + + + + + Tsuvan + + + + + Tsimshian + + + + + Tshangla + + + + + Tseku + + + + + Ts'ün-Lao + + + + + Turkish Sign Language + + + + + Tswana + + + + + Tsonga + + + + + Northern Toussian + + + + + Thai Sign Language + + + + + Akei + + + + + Taiwan Sign Language + + + + + Tondi Songway Kiini + + + + + Tsou + + + + + Tsogo + + + + + Tsishingini + + + + + Mubami + + + + + Tebul Sign Language + + + + + Purepecha + + + + + Tutelo + + + + + Gaa + + + + + Tektiteko + + + + + Tauade + + + + + Bwanabwana + + + + + Tuotomb + + + + + Tutong + + + + + Upper Ta'oih + + + + + Tobati + + + + + Tooro + + + + + Totoro + + + + + Totela + + + + + Northern Tutchone + + + + + Towei + + + + + Lower Ta'oih + + + + + Tombelala + + + + + Tawallammat Tamajaq + + + + + Tera + + + + + Northeastern Thai + + + + + Muslim Tat + + + + + Torau + + + + + Titan + + + + + Long Wat + + + + + Sikaritai + + + + + Tsum + + + + + Wiarumus + + + + + Tübatulabal + + + + + Mutu + + + + + Tuxá + + + + + Tuyuca + + + + + Central Tunebo + + + + + Tunia + + + + + Taulil + + + + + Tupuri + + + + + Tugutil + + + + + Turkmen + + + + + Tula + + + + + Tumbuka + + + + + Tunica + + + + + Tucano + + + + + Tedaga + + + + + Turkish + + + + + Tuscarora + + + + + Tututni + + + + + Turkana + + + + + Tuxináwa + + + + + Tugen + + + + + Turka + + + + + Vaghua + + + + + Tsuvadi + + + + + Te'un + + + + + Southeast Ambrym + + + + + Tuvalu + + + + + Tela-Masbuar + + + + + Tavoyan + + + + + Tidore + + + + + Taveta + + + + + Tutsa Naga + + + + + Tunen + + + + + Sedoa + + + + + Timor Pidgin + + + + + Twana + + + + + Western Tawbuid + + + + + Teshenawa + + + + + Twents + + + + + Tewa (Indonesia) + + + + + Northern Tiwa + + + + + Tereweng + + + + + Tai Dón + + + + + Twi + + + + + Tawara + + + + + Tawang Monpa + + + + + Twendi + + + + + Tswapong + + + + + Ere + + + + + Tasawaq + + + + + Southwestern Tarahumara + + + + + Turiwára + + + + + Termanu + + + + + Tuwari + + + + + Tewe + + + + + Tawoyan + + + + + Tombonuo + + + + + Tokharian B + + + + + Tsetsaut + + + + + Totoli + + + + + Tangut + + + + + Thracian + + + + + Ikpeng + + + + + Tomini + + + + + West Tarangan + + + + + Toto + + + + + Tii + + + + + Tartessian + + + + + Tonsea + + + + + Citak + + + + + Kayapó + + + + + Tatana + + + + + Tanosy Malagasy + + + + + Tauya + + + + + Kyanga + + + + + O'du + + + + + Teke-Tsaayi + + + + + Tai Do + + + + + Thu Lao + + + + + Kombai + + + + + Thaypan + + + + + Tai Daeng + + + + + Tày Sa Pa + + + + + Tày Tac + + + + + Kua + + + + + Tuvinian + + + + + Teke-Tyee + + + + + Tày + + + + + Tanzanian Sign Language + + + + + Tzeltal + + + + + Tz'utujil + + + + + Talossan + + + + + Central Atlas Tamazight + + + + + Tugun + + + + + Tzotzil + + + + + Tabriak + + + + + Uamué + + + + + Kuan + + + + + Tairuma + + + + + Ubang + + + + + Ubi + + + + + Buhi'non Bikol + + + + + Ubir + + + + + Umbu-Ungu + + + + + Ubykh + + + + + Uda + + + + + Udihe + + + + + Muduga + + + + + Udi + + + + + Ujir + + + + + Wuzlam + + + + + Udmurt + + + + + Uduk + + + + + Kioko + + + + + Ufim + + + + + Ugaritic + + + + + Kuku-Ugbanh + + + + + Ughele + + + + + Ugandan Sign Language + + + + + Ugong + + + + + Uruguayan Sign Language + + + + + Uhami + + + + + Damal + + + + + Uighur + + + + + Uisai + + + + + Iyive + + + + + Tanjijili + + + + + Kaburi + + + + + Ukuriguma + + + + + Ukhwejo + + + + + Ukrainian Sign Language + + + + + Ukpe-Bayobiri + + + + + Ukwa + + + + + Ukrainian + + + + + Urubú-Kaapor Sign Language + + + + + Ukue + + + + + Ukwuani-Aboh-Ndoni + + + + + Kuuk-Yak + + + + + Fungwa + + + + + Ulukwumi + + + + + Ulch + + + + + Lule + + + + + Usku + + + + + Ulithian + + + + + Meriam + + + + + Ullatan + + + + + Ulumanda' + + + + + Unserdeutsch + + + + + Uma' Lung + + + + + Ulwa + + + + + Umatilla + + + + + Umbundu + + + + + Marrucinian + + + + + Umbindhamu + + + + + Umbuygamu + + + + + Ukit + + + + + Umon + + + + + Makyan Naga + + + + + Umotína + + + + + Umpila + + + + + Umbugarla + + + + + Pendau + + + + + Munsee + + + + + North Watut + + + + + Undetermined + + + + + Uneme + + + + + Ngarinyin + + + + + Enawené-Nawé + + + + + Unami + + + + + Kurnai + + + + + Mundari + + + + + Unubahe + + + + + Munda + + + + + Unde Kaili + + + + + Uokha + + + + + Umeda + + + + + Uripiv-Wala-Rano-Atchin + + + + + Urarina + + + + + Urubú-Kaapor + + + + + Urningangg + + + + + Urdu + + + + + Uru + + + + + Uradhi + + + + + Urigina + + + + + Urhobo + + + + + Urim + + + + + Urak Lawoi' + + + + + Urali + + + + + Urapmin + + + + + Uruangnirin + + + + + Ura (Papua New Guinea) + + + + + Uru-Pa-In + + + + + Lehalurup + + + + + Urat + + + + + Urumi + + + + + Uruava + + + + + Sop + + + + + Urimo + + + + + Orya + + + + + Uru-Eu-Wau-Wau + + + + + Usarufa + + + + + Ushojo + + + + + Usui + + + + + Usaghade + + + + + Uspanteco + + + + + Uya + + + + + Otank + + + + + Ute-Southern Paiute + + + + + Amba (Solomon Islands) + + + + + Etulo + + + + + Utu + + + + + Urum + + + + + Kulon-Pazeh + + + + + Ura (Vanuatu) + + + + + U + + + + + West Uvean + + + + + Uri + + + + + Lote + + + + + Kuku-Uwanh + + + + + Doko-Uyanga + + + + + Uzbek + + + + + Northern Uzbek + + + + + Southern Uzbek + + + + + Vaagri Booli + + + + + Vale + + + + + Vafsi + + + + + Vagla + + + + + Varhadi-Nagpuri + + + + + Vai + + + + + Vasekela Bushman + + + + + Vehes + + + + + Vanimo + + + + + Valman + + + + + Vao + + + + + Vaiphei + + + + + Huarijio + + + + + Vasavi + + + + + Vanuma + + + + + Varli + + + + + Wayu + + + + + Southeast Babar + + + + + Southwestern Bontok + + + + + Venetian + + + + + Veddah + + + + + Veluws + + + + + Vemgo-Mabas + + + + + Venda + + + + + Ventureño + + + + + Veps + + + + + Mom Jango + + + + + Vaghri + + + + + Vlaamse Gebarentaal + + + + + Virgin Islands Creole English + + + + + Vidunda + + + + + Vietnamese + + + + + Vili + + + + + Viemo + + + + + Vilela + + + + + Vinza + + + + + Vishavan + + + + + Viti + + + + + Iduna + + + + + Kariyarra + + + + + Ija-Zuba + + + + + Kujarge + + + + + Kaur + + + + + Kulisusu + + + + + Kamakan + + + + + Kodeoha + + + + + Korlai Creole Portuguese + + + + + Tenggarong Kutai Malay + + + + + Kurrama + + + + + Valpei + + + + + Vlaams + + + + + Martuyhunira + + + + + Barbaram + + + + + Juxtlahuaca Mixtec + + + + + Mudu Koraga + + + + + East Masela + + + + + Mainfränkisch + + + + + Lungalunga + + + + + Maraghei + + + + + Miwa + + + + + Ixtayutla Mixtec + + + + + Makhuwa-Shirima + + + + + Malgana + + + + + Mitlatongo Mixtec + + + + + Soyaltepec Mazatec + + + + + Soyaltepec Mixtec + + + + + Marenje + + + + + Moksela + + + + + Muluridyi + + + + + Valley Maidu + + + + + Makhuwa + + + + + Tamazola Mixtec + + + + + Ayautla Mazatec + + + + + Mazatlán Mazatec + + + + + Vano + + + + + Vinmavis + + + + + Vunapu + + + + + Volapük + + + + + Voro + + + + + Votic + + + + + Vera'a + + + + + Võro + + + + + Varisi + + + + + Burmbar + + + + + Moldova Sign Language + + + + + Venezuelan Sign Language + + + + + Valencian Sign Language + + + + + Vitou + + + + + Vumbu + + + + + Vunjo + + + + + Vute + + + + + Awa (China) + + + + + Walla Walla + + + + + Wab + + + + + Wasco-Wishram + + + + + Wandamen + + + + + Walser + + + + + Wakoná + + + + + Wa'ema + + + + + Watubela + + + + + Wares + + + + + Waffa + + + + + Wolaytta + + + + + Wampanoag + + + + + Wan + + + + + Wappo + + + + + Wapishana + + + + + Wageman + + + + + Waray (Philippines) + + + + + Washo + + + + + Kaninuwa + + + + + Waurá + + + + + Waka + + + + + Waiwai + + + + + Watam + + + + + Wayana + + + + + Wampur + + + + + Warao + + + + + Wabo + + + + + Waritai + + + + + Wara + + + + + Wanda + + + + + Vwanji + + + + + Alagwa + + + + + Waigali + + + + + Wakhi + + + + + Wa + + + + + Warlpiri + + + + + Waddar + + + + + Wagdi + + + + + Wanman + + + + + Wajarri + + + + + Woi + + + + + Yanomámi + + + + + Waci Gbe + + + + + Wandji + + + + + Wadaginam + + + + + Wadjiginy + + + + + Wadikali + + + + + Wadjigu + + + + + Wadjabangayi + + + + + Wewaw + + + + + Wè Western + + + + + Wedau + + + + + Wergaia + + + + + Weh + + + + + Kiunum + + + + + Weme Gbe + + + + + Wemale + + + + + Westphalien + + + + + Weri + + + + + Cameroon Pidgin + + + + + Perai + + + + + Rawngtu Chin + + + + + Wejewa + + + + + Yafi + + + + + Wagaya + + + + + Wagawaga + + + + + Wangganguru + + + + + Wahgi + + + + + Waigeo + + + + + Wirangu + + + + + Warrgamay + + + + + Manusela + + + + + North Wahgi + + + + + Wahau Kenyah + + + + + Wahau Kayan + + + + + Southern Toussian + + + + + Wichita + + + + + Wik-Epa + + + + + Wik-Keyangan + + + + + Wik-Ngathana + + + + + Wik-Me'anha + + + + + Minidien + + + + + Wik-Iiyanh + + + + + Wikalkan + + + + + Wilawila + + + + + Wik-Mungkan + + + + + Ho-Chunk + + + + + Wiraféd + + + + + Wiru + + + + + Vitu + + + + + Wiyot + + + + + Waja + + + + + Warji + + + + + Kw'adza + + + + + Kumbaran + + + + + Wakde + + + + + Kalanadi + + + + + Kunduvadi + + + + + Wakawaka + + + + + Wangkayutyuru + + + + + Walio + + + + + Mwali Comorian + + + + + Wolane + + + + + Kunbarlang + + + + + Waioli + + + + + Wailaki + + + + + Wali (Sudan) + + + + + Middle Welsh + + + + + Walloon + + + + + Wolio + + + + + Wailapa + + + + + Wallisian + + + + + Wuliwuli + + + + + Wichí Lhamtés Vejoz + + + + + Walak + + + + + Wali (Ghana) + + + + + Waling + + + + + Mawa (Nigeria) + + + + + Wambaya + + + + + Wamas + + + + + Mamaindé + + + + + Wambule + + + + + Waima'a + + + + + Wamin + + + + + Maiwa (Indonesia) + + + + + Waamwang + + + + + Wom (Papua New Guinea) + + + + + Wambon + + + + + Walmajarri + + + + + Mwani + + + + + Womo + + + + + Wanambre + + + + + Wantoat + + + + + Wandarang + + + + + Waneci + + + + + Wanggom + + + + + Ndzwani Comorian + + + + + Wanukaka + + + + + Wanggamala + + + + + Wunumara + + + + + Wano + + + + + Wanap + + + + + Usan + + + + + Wintu + + + + + Wanyi + + + + + Tyaraity + + + + + Wè Northern + + + + + Wogeo + + + + + Wolani + + + + + Woleaian + + + + + Gambian Wolof + + + + + Wogamusin + + + + + Kamang + + + + + Longto + + + + + Wolof + + + + + Wom (Nigeria) + + + + + Wongo + + + + + Manombai + + + + + Woria + + + + + Hanga Hundi + + + + + Wawonii + + + + + Weyto + + + + + Maco + + + + + Warapu + + + + + Warluwara + + + + + Warduji + + + + + Warungu + + + + + Wiradhuri + + + + + Wariyangga + + + + + Garrwa + + + + + Warlmanpa + + + + + Warumungu + + + + + Warnang + + + + + Worrorra + + + + + Waropen + + + + + Wardaman + + + + + Waris + + + + + Waru + + + + + Waruna + + + + + Gugu Warra + + + + + Wae Rana + + + + + Merwari + + + + + Waray (Australia) + + + + + Warembori + + + + + Wusi + + + + + Waskia + + + + + Owenia + + + + + Wasa + + + + + Wasu + + + + + Wotapuri-Katarqalai + + + + + Watiwa + + + + + Wathawurrung + + + + + Berta + + + + + Watakataui + + + + + Mewati + + + + + Wotu + + + + + Wikngenchera + + + + + Wunambal + + + + + Wudu + + + + + Wutunhua + + + + + Silimo + + + + + Wumbvu + + + + + Bungu + + + + + Wurrugu + + + + + Wutung + + + + + Wu Chinese + + + + + Wuvulu-Aua + + + + + Wulna + + + + + Wauyai + + + + + Waama + + + + + Wakabunga + + + + + Wetamut + + + + + Warrwa + + + + + Wawa + + + + + Waxianghua + + + + + Wardandi + + + + + Wyandot + + + + + Wangaaybuwan-Ngiyambaa + + + + + Woiwurrung + + + + + Wymysorys + + + + + Wayoró + + + + + Western Fijian + + + + + Andalusian Arabic + + + + + Sambe + + + + + Kachari + + + + + Adai + + + + + Aequian + + + + + Aghwan + + + + + Kaimbé + + + + + Kalmyk + + + + + /Xam + + + + + Xamtanga + + + + + Khao + + + + + Apalachee + + + + + Aquitanian + + + + + Karami + + + + + Kamas + + + + + Katawixi + + + + + Kauwera + + + + + Xavánte + + + + + Kawaiisu + + + + + Kayan Mahakam + + + + + Kamba (Brazil) + + + + + Lower Burdekin + + + + + Bactrian + + + + + Bindal + + + + + Bigambal + + + + + Bunganditj + + + + + Kombio + + + + + Birrpayi + + + + + Middle Breton + + + + + Kenaboi + + + + + Bolgarian + + + + + Bibbulman + + + + + Kambera + + + + + Kambiwá + + + + + Kabixí + + + + + Batyala + + + + + Cumbric + + + + + Camunic + + + + + Celtiberian + + + + + Cisalpine Gaulish + + + + + Chemakum + + + + + Classical Armenian + + + + + Comecrudo + + + + + Cotoname + + + + + Chorasmian + + + + + Carian + + + + + Classical Tibetan + + + + + Curonian + + + + + Chuvantsy + + + + + Coahuilteco + + + + + Cayuse + + + + + Darkinyung + + + + + Dacian + + + + + Dharuk + + + + + Edomite + + + + + Malayic Dayak + + + + + Eblan + + + + + Hdi + + + + + //Xegwi + + + + + Kelo + + + + + Kembayan + + + + + Epi-Olmec + + + + + Xerénte + + + + + Kesawai + + + + + Xetá + + + + + Keoru-Ahia + + + + + Faliscan + + + + + Galatian + + + + + Gbin + + + + + Gudang + + + + + Gabrielino-Fernandeño + + + + + Goreng + + + + + Garingbal + + + + + Galindan + + + + + Guwinmal + + + + + Garza + + + + + Unggumi + + + + + Guwa + + + + + Harami + + + + + Hunnic + + + + + Hadrami + + + + + Khetrani + + + + + Xhosa + + + + + Hernican + + + + + Hattic + + + + + Hurrian + + + + + Khua + + + + + Xiandao + + + + + Iberian + + + + + Xiri + + + + + Illyrian + + + + + Xinca + + + + + Xipináwa + + + + + Xiriâna + + + + + Indus Valley Language + + + + + Xipaya + + + + + Minjungbal + + + + + Jaimatang + + + + + Kalkoti + + + + + Northern Nago + + + + + Kho'ini + + + + + Mendalam Kayan + + + + + Kereho + + + + + Khengkha + + + + + Kagoro + + + + + Karahawyana + + + + + Kenyan Sign Language + + + + + Kajali + + + + + Kaco' + + + + + Mainstream Kenyah + + + + + Kayan River Kayan + + + + + Kiorr + + + + + Kabatei + + + + + Koroni + + + + + Xakriabá + + + + + Kumbewaha + + + + + Kantosi + + + + + Kaamba + + + + + Kgalagadi + + + + + Kembra + + + + + Karore + + + + + Uma' Lasan + + + + + Kurtokha + + + + + Kamula + + + + + Loup B + + + + + Lycian + + + + + Lydian + + + + + Lemnian + + + + + Ligurian (Ancient) + + + + + Liburnian + + + + + Alanic + + + + + Loup A + + + + + Lepontic + + + + + Lusitanian + + + + + Cuneiform Luwian + + + + + Elymian + + + + + Mushungulu + + + + + Mbonga + + + + + Makhuwa-Marrevone + + + + + Mbudum + + + + + Median + + + + + Mingrelian + + + + + Mengaka + + + + + Kuku-Muminh + + + + + Majera + + + + + Ancient Macedonian + + + + + Malaysian Sign Language + + + + + Manado Malay + + + + + Manichaean Middle Persian + + + + + Morerebi + + + + + Kuku-Mu'inh + + + + + Kuku-Mangk + + + + + Meroitic + + + + + Moroccan Sign Language + + + + + Matbat + + + + + Kamu + + + + + Antankarana Malagasy + + + + + Tsimihety Malagasy + + + + + Maden + + + + + Mayaguduna + + + + + Mori Bawah + + + + + Ancient North Arabian + + + + + Kanakanabu + + + + + Middle Mongolian + + + + + Kuanhua + + + + + Ngarigu + + + + + Nganakarti + + + + + Northern Kankanay + + + + + Anglo-Norman + + + + + Kangri + + + + + Kanashi + + + + + Narragansett + + + + + Nukunul + + + + + Nyiyaparli + + + + + Kenzi + + + + + O'chi'chi' + + + + + Kokoda + + + + + Soga + + + + + Kominimung + + + + + Xokleng + + + + + Komo (Sudan) + + + + + Konkomba + + + + + Xukurú + + + + + Kopar + + + + + Korubo + + + + + Kowaki + + + + + Pirriya + + + + + Pecheneg + + + + + Liberia Kpelle + + + + + Phrygian + + + + + Pictish + + + + + Mpalitjanh + + + + + Kulina Pano + + + + + Pumpokol + + + + + Kapinawá + + + + + Pochutec + + + + + Puyo-Paekche + + + + + Mohegan-Pequot + + + + + Parthian + + + + + Pisidian + + + + + Punthamara + + + + + Punic + + + + + Puyo + + + + + Karakhanid + + + + + Qatabanian + + + + + Krahô + + + + + Eastern Karaboro + + + + + Gundungurra + + + + + Kreye + + + + + Minang + + + + + Krikati-Timbira + + + + + Armazic + + + + + Arin + + + + + Karranga + + + + + Raetic + + + + + Aranama-Tamique + + + + + Marriammu + + + + + Karawa + + + + + Sabaean + + + + + Sambal + + + + + Scythian + + + + + Sidetic + + + + + Sempan + + + + + Shamang + + + + + Sio + + + + + Subi + + + + + South Slavey + + + + + Kasem + + + + + Sanga (Nigeria) + + + + + Solano + + + + + Silopi + + + + + Makhuwa-Saka + + + + + Sherpa + + + + + Assan + + + + + Sanumá + + + + + Sudovian + + + + + Saisiyat + + + + + Alcozauca Mixtec + + + + + Chazumba Mixtec + + + + + Katcha-Kadugli-Miri + + + + + Diuxi-Tilantongo Mixtec + + + + + Ketengban + + + + + Transalpine Gaulish + + + + + Yitha Yitha + + + + + Sinicahua Mixtec + + + + + San Juan Teita Mixtec + + + + + Tijaltepec Mixtec + + + + + Magdalena Peñasco Mixtec + + + + + Northern Tlaxiaco Mixtec + + + + + Tokharian A + + + + + San Miguel Piedras Mixtec + + + + + Tumshuqese + + + + + Early Tripuri + + + + + Sindihui Mixtec + + + + + Tacahua Mixtec + + + + + Cuyamecalco Mixtec + + + + + Thawa + + + + + Tawandê + + + + + Yoloxochitl Mixtec + + + + + Tasmanian + + + + + Alu Kurumba + + + + + Betta Kurumba + + + + + Umiida + + + + + Kunigami + + + + + Jennu Kurumba + + + + + Ngunawal + + + + + Umbrian + + + + + Unggarranggu + + + + + Kuo + + + + + Upper Umpqua + + + + + Urartian + + + + + Kuthant + + + + + Kxoe + + + + + Venetic + + + + + Kamviri + + + + + Vandalic + + + + + Volscian + + + + + Vestinian + + + + + Kwaza + + + + + Woccon + + + + + Wadi Wadi + + + + + Xwela Gbe + + + + + Kwegu + + + + + Wajuk + + + + + Wangkumara + + + + + Western Xwla Gbe + + + + + Written Oirat + + + + + Kwerba Mamberamo + + + + + Wotjobaluk + + + + + Wemba Wemba + + + + + Boro (Ghana) + + + + + Ke'o + + + + + Minkin + + + + + Koropó + + + + + Tambora + + + + + Yaygir + + + + + Yandjibara + + + + + Mayi-Yapi + + + + + Mayi-Kulan + + + + + Yalakalore + + + + + Mayi-Thakurti + + + + + Yorta Yorta + + + + + Zhang-Zhung + + + + + Zemgalian + + + + + Ancient Zapotec + + + + + Yaminahua + + + + + Yuhup + + + + + Pass Valley Yali + + + + + Yagua + + + + + Pumé + + + + + Yaka (Democratic Republic of Congo) + + + + + Yámana + + + + + Yazgulyam + + + + + Yagnobi + + + + + Banda-Yangere + + + + + Yakama + + + + + Yalunka + + + + + Yamba + + + + + Mayangna + + + + + Yao + + + + + Yapese + + + + + Yaqui + + + + + Yabarana + + + + + Nugunu (Cameroon) + + + + + Yambeta + + + + + Yuwana + + + + + Yangben + + + + + Yawalapití + + + + + Yauma + + + + + Agwagwune + + + + + Lokaa + + + + + Yala + + + + + Yemba + + + + + West Yugur + + + + + Yakha + + + + + Yamphu + + + + + Hasha + + + + + Bokha + + + + + Yukuben + + + + + Yaben + + + + + Yabaâna + + + + + Yabong + + + + + Yawiyo + + + + + Yaweyuha + + + + + Chesu + + + + + Lolopo + + + + + Yucuna + + + + + Chepya + + + + + Yanda + + + + + Eastern Yiddish + + + + + Yangum Dey + + + + + Yidgha + + + + + Yoidik + + + + + Yiddish Sign Language + + + + + Ravula + + + + + Yeniche + + + + + Yimas + + + + + Yeni + + + + + Yevanic + + + + + Yela + + + + + Tarok + + + + + Nyankpa + + + + + Yetfa + + + + + Yerukula + + + + + Yapunda + + + + + Yeyi + + + + + Malyangapa + + + + + Yiningayi + + + + + Yangum Gel + + + + + Yagomi + + + + + Gepo + + + + + Yagaria + + + + + Yugul + + + + + Yagwoia + + + + + Baha Buyang + + + + + Judeo-Iraqi Arabic + + + + + Hlepho Phowa + + + + + Yinggarda + + + + + Yiddish + + + + + Ache + + + + + Wusa Nasu + + + + + Western Yiddish + + + + + Yidiny + + + + + Yindjibarndi + + + + + Dongshanba Lalo + + + + + Yindjilandji + + + + + Yimchungru Naga + + + + + Yinchia + + + + + Pholo + + + + + Miqie + + + + + North Awyu + + + + + Yis + + + + + Eastern Lalu + + + + + Awu + + + + + Northern Nisu + + + + + Axi Yi + + + + + Azhe + + + + + Yakan + + + + + Northern Yukaghir + + + + + Yoke + + + + + Yakaikeke + + + + + Khlula + + + + + Kap + + + + + Kua-nsi + + + + + Yasa + + + + + Yekora + + + + + Kathu + + + + + Kuamasi + + + + + Yakoma + + + + + Yaul + + + + + Yaleba + + + + + Yele + + + + + Yelogu + + + + + Angguruk Yali + + + + + Yil + + + + + Limi + + + + + Langnian Buyang + + + + + Naluo Yi + + + + + Yalarnnga + + + + + Aribwaung + + + + + Nyâlayu + + + + + Yambes + + + + + Southern Muji + + + + + Muda + + + + + Yameo + + + + + Yamongeri + + + + + Mili + + + + + Moji + + + + + Makwe + + + + + Iamalele + + + + + Maay + + + + + Yamna + + + + + Yangum Mon + + + + + Yamap + + + + + Qila Muji + + + + + Malasar + + + + + Mysian + + + + + Mator-Taygi-Karagas + + + + + Northern Muji + + + + + Muzi + + + + + Aluo + + + + + Yandruwandha + + + + + Lang'e + + + + + Yango + + + + + Yangho + + + + + Naukan Yupik + + + + + Yangulam + + + + + Yana + + + + + Yong + + + + + Yendang + + + + + Yansi + + + + + Yahuna + + + + + Yoba + + + + + Yogad + + + + + Yonaguni + + + + + Yokuts + + + + + Yola + + + + + Yombe + + + + + Yongkom + + + + + Yoruba + + + + + Yotti + + + + + Yoron + + + + + Yoy + + + + + Phala + + + + + Labo Phowa + + + + + Phola + + + + + Phupha + + + + + Phuma + + + + + Ani Phowa + + + + + Alo Phola + + + + + Phupa + + + + + Phuza + + + + + Yerakai + + + + + Yareba + + + + + Yaouré + + + + + Yarí + + + + + Nenets + + + + + Nhengatu + + + + + Yirrk-Mel + + + + + Yerong + + + + + Yarsun + + + + + Yarawata + + + + + Yarluyandi + + + + + Yassic + + + + + Samatao + + + + + Sonaga + + + + + Yugoslavian Sign Language + + + + + Sani + + + + + Nisi (China) + + + + + Southern Lolopo + + + + + Sirenik Yupik + + + + + Yessan-Mayo + + + + + Sanie + + + + + Talu + + + + + Tanglang + + + + + Thopho + + + + + Yout Wam + + + + + Yatay + + + + + Yucateco + + + + + Yugambal + + + + + Yuchi + + + + + Judeo-Tripolitanian Arabic + + + + + Yue Chinese + + + + + Havasupai-Walapai-Yavapai + + + + + Yug + + + + + Yurutí + + + + + Karkar-Yuri + + + + + Yuki + + + + + Yulu + + + + + Quechan + + + + + Bena (Nigeria) + + + + + Yukpa + + + + + Yuqui + + + + + Yurok + + + + + Yopno + + + + + Yugh + + + + + Yau (Morobe Province) + + + + + Southern Yukaghir + + + + + East Yugur + + + + + Yuracare + + + + + Yawa + + + + + Yavitero + + + + + Kalou + + + + + Yinhawangka + + + + + Western Lalu + + + + + Yawanawa + + + + + Wuding-Luquan Yi + + + + + Yawuru + + + + + Xishanba Lalo + + + + + Wumeng Nasu + + + + + Yawarawarga + + + + + Mayawali + + + + + Yagara + + + + + Yardliyawarra + + + + + Yinwum + + + + + Yuyu + + + + + Yabula Yabula + + + + + Yir Yoront + + + + + Yau (Sandaun Province) + + + + + Ayizi + + + + + E'ma Buyang + + + + + Zokhuo + + + + + Sierra de Juárez Zapotec + + + + + San Juan Guelavía Zapotec + + + + + Ocotlán Zapotec + + + + + Cajonos Zapotec + + + + + Yareni Zapotec + + + + + Ayoquesco Zapotec + + + + + Zaghawa + + + + + Zangwal + + + + + Isthmus Zapotec + + + + + Zaramo + + + + + Zanaki + + + + + Zauzou + + + + + Miahuatlán Zapotec + + + + + Ozolotepec Zapotec + + + + + Zapotec + + + + + Aloápam Zapotec + + + + + Rincón Zapotec + + + + + Santo Domingo Albarradas Zapotec + + + + + Tabaa Zapotec + + + + + Zangskari + + + + + Yatzachi Zapotec + + + + + Mitla Zapotec + + + + + Xadani Zapotec + + + + + Zayse-Zergulla + + + + + Zari + + + + + Central Berawan + + + + + East Berawan + + + + + Blissymbols + + + + + Batui + + + + + West Berawan + + + + + Coatecas Altas Zapotec + + + + + Central Hongshuihe Zhuang + + + + + Ngazidja Comorian + + + + + Zeeuws + + + + + Zenag + + + + + Eastern Hongshuihe Zhuang + + + + + Zenaga + + + + + Kinga + + + + + Guibei Zhuang + + + + + Standard Moroccan Tamazight + + + + + Minz Zhuang + + + + + Guibian Zhuang + + + + + Magori + + + + + Zhuang + + + + + Zhaba + + + + + Dai Zhuang + + + + + Zhire + + + + + Nong Zhuang + + + + + Chinese + + + + + Zhoa + + + + + Zia + + + + + Zimbabwe Sign Language + + + + + Zimakani + + + + + Zialo + + + + + Mesme + + + + + Zinza + + + + + Ziriya + + + + + Zigula + + + + + Zizilivakan + + + + + Kaimbulawa + + + + + Koibal + + + + + Kadu + + + + + Koguryo + + + + + Khorezmian + + + + + Karankawa + + + + + Kanan + + + + + Kott + + + + + São Paulo Kaingáng + + + + + Zakhring + + + + + Kitan + + + + + Kaurna + + + + + Krevinian + + + + + Khazar + + + + + Liujiang Zhuang + + + + + Malay (individual language) + + + + + Lianshan Zhuang + + + + + Liuqian Zhuang + + + + + Manda (Australia) + + + + + Zimba + + + + + Margany + + + + + Maridan + + + + + Mangerr + + + + + Mfinu + + + + + Marti Ke + + + + + Makolkol + + + + + Negeri Sembilan Malay + + + + + Maridjabin + + + + + Mandandanyi + + + + + Madngele + + + + + Marimanindji + + + + + Mbangwe + + + + + Molo + + + + + Mpuono + + + + + Mituku + + + + + Maranunggu + + + + + Mbesa + + + + + Maringarr + + + + + Muruwari + + + + + Mbariman-Gudhinma + + + + + Mbo (Democratic Republic of Congo) + + + + + Bomitaba + + + + + Mariyedi + + + + + Mbandja + + + + + Zan Gula + + + + + Zande (individual language) + + + + + Mang + + + + + Manangkari + + + + + Mangas + + + + + Copainalá Zoque + + + + + Chimalapa Zoque + + + + + Zou + + + + + Asunción Mixtepec Zapotec + + + + + Tabasco Zoque + + + + + Rayón Zoque + + + + + Francisco León Zoque + + + + + Lachiguiri Zapotec + + + + + Yautepec Zapotec + + + + + Choapan Zapotec + + + + + Southeastern Ixtlán Zapotec + + + + + Petapa Zapotec + + + + + San Pedro Quiatoni Zapotec + + + + + Guevea De Humboldt Zapotec + + + + + Totomachapan Zapotec + + + + + Santa María Quiegolani Zapotec + + + + + Quiavicuzas Zapotec + + + + + Tlacolulita Zapotec + + + + + Lachixío Zapotec + + + + + Mixtepec Zapotec + + + + + Santa Inés Yatzechi Zapotec + + + + + Amatlán Zapotec + + + + + El Alto Zapotec + + + + + Zoogocho Zapotec + + + + + Santiago Xanica Zapotec + + + + + Coatlán Zapotec + + + + + San Vicente Coatlán Zapotec + + + + + Yalálag Zapotec + + + + + Chichicapan Zapotec + + + + + Zaniza Zapotec + + + + + San Baltazar Loxicha Zapotec + + + + + Mazaltepec Zapotec + + + + + Texmelucan Zapotec + + + + + Qiubei Zhuang + + + + + Kara (Korea) + + + + + Mirgan + + + + + Zerenkel + + + + + Záparo + + + + + Zarphatic + + + + + Mairasi + + + + + Sarasira + + + + + Kaskean + + + + + Zambian Sign Language + + + + + Standard Malay + + + + + Southern Rincon Zapotec + + + + + Sukurum + + + + + Elotepec Zapotec + + + + + Xanaguía Zapotec + + + + + Lapaguía-Guivini Zapotec + + + + + San Agustín Mixtepec Zapotec + + + + + Santa Catarina Albarradas Zapotec + + + + + Loxicha Zapotec + + + + + Quioquitani-Quierí Zapotec + + + + + Tilquiapan Zapotec + + + + + Tejalapan Zapotec + + + + + Güilá Zapotec + + + + + Zaachila Zapotec + + + + + Yatee Zapotec + + + + + Zeem + + + + + Tokano + + + + + Zulu + + + + + Kumzari + + + + + Zuni + + + + + Zumaya + + + + + Zay + + + + + No linguistic content + + + + + Yongbei Zhuang + + + + + Yang Zhuang + + + + + Youjiang Zhuang + + + + + Yongnan Zhuang + + + + + Zyphe Chin + + + + + Zaza + + + + + Zuojiang Zhuang + + + + + + + A data type for language codes. + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd new file mode 100644 index 000000000..544dfcbe3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd @@ -0,0 +1,428 @@ + + + Human Services + + + + + + + + A data type for a child support enforcement case. + + + + + + + + + + + + A data type for information about a person who has not yet reached the age of legal majority (i.e., adulthood). + + + + + + + + + + + + A data type for a document that is filed with the Court, typically by an attorney representing the Child Welfare Agency, that formally files allegations of abuse and/or neglect against one or more alleged perpetrators. + + + + + + + + A data type for allegations of juvenile abuse or neglect. + + + + + + + + + + + + A data type for a juvenile case. + + + + + + + + + + + + A data type for an association between a juvenile and a criminal gang organization. + + + + + + + + + + + + A data type for an association between a juvenile and a facility where the juvenile is directed to reside (e.g., orphanage, detention center, etc.). + + + + + + + + + + + + A data type for an association between a juvenile and a person with whom the juvenile is directed to reside (e.g., foster parent, grandparent, etc.). + + + + + + + + + + + + A data type for information about where a juvenile is directed to reside during the pendency of a delinquency proceeding. + + + + + + + + A data type for a juvenile. + + + + + + + + + + + + + A data type for an association between a child and a person who is in a parent role toward that child. + + + + + + + + + + + + + + + A data type for describing the nature of the relationship from a parent to a child + + + + + Adoption + + + + + Biological + + + + + Foster + + + + + Guardianship + + + + + Marriage + + + + + Putative + + + + + Surrogate + + + + + + + A data type for describing the nature of the relationship from a parent to a child + + + + + + + + + + A data type for a relationship between a person and a case. + + + + + + + + + + + + + + A data type for a list that describes the location of a child or youth's placement. + + + + + Family + + + + + Father + + + + + Symbolic Relative (also known as Fictive Kin) + + + + + Foster Group Home + + + + + Foster Home + + + + + Foster Home Adoptive + + + + + Habitative Foster Home + + + + + Mother + + + + + Psychiatric Hospital + + + + + Residential Substance Abuse Treatment Center + + + + + Residential Treatment Center + + + + + Therapeutic Foster Home + + + + + + + A data type for a list that describes the location of a child or youth's placement. + + + + + + + + + + A data type for the placement history of a child or youth. + + + + + + + + + + + + + A kind of allegation of abuse, sexual abuse, or neglect, provided by the referral or by the reporter at the time of investigation. + + + + + An additional description of the details about the determination of a biological relationship between a putative parent and a child (for example, findings regarding the location and date of conception, or the results of DNA tests). + + + + + A person who was an unmarried minor at the time of his or her involvement in a judicial proceeding or non-judicial program. + + + + + A child support enforcement case. + + + + + A delinquent act. + + + + + A document that is filed with the Court, typically by an attorney representing the Child Welfare Agency, that formally files allegations of abuse and/or neglect against one or more alleged perpetrators. + + + + + A criminal gang organization that is alleged to have a juvenile as a member. + + + + + A role of a juvenile, played by a person defined as a juvenile rather than an adult under the law. + + + + + A set of specifics of the referred incident of abuse or neglect as it relates to the victim. Information recorded includes the Abuse/Neglect Category and Type as well as narrative descriptions of the abuse and/or injuries + + + + + An augmentation point for JuvenileType. + + + + + An aggregation of information about a set of related activities and events pertaining to a juvenile. This can be, but is not necessarily, a court case. + + + + + A description of the placement where a juvenile is directed to reside during the pendency of the delinquency proceeding. + + + + + An association between a juvenile and a facility where the juvenile is directed to reside (e.g., orphanage, teen shelter, detention center, etc.). + + + + + An association between a juvenile and a person with whom the juvenile is directed to reside (e.g., foster parent, grandparent, etc.). + + + + + A father or mother of a person. + + + + + An association between a child and a person who is in a parent role toward that child. + + + + + A data concept for describing the nature of the relationship from a parent to a child. + + + + + A code list that describes the nature of the relationship from a parent to a child. + + + + + A relationship between a person and a case. + + + + + An augmentation point for PersonCaseAssociationType. + + + + + An augmentation point for PlacementType. + + + + + A data concept for describing a child or youth's placement. + + + + + A list that describes the type of placement (e.g., adoption, relative, etc.) + + + + + A facility where a juvenile is directed to reside. + + + + + A person with whom a juvenile is directed to reside. + + + + + True if the child-support order directs the obligor to make payments to a state agency for disbursement to the custodial parent; false otherwise. + + + + + A description of the legal basis for the child-support remedies sought in the petition (e.g., respondent is non-custodial parent and is failing to provide support, a change in the parties' circumstances justifies a modification, etc.). + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd new file mode 100644 index 000000000..7cb9b4f26 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd @@ -0,0 +1,43090 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + ABIE + Activity Data Line. Details + A class to associate a time period and locations (activity data) with an item for inventory planning purposes. + Activity Data Line + + + + + + + + + BBIE + Activity Data Line. Identifier + An identifier for this activity data line. + 1 + Activity Data Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Activity Data Line. Supply Chain Activity Type Code. Code + A code signifying the type of supply chain activity. + 1 + Activity Data Line + Supply Chain Activity Type Code + Code + Code. Type + + + + + + + + + ASBIE + Activity Data Line. Buyer_ Customer Party. Customer Party + The buyer of the item. + 0..1 + Activity Data Line + Buyer + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Activity Data Line. Seller_ Supplier Party. Supplier Party + The seller of the item. + 0..1 + Activity Data Line + Seller + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Activity Data Line. Activity_ Period. Period + The period during which the activity is realized. + 0..1 + Activity Data Line + Activity + Period + Period + Period + + + + + + + + + ASBIE + Activity Data Line. Activity Origin_ Location. Location + Either the location where the movement of goods is observed or the location from which the goods are moved. + 1 + Activity Data Line + Activity Origin + Location + Location + Location + + + + + + + + + ASBIE + Activity Data Line. Activity Final_ Location. Location + The location to which the goods are moved. + 0..1 + Activity Data Line + Activity Final + Location + Location + Location + + + + + + + + + ASBIE + Activity Data Line. Sales Item + Sales information for an item to which this line applies. + 1..n + Activity Data Line + Sales Item + Sales Item + Sales Item + + + + + + + + + + + ABIE + Activity Property. Details + A class to define a name/value pair for a property of an inventory planning activity. + Activity Property + + + + + + + + + BBIE + Activity Property. Name + The name of this activity property. + 1 + Activity Property + Name + Name + Name. Type + + + + + + + + + BBIE + Activity Property. Value. Text + The value of this activity property. + 1 + Activity Property + Value + Text + Text. Type + + + + + + + + + + + ABIE + Address. Details + A class to define common information related to an address. + Address + + + + + + + + + BBIE + Address. Identifier + An identifier for this address within an agreed scheme of address identifiers. + 0..1 + Address + Identifier + Identifier + Identifier. Type + DetailsKey + + + + + + + + + BBIE + Address. Address Type Code. Code + A mutually agreed code signifying the type of this address. + 0..1 + Address + Address Type Code + Code + Code. Type + + + + + + + + + BBIE + Address. Address Format Code. Code + A mutually agreed code signifying the format of this address. + 0..1 + Address + Address Format Code + Code + Code. Type + + + + + + + + + BBIE + Address. Postbox. Text + A post office box number registered for postal delivery by a postal service provider. + 0..1 + Address + Postbox + Text + Text. Type + PostBox, PO Box + 123 + + + + + + + + + BBIE + Address. Floor. Text + An identifiable floor of a building. + 0..1 + Address + Floor + Text + Text. Type + SubPremiseNumber + 30 + + + + + + + + + BBIE + Address. Room. Text + An identifiable room, suite, or apartment of a building. + 0..1 + Address + Room + Text + Text. Type + SubPremiseNumber + Reception + + + + + + + + + BBIE + Address. Street Name. Name + The name of the street, road, avenue, way, etc. to which the number of the building is attached. + 0..1 + Address + Street Name + Name + Name. Type + Thoroughfare + Kwun Tong Road + + + + + + + + + BBIE + Address. Additional_ Street Name. Name + An additional street name used to further clarify the address. + 0..1 + Address + Additional + Street Name + Name + Name. Type + Thoroughfare + Cnr Aberdeen Road + + + + + + + + + BBIE + Address. Block Name. Name + The name of the block (an area surrounded by streets and usually containing several buildings) in which this address is located. + 0..1 + Address + Block Name + Name + Name. Type + Seabird + + + + + + + + + BBIE + Address. Building Name. Name + The name of a building. + 0..1 + Address + Building Name + Name + Name. Type + BuildingName + Plot 421 + + + + + + + + + BBIE + Address. Building Number. Text + The number of a building within the street. + 0..1 + Address + Building Number + Text + Text. Type + PremiseNumber + 388 + + + + + + + + + BBIE + Address. Inhouse_ Mail. Text + The specific identifable location within a building where mail is delivered. + 0..1 + Address + Inhouse + Mail + Text + Text. Type + MailStop + + + + + + + + + BBIE + Address. Department. Text + The department of the addressee. + 0..1 + Address + Department + Text + Text. Type + Department + Accounts Payable + + + + + + + + + BBIE + Address. Mark Attention. Text + The name, expressed as text, of a person or department in an organization to whose attention incoming mail is directed; corresponds to the printed forms "for the attention of", "FAO", and ATTN:". + 0..1 + Address + Mark Attention + Text + Text. Type + + + + + + + + + BBIE + Address. Mark Care. Text + The name, expressed as text, of a person or organization at this address into whose care incoming mail is entrusted; corresponds to the printed forms "care of" and "c/o". + 0..1 + Address + Mark Care + Text + Text. Type + + + + + + + + + BBIE + Address. Plot Identification. Text + An identifier (e.g., a parcel number) for the piece of land associated with this address. + 0..1 + Address + Plot Identification + Text + Text. Type + + + + + + + + + BBIE + Address. City Subdivision Name. Name + The name of the subdivision of a city, town, or village in which this address is located, such as the name of its district or borough. + 0..1 + Address + City Subdivision Name + Name + Name. Type + + + + + + + + + BBIE + Address. City Name. Name + The name of a city, town, or village. + 0..1 + Address + City Name + Name + Name. Type + LocalityName + Hong Kong + + + + + + + + + BBIE + Address. Postal_ Zone. Text + The postal identifier for this address according to the relevant national postal service, such as a ZIP code or Post Code. + 0..1 + Address + Postal + Zone + Text + Text. Type + PostalCodeNumber + SW11 4EW 2500 GG + + + + + + + + + BBIE + Address. Country Subentity. Text + The political or administrative division of a country in which this address is located, such as the name of its county, province, or state, expressed as text. + 0..1 + Address + Country Subentity + Text + Text. Type + AdministrativeArea, State, Country, Shire, Canton + Florida , Tamilnadu + + + + + + + + + BBIE + Address. Country Subentity Code. Code + The political or administrative division of a country in which this address is located, such as a county, province, or state, expressed as a code (typically nationally agreed). + 0..1 + Address + Country Subentity Code + Code + Code. Type + AdministrativeAreaCode, State Code + + + + + + + + + BBIE + Address. Region. Text + The recognized geographic or economic region or group of countries in which this address is located. + 0..1 + Address + Region + Text + Text. Type + LocalityName, Economic Zone + European Union + + + + + + + + + BBIE + Address. District. Text + The district or geographical division of a country or region in which this address is located. + 0..1 + Address + District + Text + Text. Type + LocalityName, Area + East Coast + + + + + + + + + BBIE + Address. Timezone Offset. Text + The time zone in which this address is located (as an offset from Universal Coordinated Time (UTC)) at the time of exchange. + 0..1 + Address + Timezone Offset + Text + Text. Type + +8:00 -3:00 + + + + + + + + + ASBIE + Address. Address Line + An unstructured address line. + 0..n + Address + Address Line + Address Line + Address Line + + + + + + + + + ASBIE + Address. Country + The country in which this address is situated. + 0..1 + Address + Country + Country + Country + + + + + + + + + ASBIE + Address. Location Coordinate + The geographical coordinates of this address. + 0..n + Address + Location Coordinate + Location Coordinate + Location Coordinate + + + + + + + + + + + ABIE + Address Line. Details + A class to define an unstructured address line. + Address Line + + + + + + + + + BBIE + Address Line. Line. Text + An address line expressed as unstructured text. + 1 + Address Line + Line + Text + Text. Type + 123 Standard Chartered Tower + + + + + + + + + + + ABIE + Air Transport. Details + A class to identify a specific aircraft used for transportation. + Air Transport + + + + + + + + + BBIE + Air Transport. Aircraft Identifier. Identifier + An identifer for a specific aircraft. + 1 + Air Transport + Aircraft Identifier + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Allowance Charge. Details + A class to describe information about a charge or discount as applied to a price component. + Allowance Charge + + + + + + + + + BBIE + Allowance Charge. Identifier + An identifier for this allowance or charge. + 0..1 + Allowance Charge + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Allowance Charge. Charge_ Indicator. Indicator + An indicator that this AllowanceCharge describes a charge (true) or a discount (false). + 1 + Allowance Charge + Charge + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Allowance Charge. Allowance Charge Reason Code. Code + A mutually agreed code signifying the reason for this allowance or charge. + 0..1 + Allowance Charge + Allowance Charge Reason Code + Code + Allowance Charge Reason + Allowance Charge Reason_ Code. Type + + + + + + + + + BBIE + Allowance Charge. Allowance Charge_ Reason. Text + The reason for this allowance or charge. + 0..n + Allowance Charge + Allowance Charge + Reason + Text + Text. Type + + + + + + + + + BBIE + Allowance Charge. Multiplier_ Factor. Numeric + A number by which the base amount is multiplied to calculate the actual amount of this allowance or charge. + 0..1 + Allowance Charge + Multiplier + Factor + Numeric + Numeric. Type + 0.20 + + + + + + + + + BBIE + Allowance Charge. Prepaid_ Indicator. Indicator + An indicator that this allowance or charge is prepaid (true) or not (false). + 0..1 + Allowance Charge + Prepaid + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Allowance Charge. Sequence. Numeric + A number indicating the order of this allowance or charge in the sequence of calculations applied when there are multiple allowances or charges. + 0..1 + Allowance Charge + Sequence + Numeric + Numeric. Type + 1, 2, 3, 4, etc. + + + + + + + + + BBIE + Allowance Charge. Amount + The monetary amount of this allowance or charge to be applied. + 1 + Allowance Charge + Amount + Amount + Amount. Type + 35,23 + + + + + + + + + BBIE + Allowance Charge. Base_ Amount. Amount + The monetary amount to which the multiplier factor is applied in calculating the amount of this allowance or charge. + 0..1 + Allowance Charge + Base + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Allowance Charge. Accounting Cost Code. Code + The accounting cost centre used by the buyer to account for this allowance or charge, expressed as a code. + 0..1 + Allowance Charge + Accounting Cost Code + Code + Code. Type + + + + + + + + + BBIE + Allowance Charge. Accounting Cost. Text + The accounting cost centre used by the buyer to account for this allowance or charge, expressed as text. + 0..1 + Allowance Charge + Accounting Cost + Text + Text. Type + + + + + + + + + BBIE + Allowance Charge. Per Unit_ Amount. Amount + The allowance or charge per item; the total allowance or charge is calculated by multiplying the per unit amount by the quantity of items, either at the level of the individual transaction line or for the total number of items in the document, depending on the context in which it appears. + 0..1 + Allowance Charge + Per Unit + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Allowance Charge. Tax Category + A tax category applicable to this allowance or charge. + 0..n + Allowance Charge + Tax Category + Tax Category + Tax Category + + + + + + + + + ASBIE + Allowance Charge. Tax Total + The total of all the taxes applicable to this allowance or charge. + 0..1 + Allowance Charge + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Allowance Charge. Payment Means + A means of payment for this allowance or charge. + 0..n + Allowance Charge + Payment Means + Payment Means + Payment Means + + + + + + + + + + + ABIE + Appeal Terms. Details + A class to describe the terms and conditions, set by the contracting authority, under which an appeal can be lodged for a tender award. + Appeal Terms + + + + + + + + + BBIE + Appeal Terms. Description. Text + Text describing the terms of an appeal. + 0..n + Appeal Terms + Description + Text + Text. Type + + + + + + + + + ASBIE + Appeal Terms. Presentation_ Period. Period + The period during which an appeal can be presented. + 0..1 + Appeal Terms + Presentation + Period + Period + Period + + + + + + + + + ASBIE + Appeal Terms. Appeal Information_ Party. Party + The party presenting the information for an appeal. + 0..1 + Appeal Terms + Appeal Information + Party + Party + Party + + + + + + + + + ASBIE + Appeal Terms. Appeal Receiver_ Party. Party + The party to whom an appeal should be presented. + 0..1 + Appeal Terms + Appeal Receiver + Party + Party + Party + + + + + + + + + ASBIE + Appeal Terms. Mediation_ Party. Party + The party that has been appointed to mediate any appeal. + 0..1 + Appeal Terms + Mediation + Party + Party + Party + + + + + + + + + + + ABIE + Attachment. Details + A class to describe an attached document. An attachment can refer to an external document or be included with the document being exchanged. + Attachment + + + + + + + + + BBIE + Attachment. Embedded_ Document. Binary Object + A binary large object containing an attached document. + 0..1 + Attachment + Embedded + Document + Binary Object + Binary Object. Type + + + + + + + + + BBIE + Attachment. Embedded_ Document. Text + A clear text object containing an attached document. + 0..1 + Attachment + Embedded + Document + Text + Text. Type + + + + + + + + + ASBIE + Attachment. External Reference + A reference to an attached document that is external to the document(s) being exchanged. + 0..1 + Attachment + External Reference + External Reference + External Reference + + + + + + + + + + + ABIE + Auction Terms. Details + A class to describe the terms to be fulfilled by tenderers if an auction is to be executed before the awarding of a tender. + Auction Terms + + + + + + + + + BBIE + Auction Terms. Auction_ Constraint. Indicator + Indicates whether an electronic auction will be used before the awarding of a contract (true) or not (false). + 0..1 + Auction Terms + Auction + Constraint + Indicator + Indicator. Type + + + + + + + + + BBIE + Auction Terms. Justification_ Description. Text + Text describing a justification for the use of an auction in awarding the tender. + 0..n + Auction Terms + Justification + Description + Text + Text. Type + + + + + + + + + BBIE + Auction Terms. Description. Text + Text for tenderers describing terms governing the auction. + 0..n + Auction Terms + Description + Text + Text. Type + + + + + + + + + BBIE + Auction Terms. Process_ Description. Text + Text describing the auction process. + 0..n + Auction Terms + Process + Description + Text + Text. Type + + + + + + + + + BBIE + Auction Terms. Conditions_ Description. Text + Text describing the conditions under which the tenderers will be able to bid as part of the auction. + 0..n + Auction Terms + Conditions + Description + Text + Text. Type + + + + + + + + + BBIE + Auction Terms. Electronic Device_ Description. Text + Text describing an electronic device used for the auction, including associated connectivity specifications. + 0..n + Auction Terms + Electronic Device + Description + Text + Text. Type + + + + + + + + + BBIE + Auction Terms. Auction_ URI. Identifier + The Uniform Resource Identifier (URI) of the electronic device used for the auction. + 0..1 + Auction Terms + Auction + URI + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Awarding Criterion. Details + A class to define a criterion from the contracting party that will be taken into account when awarding a contract. An awarding criterion can be objective, when it can be evaluated following a formula, or subjective, when human analysis is required. + Awarding Criterion + + + + + + + + + BBIE + Awarding Criterion. Identifier + Identifies a specific awarding criterion. + 0..1 + Awarding Criterion + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Awarding Criterion. Awarding Criterion Type Code. Code + A code used to define this awarding criterion. + 0..1 + Awarding Criterion + Awarding Criterion Type Code + Code + Code. Type + + + + + + + + + BBIE + Awarding Criterion. Description. Text + A description of the awarding criterion. + 0..n + Awarding Criterion + Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Criterion. Weight Numeric. Numeric + A number defining the comparative weighting assigned to this awarding criterion, to enable formulaic evaluation. + 0..1 + Awarding Criterion + Weight Numeric + Numeric + Numeric. Type + + + + + + + + + BBIE + Awarding Criterion. Weight. Text + A description of the comparative weighting for this awarding criterion. + 0..n + Awarding Criterion + Weight + Text + Text. Type + + + + + + + + + BBIE + Awarding Criterion. Calculation Expression. Text + The mathematical expression that will be used to evaluate this criterion. + 0..n + Awarding Criterion + Calculation Expression + Text + Text. Type + + + + + + + + + BBIE + Awarding Criterion. Calculation Expression Code. Code + A code identifying the mathematical expression that will be used to evaluate this criterion. + 0..1 + Awarding Criterion + Calculation Expression Code + Code + Code. Type + + + + + + + + + BBIE + Awarding Criterion. Minimum_ Quantity. Quantity + The minimum quantity for an awarding criterion. + 0..1 + Awarding Criterion + Minimum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Awarding Criterion. Maximum_ Quantity. Quantity + The maximum quantity for an awarding criterion. + 0..1 + Awarding Criterion + Maximum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Awarding Criterion. Minimum_ Amount. Amount + The minimum monetary amount for an awarding criterion. + 0..1 + Awarding Criterion + Minimum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Awarding Criterion. Maximum_ Amount. Amount + The maximum monetary amount for an awarding criterion. + 0..1 + Awarding Criterion + Maximum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Awarding Criterion. Minimum Improvement Bid. Text + Describes the minimum improvement bid for this awarding criterion when used in an auction. + 0..n + Awarding Criterion + Minimum Improvement Bid + Text + Text. Type + + + + + + + + + ASBIE + Awarding Criterion. Subordinate_ Awarding Criterion. Awarding Criterion + Defines any subsidiary awarding criterion. + 0..n + Awarding Criterion + Subordinate + Awarding Criterion + Awarding Criterion + Awarding Criterion + + + + + + + + + + + ABIE + Awarding Criterion Response. Details + Defines the response for an awarding criterion from the tendering party. + Awarding Criterion Response + + + + + + + + + BBIE + Awarding Criterion Response. Identifier + An identification of this awarding criterion response. + 0..1 + Awarding Criterion Response + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Awarding Criterion Response. Awarding Criterion Identifier. Identifier + An identifer of the awarding criterion being referred to. + 0..1 + Awarding Criterion Response + Awarding Criterion Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Awarding Criterion Response. Awarding Criterion_ Description. Text + Describes the awarding criterion. + 0..n + Awarding Criterion Response + Awarding Criterion + Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Criterion Response. Description. Text + Describes the awarding criterion response. + 0..n + Awarding Criterion Response + Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Criterion Response. Quantity + Specifies the quantity tendered for this awarding criterion. + 0..1 + Awarding Criterion Response + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Awarding Criterion Response. Amount + Specifies the monetary amount tendered for this awarding criterion. + 0..1 + Awarding Criterion Response + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Awarding Criterion Response. Subordinate_ Awarding Criterion Response. Awarding Criterion Response + Defines responses to any subsidiary awarding criterion. + 0..n + Awarding Criterion Response + Subordinate + Awarding Criterion Response + Awarding Criterion Response + Awarding Criterion Response + + + + + + + + + + + ABIE + Awarding Terms. Details + A class to define the terms for awarding a contract. + Awarding Terms + + + + + + + + + BBIE + Awarding Terms. Weighting Algorithm Code. Code + A code signifying the weighting algorithm for awarding criteria. When multiple awarding criteria is used, different weighting and choices management algorithms based upon scores and weights of all award criteria can be used. An algorithm for weighting criteria shall be reported in the call for tenders document. It is used to determine how to perform the final management of tenders based on the results in each of the established award criteria + 0..1 + Awarding Terms + Weighting Algorithm Code + Code + Code. Type + + + + + + + + + BBIE + Awarding Terms. Description. Text + Text describing terms under which the contract is to be awarded. + 0..n + Awarding Terms + Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Terms. Technical Committee_ Description. Text + Text describing the committee of experts evaluating the subjective criteria for awarding the contract. + 0..n + Awarding Terms + Technical Committee + Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Terms. Low Tenders_ Description. Text + Text describing the exclusion criterion for abnormally low tenders. + 0..n + Awarding Terms + Low Tenders + Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Terms. Prize Indicator. Indicator + Indicates whether a prize will be awarded (true) or not (false). + 0..1 + Awarding Terms + Prize Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Awarding Terms. Prize Description. Text + Number and value of the prizes to be awarded. + 0..n + Awarding Terms + Prize Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Terms. Payment Description. Text + Details of payments to all participants. + 0..n + Awarding Terms + Payment Description + Text + Text. Type + + + + + + + + + BBIE + Awarding Terms. Followup Contract Indicator. Indicator + Indicates if any service contract following the contest will be awarded to the winner or one of the winners of the contest (true) or not (false). + 0..1 + Awarding Terms + Followup Contract Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Awarding Terms. Binding On Buyer Indicator. Indicator + Indicates if the decision is binding on the buyer (true) or not (false). + 0..1 + Awarding Terms + Binding On Buyer Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Awarding Terms. No Further Negotiation Indicator. Indicator + Indicates if no further negotiation is allowed (true) or not (false). + 0..1 + Awarding Terms + No Further Negotiation Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Awarding Terms. Awarding Criterion + Defines a criterion for awarding this tender. + 0..n + Awarding Terms + Awarding Criterion + Awarding Criterion + Awarding Criterion + + + + + + + + + ASBIE + Awarding Terms. Technical Committee_ Person. Person + A member of a committee of experts evaluating the subjective criteria for awarding the contract. + 0..n + Awarding Terms + Technical Committee + Person + Person + Person + + + + + + + + + + + ABIE + Billing Reference. Details + A class to define a reference to a billing document. + Billing Reference + + + + + + + + + ASBIE + Billing Reference. Invoice_ Document Reference. Document Reference + A reference to an invoice. + 0..1 + Billing Reference + Invoice + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Self Billed Invoice_ Document Reference. Document Reference + A reference to a self billed invoice. + 0..1 + Billing Reference + Self Billed Invoice + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Credit Note_ Document Reference. Document Reference + A reference to a credit note. + 0..1 + Billing Reference + Credit Note + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Self Billed Credit Note_ Document Reference. Document Reference + A reference to a self billed credit note. + 0..1 + Billing Reference + Self Billed Credit Note + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Debit Note_ Document Reference. Document Reference + A reference to a debit note. + 0..1 + Billing Reference + Debit Note + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Reminder_ Document Reference. Document Reference + A reference to a billing reminder. + 0..1 + Billing Reference + Reminder + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Additional_ Document Reference. Document Reference + A reference to an additional document. + 0..1 + Billing Reference + Additional + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Billing Reference. Billing Reference Line + A reference to a transaction line in the billing document. + 0..n + Billing Reference + Billing Reference Line + Billing Reference Line + Billing Reference Line + + + + + + + + + + + ABIE + Billing Reference Line. Details + A class to define a reference to a transaction line in a billing document. + Billing Reference Line + + + + + + + + + BBIE + Billing Reference Line. Identifier + An identifier for this transaction line in a billing document. + 1 + Billing Reference Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Billing Reference Line. Amount + The monetary amount of the transaction line, including any allowances and charges but excluding taxes. + 0..1 + Billing Reference Line + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Billing Reference Line. Allowance Charge + An allowance or charge applicable to the transaction line. + 0..n + Billing Reference Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + + + ABIE + Branch. Details + A class to describe a branch or a division of an organization. + Branch + + + + + + + + + BBIE + Branch. Identifier + An identifier for this branch or division of an organization. + 0..1 + Branch + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Branch. Name + The name of this branch or division of an organization. + 0..1 + Branch + Name + Name + Name. Type + + + + + + + + + ASBIE + Branch. Financial Institution + The financial institution that this branch belongs to (if applicable). + 0..1 + Branch + Financial Institution + Financial Institution + Financial Institution + + + + + + + + + ASBIE + Branch. Address + The address of this branch or division. + 0..1 + Branch + Address + Address + Address + + + + + + + + + + + ABIE + Budget Account. Details + A class to define a budget account. + Budget Account + + + + + + + + + BBIE + Budget Account. Identifier + An identifier for the budget account, typically an internal accounting reference. + 0..1 + Budget Account + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Budget Account. Budget Year. Numeric + The number of the year for this budget account, e.g. 2012 + 0..1 + Budget Account + Budget Year + Numeric + Numeric. Type + + + + + + + + + ASBIE + Budget Account. Required_ Classification Scheme. Classification Scheme + A classification scheme required for this budget account. + 0..1 + Budget Account + Required + Classification Scheme + Classification Scheme + Classification Scheme + + + + + + + + + + + ABIE + Budget Account Line. Details + A class to define a budget account line. + Budget Account Line + + + + + + + + + BBIE + Budget Account Line. Identifier + An identifier for this budget account line. + 0..1 + Budget Account Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Budget Account Line. Total_ Amount. Amount + The total monetary amount for this budget account line. + 0..1 + Budget Account Line + Total + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Budget Account Line. Budget Account + An account covering this budget account line. + 0..n + Budget Account Line + Budget Account + Budget Account + Budget Account + + + + + + + + + + + ABIE + Capability. Details + A class to describe a specific capability of an organization. + Capability + + + + + + + + + BBIE + Capability. Capability Type Code. Code + This class can be used as Financial or Technical capabilities. For instance, "Turnover" or "Qualified Engineers" are two possible codes. + 0..1 + Capability + Capability Type Code + Code + Code. Type + + + + + + + + + BBIE + Capability. Description. Text + Text describing this capability. + 0..n + Capability + Description + Text + Text. Type + + + + + + + + + BBIE + Capability. Value. Amount + A monetary amount as a measure of this capability. + 0..1 + Capability + Value + Amount + Amount. Type + + + + + + + + + BBIE + Capability. Value_ Quantity. Quantity + A quantity as a measure of this capability. + 0..1 + Capability + Value + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Capability. Evidence Supplied + The evidence that supports the capability claim. + 0..n + Capability + Evidence Supplied + Evidence Supplied + Evidence Supplied + + + + + + + + + ASBIE + Capability. Validity_ Period. Period + The period of time for which this capability is (or has been) valid. + 0..1 + Capability + Validity + Period + Period + Period + + + + + + + + + ASBIE + Capability. Web Site + A web site where the capability is detailed. + 0..1 + Capability + Web Site + Web Site + Web Site + + + + + + + + + + + ABIE + Card Account. Details + A class to define a credit card, debit card, or charge card account. + Card Account + + + + + + + + + BBIE + Card Account. Primary_ Account Number. Identifier + An identifier of the card (e.g., the Primary Account Number (PAN)). + 1 + Card Account + Primary + Account Number + Identifier + Identifier. Type + 4558 XXXX XXXX XXXX (a real card number) + + + + + + + + + BBIE + Card Account. Network. Identifier + An identifier for the financial service network provider of the card. + 1 + Card Account + Network + Identifier + Identifier. Type + VISA, MasterCard, American Express + + + + + + + + + BBIE + Card Account. Card Type Code. Code + A mutually agreed code signifying the type of card. Examples of types are "debit", "credit" and "purchasing" + 0..1 + Card Account + Card Type Code + Code + Code. Type + Debit Card, Credit Card, Procurement Card + + + + + + + + + BBIE + Card Account. Validity Start Date. Date + The date from which the card is valid. + 0..1 + Card Account + Validity Start Date + Date + Date. Type + + + + + + + + + BBIE + Card Account. Expiry Date. Date + The date on which the card expires. + 0..1 + Card Account + Expiry Date + Date + Date. Type + + + + + + + + + BBIE + Card Account. Issuer. Identifier + An identifier for the institution issuing the card. + 0..1 + Card Account + Issuer + Identifier + Identifier. Type + + + + + + + + + BBIE + Card Account. Issue Number. Identifier + An identifier for the card, specified by the issuer. + 0..1 + Card Account + Issue Number + Identifier + Identifier. Type + + + + + + + + + BBIE + Card Account. CV2. Identifier + An identifier for the Card Verification Value (often found on the reverse of the card itself). + 0..1 + Card Account + CV2 + Identifier + Identifier. Type + + + + + + + + + BBIE + Card Account. Card Chip Code. Code + A mutually agreed code to distinguish between CHIP and MAG STRIPE cards. + 0..1 + Card Account + Card Chip Code + Code + Chip + Chip_ Code. Type + + + + + + + + + BBIE + Card Account. Chip_ Application. Identifier + An identifier on the chip card for the application that provides the quoted information; an AID (application ID). + 0..1 + Card Account + Chip + Application + Identifier + Identifier. Type + + + + + + + + + BBIE + Card Account. Holder. Name + The name of the cardholder. + 0..1 + Card Account + Holder + Name + Name. Type + + + + + + + + + + + ABIE + Catalogue Item Specification Update Line. Details + A class to define a line describing the transaction that updates the specification of an item in a catalogue. + Catalogue Item Specification Update Line + + + + + + + + + BBIE + Catalogue Item Specification Update Line. Identifier + An identifier for the line to be updated in a catalogue. + 1 + Catalogue Item Specification Update Line + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + ASBIE + Catalogue Item Specification Update Line. Contractor_ Customer Party. Customer Party + The customer responsible for the contract associated with the catalogue item. + 0..1 + Catalogue Item Specification Update Line + Contractor + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Catalogue Item Specification Update Line. Seller_ Supplier Party. Supplier Party + The seller/supplier responsible for the contract associated with the catalogue item. + 0..1 + Catalogue Item Specification Update Line + Seller + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Catalogue Item Specification Update Line. Item + The catalogue item to be updated. + 1 + Catalogue Item Specification Update Line + Item + Item + Item + + + + + + + + + + + ABIE + Catalogue Line. Details + A class to define a line in a Catalogue describing a purchasable item. + Catalogue Line + + + + + + + + + BBIE + Catalogue Line. Identifier + An identifier for the line in the catalogue. + 1 + Catalogue Line + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + BBIE + Catalogue Line. Action Code. Code + A code signifying the action required to synchronize this catalogue line. Recommend codes (delete, update, add) + 0..1 + Catalogue Line + Action Code + Code + Code. Type + Replace , Update , Delete , Add + + + + + + + + + BBIE + Catalogue Line. Life Cycle Status Code. Code + A code signifying the life cycle status of this catalogue line. Examples are pre-order, end of production + 0..1 + Catalogue Line + Life Cycle Status Code + Code + Code. Type + new - announcement only , new and available , deleted - announcement only + + + + + + + + + BBIE + Catalogue Line. Contract Subdivision. Text + A subdivision of a contract or tender covering this catalogue line. + 0..1 + Catalogue Line + Contract Subdivision + Text + Text. Type + Installation , Phase One , Support and Maintenance + + + + + + + + + BBIE + Catalogue Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Catalogue Line + Note + Text + Text. Type + + + + + + + + + BBIE + Catalogue Line. Orderable_ Indicator. Indicator + An indicator that this catalogue line describes an orderable item (true) or is included for reference purposes only (false). + 0..1 + Catalogue Line + Orderable + Indicator + Indicator + Indicator. Type + TRUE means orderable, FALSE means not orderable + + + + + + + + + BBIE + Catalogue Line. Orderable_ Unit. Text + A textual description of the units in which the item described in this catalogue line can be ordered. + 0..1 + Catalogue Line + Orderable + Unit + Text + Text. Type + + + + + + + + + BBIE + Catalogue Line. Content Unit. Quantity + The numeric quantity of the ordering unit (and units of measure) of the catalogue line. + 0..1 + Catalogue Line + Content Unit + Quantity + Quantity. Type + If order unit measure identifier is each , then content unit quantity is 1 . + + + + + + + + + BBIE + Catalogue Line. Order Quantity Increment. Numeric + The number of items that can set the order quantity increments. + 0..1 + Catalogue Line + Order Quantity Increment + Numeric + Numeric. Type + + + + + + + + + BBIE + Catalogue Line. Minimum_ Order Quantity. Quantity + The minimum amount of the item described in this catalogue line that can be ordered. + 0..1 + Catalogue Line + Minimum + Order Quantity + Quantity + Quantity. Type + 10 boxes + + + + + + + + + BBIE + Catalogue Line. Maximum_ Order Quantity. Quantity + The maximum amount of the item described in this catalogue line that can be ordered. + 0..1 + Catalogue Line + Maximum + Order Quantity + Quantity + Quantity. Type + 1 tonne + + + + + + + + + BBIE + Catalogue Line. Warranty_ Information. Text + Text about a warranty (provided by WarrantyParty) for the good or service described in this catalogue line. + 0..n + Catalogue Line + Warranty + Information + Text + Text. Type + Unless specified otherwise and in addition to any rights the Customer may have under statute, Dell warrants to the Customer that Dell branded Products (excluding third party products and software), will be free from defects in materials and workmanship affecting normal use for a period of one year from invoice date ( Standard Warranty ). + + + + + + + + + BBIE + Catalogue Line. Pack Level Code. Code + A mutually agreed code signifying the level of packaging associated with the item described in this catalogue line. + 0..1 + Catalogue Line + Pack Level Code + Code + Code. Type + Consumer Unit, Trading Unit + level 2 , Group 4 + + + + + + + + + ASBIE + Catalogue Line. Contractor_ Customer Party. Customer Party + The customer responsible for the contract with which this catalogue line is associated. + 0..1 + Catalogue Line + Contractor + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Catalogue Line. Seller_ Supplier Party. Supplier Party + The seller/supplier responsible for the contract with which this catalogue line is associated. + 0..1 + Catalogue Line + Seller + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Catalogue Line. Warranty_ Party. Party + The party responsible for any warranty associated with the item described in this catalogue line. + 0..1 + Catalogue Line + Warranty + Party + Party + Party + + + + + + + + + ASBIE + Catalogue Line. Warranty Validity_ Period. Period + The period for which a warranty associated with the item in this catalogue line is valid. + 0..1 + Catalogue Line + Warranty Validity + Period + Period + Period + + + + + + + + + ASBIE + Catalogue Line. Line Validity_ Period. Period + The period for which the information in this catalogue line is valid. + 0..1 + Catalogue Line + Line Validity + Period + Period + Period + + + + + + + + + ASBIE + Catalogue Line. Item Comparison + A combination of price and quantity used to provide price comparisons based on different sizes of order. + 0..n + Catalogue Line + Item Comparison + Item Comparison + Item Comparison + + + + + + + + + ASBIE + Catalogue Line. Component_ Related Item. Related Item + An item that may be a component of the item in this catalogue line. + 0..n + Catalogue Line + Component + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Catalogue Line. Accessory_ Related Item. Related Item + An item that may be an optional accessory of the item in this catalogue line. + 0..n + Catalogue Line + Accessory + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Catalogue Line. Required_ Related Item. Related Item + An item that may be required for the item in this catalogue line. + 0..n + Catalogue Line + Required + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Catalogue Line. Replacement_ Related Item. Related Item + An item that may be a replacement for the item in this catalogue line. + 0..n + Catalogue Line + Replacement + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Catalogue Line. Complementary_ Related Item. Related Item + An item that may complement the item in this catalogue line. + 0..n + Catalogue Line + Complementary + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Catalogue Line. Replaced_ Related Item. Related Item + An item in an existing catalogue that is being replaced by the item in this catalogue line. + 0..n + Catalogue Line + Replaced + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Catalogue Line. Required_ Item Location Quantity. Item Location Quantity + Properties of the item in this catalogue line that are dependent on location and quantity. + 0..n + Catalogue Line + Required + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + ASBIE + Catalogue Line. Document Reference + A reference to a document associated with this catalogue line. + 0..n + Catalogue Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Catalogue Line. Item + A specification of the item itself. + 1 + Catalogue Line + Item + Item + Item + + + + + + + + + ASBIE + Catalogue Line. Keyword_ Item Property. Item Property + A property of the item in this catalogue line. + 0..n + Catalogue Line + Keyword + Item Property + Item Property + Item Property + + + + + + + + + ASBIE + Catalogue Line. Call For Tenders_ Line Reference. Line Reference + Reference to a Line on a Call For Tenders document. + 0..1 + Catalogue Line + Call For Tenders + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Catalogue Line. Call For Tenders_ Document Reference. Document Reference + A class defining references to a Call For Tenders document. + 0..1 + Catalogue Line + Call For Tenders + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Catalogue Pricing Update Line. Details + A class to define a line describing a pricing update to a catalogue line. + Catalogue Pricing Update Line + + + + + + + + + BBIE + Catalogue Pricing Update Line. Identifier + An identifier for the catalogue line to be updated. + 1 + Catalogue Pricing Update Line + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + ASBIE + Catalogue Pricing Update Line. Contractor_ Customer Party. Customer Party + The customer responsible for the contract associated with the catalogue line being updated. + 0..1 + Catalogue Pricing Update Line + Contractor + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Catalogue Pricing Update Line. Seller_ Supplier Party. Supplier Party + The seller/supplier responsible for the contract associated with the catalogue line being updated. + 0..1 + Catalogue Pricing Update Line + Seller + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Catalogue Pricing Update Line. Required_ Item Location Quantity. Item Location Quantity + Updated properties of the item in this catalogue line that are dependent on location and quantity. + 0..n + Catalogue Pricing Update Line + Required + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + + + ABIE + Catalogue Reference. Details + A class to define a reference to a catalogue. + Catalogue Reference + + + + + + + + + BBIE + Catalogue Reference. Identifier + An identifier for a specific catalogue. + 1 + Catalogue Reference + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Catalogue Reference. UUID. Identifier + A universally unique identifier for a specific catalogue. + 0..1 + Catalogue Reference + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Catalogue Reference. Issue Date. Date + The date on which the catalogue was issued. + 0..1 + Catalogue Reference + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Catalogue Reference. Issue Time. Time + The time at which the catalogue was issued. + 0..1 + Catalogue Reference + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Catalogue Reference. Revision Date. Date + The date on which the information in the catalogue was last revised. + 0..1 + Catalogue Reference + Revision Date + Date + Date. Type + + + + + + + + + BBIE + Catalogue Reference. Revision Time. Time + The time at which the information in the catalogue was last revised. + 0..1 + Catalogue Reference + Revision Time + Time + Time. Type + + + + + + + + + BBIE + Catalogue Reference. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Catalogue Reference + Note + Text + Text. Type + + + + + + + + + BBIE + Catalogue Reference. Description. Text + Text describing the catalogue. + 0..n + Catalogue Reference + Description + Text + Text. Type + computer accessories for laptops + + + + + + + + + BBIE + Catalogue Reference. Version. Identifier + An identifier for the current version of the catalogue. + 0..1 + Catalogue Reference + Version + Identifier + Identifier. Type + 1.1 + + + + + + + + + BBIE + Catalogue Reference. Previous_ Version. Identifier + An identifier for the previous version of the catalogue that is superseded by this version. + 0..1 + Catalogue Reference + Previous + Version + Identifier + Identifier. Type + 1.0 + + + + + + + + + + + ABIE + Catalogue Request Line. Details + A class to define a line describing a request for a catalogue line. + Catalogue Request Line + + + + + + + + + BBIE + Catalogue Request Line. Identifier + An identifier for the requested catalogue line. + 1 + Catalogue Request Line + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + BBIE + Catalogue Request Line. Contract Subdivision. Text + A subdivision of a contract or tender covering the line being requested. + 0..1 + Catalogue Request Line + Contract Subdivision + Text + Text. Type + Installation , Phase One , Support and Maintenance + + + + + + + + + BBIE + Catalogue Request Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Catalogue Request Line + Note + Text + Text. Type + + + + + + + + + ASBIE + Catalogue Request Line. Line Validity_ Period. Period + The period for which the information in the requested catalogue line is valid. + 0..1 + Catalogue Request Line + Line Validity + Period + Period + Period + + + + + + + + + ASBIE + Catalogue Request Line. Required_ Item Location Quantity. Item Location Quantity + Properties of the item in the requested catalogue line that are dependent on location and quantity. + 0..n + Catalogue Request Line + Required + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + ASBIE + Catalogue Request Line. Item + The item associated with the requested catalogue line. + 1 + Catalogue Request Line + Item + Item + Item + + + + + + + + + + + ABIE + Certificate. Details + A class to define a certificate applied to the item. Certificated can be a requirement to sell goods or services in a jurisdiction. + Certificate + + + + + + + + + BBIE + Certificate. Identifier + An identifier for this certificate. + 1 + Certificate + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Certificate. Certificate Type Code. Code + The type of this certificate, expressed as a code. The type specifies what array it belongs to, e.g.. Environmental, security, health improvement etc. + 1 + Certificate + Certificate Type Code + Code + Code. Type + + + + + + + + + BBIE + Certificate. Certificate Type. Text + The type of this certificate, expressed as a code. The type specifies what array it belongs to, e.g.. Environmental, security, health improvement etc. + 1 + Certificate + Certificate Type + Text + Text. Type + + + + + + + + + BBIE + Certificate. Remarks. Text + Remarks by the applicant for this certificate. + 0..n + Certificate + Remarks + Text + Text. Type + + + + + + + + + ASBIE + Certificate. Issuer_ Party. Party + The authorized organization that issued this certificate, the provider of the certificate. + 1 + Certificate + Issuer + Party + Party + Party + + + + + + + + + ASBIE + Certificate. Document Reference + A reference to a document relevant to this certificate or an application for this certificate. + 0..n + Certificate + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Certificate. Signature + A signature applied to this certificate. + 0..n + Certificate + Signature + Signature + Signature + + + + + + + + + + + ABIE + Certificate Of Origin Application. Details + A class to define an application for a Certificate of Origin (CoO). + Certificate Of Origin Application + + + + + + + + + BBIE + Certificate Of Origin Application. Reference. Identifier + An identifier for a reference as part of the CoO application. + 1 + Certificate Of Origin Application + Reference + Identifier + Identifier. Type + + + + + + + + + BBIE + Certificate Of Origin Application. Certificate Type. Text + The type of CoO being applied for (Ordinary, Re-export, Commonwealth Preferential, etc.). + 1 + Certificate Of Origin Application + Certificate Type + Text + Text. Type + + + + + + + + + BBIE + Certificate Of Origin Application. Application Status Code. Code + A code signifying the status of the application (revision, replacement, etc.). + 0..1 + Certificate Of Origin Application + Application Status Code + Code + Code. Type + + + + + + + + + BBIE + Certificate Of Origin Application. Original_ Job Identifier. Identifier + The latest job number given to the CoO application. This is used by the system to keep track of amendments to or cancellation of any earlier applications. + 1 + Certificate Of Origin Application + Original + Job Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Certificate Of Origin Application. Previous_ Job Identifier. Identifier + An identifier for the previous job used in case the application requires query or change. + 0..1 + Certificate Of Origin Application + Previous + Job Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Certificate Of Origin Application. Remarks. Text + Remarks by the applicant for the CoO. + 0..n + Certificate Of Origin Application + Remarks + Text + Text. Type + + + + + + + + + ASBIE + Certificate Of Origin Application. Shipment + The shipment of goods covered by the CoO. + 1 + Certificate Of Origin Application + Shipment + Shipment + Shipment + + + + + + + + + ASBIE + Certificate Of Origin Application. Endorser Party + A party providing an endorsement to the CoO. + 1..n + Certificate Of Origin Application + Endorser Party + Endorser Party + Endorser Party + + + + + + + + + ASBIE + Certificate Of Origin Application. Preparation_ Party. Party + The party (individual, group, or body) that prepared this CoO application. + 1 + Certificate Of Origin Application + Preparation + Party + Party + Party + + + + + + + + + ASBIE + Certificate Of Origin Application. Issuer_ Party. Party + The organization authorized to issue the CoO requested by this application. + 1 + Certificate Of Origin Application + Issuer + Party + Party + Party + + + + + + + + + ASBIE + Certificate Of Origin Application. Exporter_ Party. Party + The party making an export declaration, or on behalf of which the export declaration is made, and that is the owner of the goods or has similar right of disposal over them at the time when the declaration is accepted. + 0..1 + Certificate Of Origin Application + Exporter + Party + Party + Party + Exporter (WCO ID 41 and 42) + + + + + + + + + ASBIE + Certificate Of Origin Application. Importer_ Party. Party + The party making an import declaration, or on behalf of which a customs clearing agent or other authorized person makes an import declaration. This may include a person who has possession of the goods or to whom the goods are consigned. + 0..1 + Certificate Of Origin Application + Importer + Party + Party + Party + Importer (WCO ID 39 and 40) + + + + + + + + + ASBIE + Certificate Of Origin Application. Issuing_ Country. Country + The country where the requested CoO will be issued. + 1 + Certificate Of Origin Application + Issuing + Country + Country + Country + + + + + + + + + ASBIE + Certificate Of Origin Application. Document Distribution + An interested party to which the CoO is to be distributed. + 0..n + Certificate Of Origin Application + Document Distribution + Document Distribution + Document Distribution + + + + + + + + + ASBIE + Certificate Of Origin Application. Supporting_ Document Reference. Document Reference + A reference to a document supporting this application. + 0..n + Certificate Of Origin Application + Supporting + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Certificate Of Origin Application. Signature + A signature applied to this application. + 0..n + Certificate Of Origin Application + Signature + Signature + Signature + + + + + + + + + + + ABIE + Classification Category. Details + A class to define a category within a classification scheme. + Classification Category + + + + + + + + + BBIE + Classification Category. Name + The name of this category within the classification scheme. + 0..1 + Classification Category + Name + Name + Name. Type + Code List Name + UNSPSC Class , UNSPSC Segment , UNSPSC Family + + + + + + + + + BBIE + Classification Category. Code Value. Text + The value of a code used to identify this category within the classification scheme. + 0..1 + Classification Category + Code Value + Text + Text. Type + Code Value + 3420001, 3273666, HSJJD-213 + + + + + + + + + BBIE + Classification Category. Description. Text + Text describing this category. + 0..n + Classification Category + Description + Text + Text. Type + Code Name + Electrical Goods , Wooden Toys + + + + + + + + + ASBIE + Classification Category. Categorizes_ Classification Category. Classification Category + A recursive description of a subcategory of this category. + 0..n + Classification Category + Categorizes + Classification Category + Classification Category + Classification Category + + + + + + + + + + + ABIE + Classification Scheme. Details + A class to define a classification scheme, such as a taxonomy for classifying goods or services. + Classification Scheme + + + + + + + + + BBIE + Classification Scheme. Identifier + An identifier for this classification scheme. + 1 + Classification Scheme + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Classification Scheme. UUID. Identifier + A universally unique identifier for this classification scheme. + 0..1 + Classification Scheme + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Classification Scheme. Last_ Revision Date. Date + The date on which this classification scheme was last revised. + 0..1 + Classification Scheme + Last + Revision Date + Date + Date. Type + + + + + + + + + BBIE + Classification Scheme. Last_ Revision Time. Time + The time at which this classification scheme was last revised. + 0..1 + Classification Scheme + Last + Revision Time + Time + Time. Type + + + + + + + + + BBIE + Classification Scheme. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Classification Scheme + Note + Text + Text. Type + + + + + + + + + BBIE + Classification Scheme. Name + The name of this classification scheme. + 0..1 + Classification Scheme + Name + Name + Name. Type + UNSPSC + + + + + + + + + BBIE + Classification Scheme. Description. Text + Text describing this classification scheme. + 0..n + Classification Scheme + Description + Text + Text. Type + an open, global multi-sector standard for classification of products and services + + + + + + + + + BBIE + Classification Scheme. Agency Identifier. Identifier + An identifier for the agency that maintains this classification scheme. + 0..1 + Classification Scheme + Agency Identifier + Identifier + Identifier. Type + Defaults to the UN/EDIFACT data element 3055 code list. + + + + + + + + + BBIE + Classification Scheme. Agency Name. Name + The name of the agency that maintains the classification scheme. + 0..1 + Classification Scheme + Agency Name + Name + Name. Type + + + + + + + + + BBIE + Classification Scheme. Version. Identifier + An identifier for the version of this classification scheme. + 0..1 + Classification Scheme + Version + Identifier + Identifier. Type + + + + + + + + + BBIE + Classification Scheme. URI. Identifier + The Uniform Resource Identifier (URI) of the documentation for this classification scheme. + 0..1 + Classification Scheme + URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Classification Scheme. Scheme_ URI. Identifier + The Uniform Resource Identifier (URI) of this classification scheme. + 0..1 + Classification Scheme + Scheme + URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Classification Scheme. Language. Identifier + An identifier for the language of this classification scheme. + 0..1 + Classification Scheme + Language + Identifier + Identifier. Type + + + + + + + + + ASBIE + Classification Scheme. Classification Category + A description of a category within this classification scheme. + 1..n + Classification Scheme + Classification Category + Classification Category + Classification Category + + + + + + + + + + + ABIE + Clause. Details + A class to define a clause (a distinct article or provision) in a contract, treaty, will, or other formal or legal written document requiring compliance. + Clause + + + + + + + + + BBIE + Clause. Identifier + An identifier for this clause. + 0..1 + Clause + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Clause. Content. Text + The text of this clause. + 0..n + Clause + Content + Text + Text. Type + + + + + + + + + + + ABIE + Commodity Classification. Details + A class to describe the classification of a commodity. + Commodity Classification + + + + + + + + + BBIE + Commodity Classification. Nature Code. Code + A code defined by a specific maintenance agency signifying the high-level nature of the commodity. + 0..1 + Commodity Classification + Nature Code + Code + Code. Type + wooden products + + + + + + + + + BBIE + Commodity Classification. Cargo Type Code. Code + A mutually agreed code signifying the type of cargo for purposes of commodity classification. + 0..1 + Commodity Classification + Cargo Type Code + Code + Code. Type + Refrigerated + + + + + + + + + BBIE + Commodity Classification. Commodity Code. Code + The harmonized international commodity code for cross border and regulatory (customs and trade statistics) purposes. + 0..1 + Commodity Classification + Commodity Code + Code + Code. Type + Harmonized Code + 1102222883 + + + + + + + + + BBIE + Commodity Classification. Item Classification Code. Code + A code signifying the trade classification of the commodity. + 0..1 + Commodity Classification + Item Classification Code + Code + Code. Type + UN/SPSC Code + 3440234 + + + + + + + + + + + ABIE + Communication. Details + A class to describe a means of communication. + Communication + + + + + + + + + BBIE + Communication. Channel Code. Code + The method of communication, expressed as a code. + 0..1 + Communication + Channel Code + Code + Channel + Channel_ Code. Type + Phone Fax Email + + + + + + + + + BBIE + Communication. Channel. Text + The method of communication, expressed as text. + 0..1 + Communication + Channel + Text + Text. Type + Skype + + + + + + + + + BBIE + Communication. Value. Text + An identifying value (phone number, email address, etc.) for this channel of communication + 0..1 + Communication + Value + Text + Text. Type + +44 1 2345 6789 president@whitehouse.com + + + + + + + + + + + ABIE + Completed Task. Details + A class to describe the completion of a specific task in the tendering process. + Completed Task + + + + + + + + + BBIE + Completed Task. Annual_ Average. Amount + The average monetary amount of a task such as this completed task. + 0..1 + Completed Task + Annual + Average + Amount + Amount. Type + + + + + + + + + BBIE + Completed Task. Total Task. Amount + The actual total monetary amount of this completed task. + 0..1 + Completed Task + Total Task + Amount + Amount. Type + + + + + + + + + BBIE + Completed Task. Party Capacity. Amount + A monetary amount corresponding to the financial capacity of the party that carried out this completed task. + 0..1 + Completed Task + Party Capacity + Amount + Amount. Type + + + + + + + + + BBIE + Completed Task. Description. Text + Text describing this completed task. + 0..n + Completed Task + Description + Text + Text. Type + + + + + + + + + ASBIE + Completed Task. Evidence Supplied + The evidence justifying a designation of "complete" for this task. + 0..n + Completed Task + Evidence Supplied + Evidence Supplied + Evidence Supplied + + + + + + + + + ASBIE + Completed Task. Period + The period in which this completed task was performed. + 0..1 + Completed Task + Period + Period + Period + + + + + + + + + ASBIE + Completed Task. Recipient_ Customer Party. Customer Party + The original customer for this completed task. + 0..1 + Completed Task + Recipient + Customer Party + Customer Party + Customer Party + + + + + + + + + + + ABIE + Condition. Details + A class to define a measurable condition of an object. + Condition + + + + + + + + + BBIE + Condition. Attribute Identifier. Identifier + An identifier for the attribute that applies to the condition. + 1 + Condition + Attribute Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Condition. Measure + The measurement value. + 0..1 + Condition + Measure + Measure + Measure. Type + + + + + + + + + BBIE + Condition. Description. Text + Text describing the attribute that applies to the condition. + 0..n + Condition + Description + Text + Text. Type + + + + + + + + + BBIE + Condition. Minimum_ Measure. Measure + The minimum value in a range of measurement for this condition. + 0..1 + Condition + Minimum + Measure + Measure + Measure. Type + + + + + + + + + BBIE + Condition. Maximum_ Measure. Measure + The maximum value in a range of measurement for this condition. + 0..1 + Condition + Maximum + Measure + Measure + Measure. Type + + + + + + + + + + + ABIE + Consignment. Details + A class to describe an identifiable collection of one or more goods items to be transported between the consignor and the consignee. This information may be defined within a transport contract. A consignment may comprise more than one shipment (e.g., when consolidated by a freight forwarder). + Consignment + + + + + + + + + BBIE + Consignment. Identifier + An identifier assigned to a collection of goods for both import and export. + 1 + Consignment + Identifier + Identifier + Identifier. Type + Unique consignment reference number (UCR) + + + + + + + + + BBIE + Consignment. Carrier Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the carrier. + 0..1 + Consignment + Carrier Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Consignee Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the consignee. + 0..1 + Consignment + Consignee Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Consignor Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the consignor. + 0..1 + Consignment + Consignor Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Freight Forwarder Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the freight forwarder. + 0..1 + Consignment + Freight Forwarder Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Broker Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the broker. + 0..1 + Consignment + Broker Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Contracted Carrier Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the contracted carrier. + 0..1 + Consignment + Contracted Carrier Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Performing Carrier Assigned_ Identifier. Identifier + An identifier for this consignment, assigned by the performing carrier. + 0..1 + Consignment + Performing Carrier Assigned + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Summary_ Description. Text + A textual summary description of the consignment. + 0..n + Consignment + Summary + Description + Text + Text. Type + + + + + + + + + BBIE + Consignment. Total_ Invoice Amount. Amount + The total of all invoice amounts declared in this consignment. + 0..1 + Consignment + Total + Invoice Amount + Amount + Amount. Type + + + + + + + + + BBIE + Consignment. Declared Customs_ Value. Amount + The total declared value for customs purposes of all the goods in this consignment, regardless of whether they are subject to the same customs procedure, tariff/statistical categorization, country information, or duty regime. + 0..1 + Consignment + Declared Customs + Value + Amount + Amount. Type + + + + + + + + + BBIE + Consignment. Tariff Description. Text + Text describing the tariff applied to this consignment. + 0..n + Consignment + Tariff Description + Text + Text. Type + + + + + + + + + BBIE + Consignment. Tariff Code. Code + A code signifying the tariff applied to this consignment. + 0..1 + Consignment + Tariff Code + Code + Code. Type + Tariff code number (WCO ID 145) + + + + + + + + + BBIE + Consignment. Insurance Premium Amount. Amount + The amount of the premium payable to an insurance company for insuring the goods contained in this consignment. + 0..1 + Consignment + Insurance Premium Amount + Amount + Amount. Type + Insurance Cost + + + + + + + + + BBIE + Consignment. Gross_ Weight. Measure + The total declared weight of the goods in this consignment, including packaging but excluding the carrier's equipment. + 0..1 + Consignment + Gross + Weight + Measure + Measure. Type + Total gross weight (WCO ID 131) + Total cube of all goods items referred to as one consignment. + + + + + + + + + BBIE + Consignment. Net_ Weight. Measure + The total net weight of all the goods items referred to as one consignment. + 0..1 + Consignment + Net + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Consignment. Net Net_ Weight. Measure + The total net weight of the goods in this consignment, exclusive of packaging. + 0..1 + Consignment + Net Net + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Consignment. Chargeable_ Weight. Measure + The weight upon which a charge is to be based. + 0..1 + Consignment + Chargeable + Weight + Measure + Measure. Type + Chargeable Weight. Basis.Measure + + + + + + + + + BBIE + Consignment. Gross_ Volume. Measure + The total volume of the goods referred to as one consignment. + 0..1 + Consignment + Gross + Volume + Measure + Measure. Type + Cube + + + + + + + + + BBIE + Consignment. Net_ Volume. Measure + The total net volume of all goods items referred to as one consignment. + 0..1 + Consignment + Net + Volume + Measure + Measure. Type + + + + + + + + + BBIE + Consignment. Loading_ Length. Measure + The total length in a means of transport or a piece of transport equipment which, given the width and height of the transport means, will accommodate all of the consignments in a single consolidation. + 0..1 + Consignment + Loading + Length + Measure + Measure. Type + + + + + + + + + BBIE + Consignment. Remarks. Text + Remarks concerning the complete consignment, to be printed on the transport document. + 0..n + Consignment + Remarks + Text + Text. Type + + + + + + + + + BBIE + Consignment. Hazardous Risk_ Indicator. Indicator + An indication that the transported goods in this consignment are subject to an international regulation concerning the carriage of dangerous goods (true) or not (false). + 0..1 + Consignment + Hazardous Risk + Indicator + Indicator + Indicator. Type + Dangerous Goods RID Indicator + default is negative + + + + + + + + + BBIE + Consignment. Animal_ Food Indicator. Indicator + An indication that the transported goods in this consignment are animal foodstuffs (true) or not (false). + 0..1 + Consignment + Animal + Food Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Human_ Food Indicator. Indicator + An indication that the transported goods in this consignment are for human consumption (true) or not (false). + 0..1 + Consignment + Human + Food Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Livestock_ Indicator. Indicator + An indication that the transported goods are livestock (true) or not (false). + 0..1 + Consignment + Livestock + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Bulk Cargo_ Indicator. Indicator + An indication that the transported goods in this consignment are bulk cargoes (true) or not (false). + 0..1 + Consignment + Bulk Cargo + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Containerized_ Indicator. Indicator + An indication that the transported goods in this consignment are containerized cargoes (true) or not (false). + 0..1 + Consignment + Containerized + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. General Cargo_ Indicator. Indicator + An indication that the transported goods in this consignment are general cargoes (true) or not (false). + 0..1 + Consignment + General Cargo + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Special_ Security Indicator. Indicator + An indication that the transported goods in this consignment require special security (true) or not (false). + 0..1 + Consignment + Special + Security Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Third Party Payer_ Indicator. Indicator + An indication that this consignment will be paid for by a third party (true) or not (false). + 0..1 + Consignment + Third Party Payer + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Carrier Service_ Instructions. Text + Service instructions to the carrier, expressed as text. + 0..n + Consignment + Carrier Service + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Customs Clearance Service_ Instructions. Text + Service instructions for customs clearance, expressed as text. + 0..n + Consignment + Customs Clearance Service + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Forwarder Service_ Instructions. Text + Service instructions for the forwarder, expressed as text. + 0..n + Consignment + Forwarder Service + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Special Service_ Instructions. Text + Special service instructions, expressed as text. + 0..n + Consignment + Special Service + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Sequence Identifier. Identifier + A sequence identifier for this consignment. + 0..1 + Consignment + Sequence Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Shipping Priority Level Code. Code + A code signifying the priority or level of service required for this consignment. + 0..1 + Consignment + Shipping Priority Level Code + Code + Code. Type + + + + + + + + + BBIE + Consignment. Handling Code. Code + The handling required for this consignment, expressed as a code. + 0..1 + Consignment + Handling Code + Code + Code. Type + Special Handling + + + + + + + + + BBIE + Consignment. Handling_ Instructions. Text + The handling required for this consignment, expressed as text. + 0..n + Consignment + Handling + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Information. Text + Free-form text pertinent to this consignment, conveying information that is not contained explicitly in other structures. + 0..n + Consignment + Information + Text + Text. Type + + + + + + + + + BBIE + Consignment. Total_ Goods Item Quantity. Quantity + The total number of goods items in this consignment. + 0..1 + Consignment + Total + Goods Item Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Consignment. Total_ Transport Handling Unit Quantity. Quantity + The number of pieces of transport handling equipment (pallets, boxes, cases, etc.) in this consignment. + 0..1 + Consignment + Total + Transport Handling Unit Quantity + Quantity + Quantity. Type + Number of THUs + + + + + + + + + BBIE + Consignment. Insurance_ Value. Amount + The amount covered by insurance for this consignment. + 0..1 + Consignment + Insurance + Value + Amount + Amount. Type + Value Insured + + + + + + + + + BBIE + Consignment. Declared For Carriage_ Value. Amount + The value of this consignment, declared by the shipper or his agent solely for the purpose of varying the carrier's level of liability from that provided in the contract of carriage, in case of loss or damage to goods or delayed delivery. + 0..1 + Consignment + Declared For Carriage + Value + Amount + Amount. Type + Declared value for carriage, Interest in delivery + + + + + + + + + BBIE + Consignment. Declared Statistics_ Value. Amount + The value, declared for statistical purposes, of those goods in this consignment that have the same statistical heading. + 0..1 + Consignment + Declared Statistics + Value + Amount + Amount. Type + Statistical Value + + + + + + + + + BBIE + Consignment. Free On Board_ Value. Amount + The monetary amount that has to be or has been paid as calculated under the applicable trade delivery. + 0..1 + Consignment + Free On Board + Value + Amount + Amount. Type + FOB Value + + + + + + + + + BBIE + Consignment. Special_ Instructions. Text + Special instructions relating to this consignment. + 0..n + Consignment + Special + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Split Consignment_ Indicator. Indicator + An indicator that this consignment has been split in transit (true) or not (false). + 0..1 + Consignment + Split Consignment + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Consignment. Delivery_ Instructions. Text + A set of delivery instructions relating to this consignment. + 0..n + Consignment + Delivery + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Consignment_ Quantity. Quantity + The count in this consignment considering goods items, child consignments, shipments + 0..1 + Consignment + Consignment + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Consignment. Consolidatable_ Indicator. Indicator + An indicator that this consignment can be consolidated (true) or not (false). + 0..1 + Consignment + Consolidatable + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Consignment. Haulage_ Instructions. Text + Instructions regarding haulage of this consignment, expressed as text. + 0..n + Consignment + Haulage + Instructions + Text + Text. Type + + + + + + + + + BBIE + Consignment. Loading_ Sequence Identifier. Identifier + An identifier for the loading sequence of this consignment. + 0..1 + Consignment + Loading + Sequence Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Consignment. Child Consignment Quantity. Quantity + The quantity of (consolidated) child consignments + 0..1 + Consignment + Child Consignment Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Consignment. Total_ Packages Quantity. Quantity + The total number of packages associated with a Consignment. + 0..1 + Consignment + Total + Packages Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Consignment. Consolidated_ Shipment. Shipment + A consolidated shipment (a shipment created by an act of consolidation). + 0..n + Consignment + Consolidated + Shipment + Shipment + Shipment + + + + + + + + + ASBIE + Consignment. Customs Declaration + A class describing identifiers or references relating to customs procedures. + 0..n + Consignment + Customs Declaration + Customs Declaration + Customs Declaration + + + + + + + + + ASBIE + Consignment. Requested Pickup_ Transport Event. Transport Event + The pickup of this consignment requested by the party requesting a transportation service (the transport user). + 0..1 + Consignment + Requested Pickup + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Requested Delivery_ Transport Event. Transport Event + The delivery of this consignment requested by the party requesting a transportation service (the transport user). + 0..1 + Consignment + Requested Delivery + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Planned Pickup_ Transport Event. Transport Event + The pickup of this consignment planned by the party responsible for providing the transportation service (the transport service provider). + 0..1 + Consignment + Planned Pickup + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Planned Delivery_ Transport Event. Transport Event + The delivery of this consignment planned by the party responsible for providing the transportation service (the transport service provider). + 0..1 + Consignment + Planned Delivery + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Actual Pickup_ Transport Event. Transport Event + The actual pickup of this consignment by the party responsible for providing the transportation service (the transport service provider). + 0..1 + Consignment + Actual Pickup + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Actual Delivery_ Transport Event. Transport Event + The actual delivery of this consignment by the party responsible for providing the transportation service (the transport service provider). + 0..1 + Consignment + Actual Delivery + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Status + The status of a particular condition associated with this consignment. + 0..n + Consignment + Status + Status + Status + + + + + + + + + ASBIE + Consignment. Child_ Consignment. Consignment + One of the child consignments of which a consolidated consignment is composed. + 0..n + Consignment + Child + Consignment + Consignment + Consignment + + + + + + + + + ASBIE + Consignment. Consignee_ Party. Party + A party to which goods are consigned. + 0..1 + Consignment + Consignee + Party + Party + Party + Consignee (WCO ID 51 and 52) + + + + + + + + + ASBIE + Consignment. Exporter_ Party. Party + The party that makes the export declaration, or on behalf of which the export declaration is made, and that is the owner of the goods in this consignment or has similar right of disposal over them at the time when the declaration is accepted. + 0..1 + Consignment + Exporter + Party + Party + Party + Exporter (WCO ID 41 and 42) + + + + + + + + + ASBIE + Consignment. Consignor_ Party. Party + The party consigning goods, as stipulated in the transport contract by the party ordering transport. + 0..1 + Consignment + Consignor + Party + Party + Party + Consignor (WCO ID 71 and 72) + + + + + + + + + ASBIE + Consignment. Importer_ Party. Party + The party that makes an import declaration regarding this consignment, or on behalf of which a customs clearing agent or other authorized person makes an import declaration regarding this consignment. This may include a person who has possession of the goods or to whom the goods are consigned. + 0..1 + Consignment + Importer + Party + Party + Party + Importer (WCO ID 39 and 40) + + + + + + + + + ASBIE + Consignment. Carrier_ Party. Party + The party providing the transport of goods in this consignment between named points. + 0..1 + Consignment + Carrier + Party + Party + Party + Transport Company, Shipping Line, NVOCC, Airline, Haulier, Courier, Carrier (WCO ID 49 and 50) + + + + + + + + + ASBIE + Consignment. Freight Forwarder_ Party. Party + The party combining individual smaller consignments into a single larger shipment (the consolidated shipment), which is sent to a counterpart that mirrors the consolidator's activity by dividing the consolidated consignment into its original components. + 0..1 + Consignment + Freight Forwarder + Party + Party + Party + Consolidator (WCO ID 192 AND 193) + + + + + + + + + ASBIE + Consignment. Notify_ Party. Party + The party to be notified upon arrival of goods and when special occurrences (usually pre-defined) take place during a transportation service. + 0..1 + Consignment + Notify + Party + Party + Party + WCO ID 57 and 58 + + + + + + + + + ASBIE + Consignment. Original Despatch_ Party. Party + The original despatch (sender) party for this consignment. + 0..1 + Consignment + Original Despatch + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Final Delivery_ Party. Party + The final delivery party for this consignment. + 0..1 + Consignment + Final Delivery + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Performing Carrier_ Party. Party + The party performing the carriage of this consignment. + 0..1 + Consignment + Performing Carrier + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Substitute Carrier_ Party. Party + A substitute party performing the carriage of this consignment. + 0..1 + Consignment + Substitute Carrier + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Logistics Operator_ Party. Party + The logistics operator party for this consignment. + 0..1 + Consignment + Logistics Operator + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Transport Advisor_ Party. Party + The party providing transport advice this consignment. + 0..1 + Consignment + Transport Advisor + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Hazardous Item Notification_ Party. Party + The party that would be notified of a hazardous item in this consignment. + 0..1 + Consignment + Hazardous Item Notification + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Insurance_ Party. Party + The party holding the insurance for this consignment. + 0..1 + Consignment + Insurance + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Mortgage Holder_ Party. Party + The party holding the mortgage for this consignment. + 0..1 + Consignment + Mortgage Holder + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Bill Of Lading Holder_ Party. Party + The party holding the bill of lading for this consignment. + 0..1 + Consignment + Bill Of Lading Holder + Party + Party + Party + + + + + + + + + ASBIE + Consignment. Original Departure_ Country. Country + The country from which the goods in this consignment were originally exported, without any commercial transaction taking place in intermediate countries. + 0..1 + Consignment + Original Departure + Country + Country + Country + Country of origin (WCO ID 062) + + + + + + + + + ASBIE + Consignment. Final Destination_ Country. Country + The country in which the goods in this consignment are to be delivered to the final consignee or buyer. + 0..1 + Consignment + Final Destination + Country + Country + Country + Ultimate Destination Country, Country of Final Arrival, Country of Destination + + + + + + + + + ASBIE + Consignment. Transit_ Country. Country + One of the countries through which goods or passengers in this consignment are routed between the country of original departure and the country of final destination. + 0..n + Consignment + Transit + Country + Country + Country + Country(ies) of routing (WCO ID 064) + + + + + + + + + ASBIE + Consignment. Transport_ Contract. Contract + A transport contract relating to this consignment. + 0..1 + Consignment + Transport + Contract + Contract + Contract + + + + + + + + + ASBIE + Consignment. Transport Event + A class describing a significant occurrence or happening related to the transportation of goods. + 0..n + Consignment + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Consignment. Original Despatch_ Transportation Service. Transportation Service + The service for pickup from the consignor under the transport contract for this consignment. + 0..1 + Consignment + Original Despatch + Transportation Service + Transportation Service + Transportation Service + Door-to-door , Pier-to-door + + + + + + + + + ASBIE + Consignment. Final Delivery_ Transportation Service. Transportation Service + The service for delivery to the consignee under the transport contract for this consignment. + 0..1 + Consignment + Final Delivery + Transportation Service + Transportation Service + Transportation Service + Door-to-door , Pier-to-door + + + + + + + + + ASBIE + Consignment. Delivery Terms + The conditions agreed upon between a seller and a buyer with regard to the delivery of goods and/or services (e.g., CIF, FOB, or EXW from the INCOTERMS Terms of Delivery). + 0..1 + Consignment + Delivery Terms + Delivery Terms + Delivery Terms + Trade Terms, INCOTERMS + + + + + + + + + ASBIE + Consignment. Payment Terms + The terms of payment between the parties (such as logistics service client, logistics service provider) in a transaction. + 0..1 + Consignment + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Consignment. Collect_ Payment Terms. Payment Terms + The terms of payment that apply to the collection of this consignment. + 0..1 + Consignment + Collect + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Consignment. Disbursement_ Payment Terms. Payment Terms + The terms of payment for disbursement. + 0..1 + Consignment + Disbursement + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Consignment. Prepaid_ Payment Terms. Payment Terms + The terms of payment for prepayment. + 0..1 + Consignment + Prepaid + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Consignment. Freight_ Allowance Charge. Allowance Charge + A cost incurred by the shipper in moving goods, by whatever means, from one place to another under the terms of the contract of carriage for this consignment. In addition to transport costs, this may include such elements as packing, documentation, loading, unloading, and insurance to the extent that they relate to the freight costs. + 0..n + Consignment + Freight + Allowance Charge + Allowance Charge + Allowance Charge + Freight Costs + + + + + + + + + ASBIE + Consignment. Extra_ Allowance Charge. Allowance Charge + A charge for extra allowance. + 0..n + Consignment + Extra + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Consignment. Main Carriage_ Shipment Stage. Shipment Stage + A shipment stage during main carriage. + 0..n + Consignment + Main Carriage + Shipment Stage + Shipment Stage + Shipment Stage + + + + + + + + + ASBIE + Consignment. Pre Carriage_ Shipment Stage. Shipment Stage + A shipment stage during precarriage (usually refers to movement activity that takes place prior to the container being loaded at a port of loading). + 0..n + Consignment + Pre Carriage + Shipment Stage + Shipment Stage + Shipment Stage + + + + + + + + + ASBIE + Consignment. On Carriage_ Shipment Stage. Shipment Stage + A shipment stage during on-carriage (usually refers to movement activity that takes place after the container is discharged at a port of discharge). + 0..n + Consignment + On Carriage + Shipment Stage + Shipment Stage + Shipment Stage + + + + + + + + + ASBIE + Consignment. Transport Handling Unit + A transport handling unit used for loose and containerized goods. + 0..n + Consignment + Transport Handling Unit + Transport Handling Unit + Transport Handling Unit + + + + + + + + + ASBIE + Consignment. First Arrival Port_ Location. Location + The first arrival location in a transport. This would be a port for sea, an airport for air, a terminal for rail, or a border post for land crossing. + 0..1 + Consignment + First Arrival Port + Location + Location + Location + + + + + + + + + ASBIE + Consignment. Last Exit Port_ Location. Location + The final exporting location in a transport. This would be a port for sea, an airport for air, a terminal for rail, or a border post for land crossing. + 0..1 + Consignment + Last Exit Port + Location + Location + Location + + + + + + + + + + + ABIE + Consumption. Details + A class to describe the consumption of a utility. + Consumption + + + + + + + + + BBIE + Consumption. Utility Statement Type Code. Code + A code identifying the type of the Utility Statement required for this consumption. Explains the kind of utility the statement is about, e.g.. "gas", "electricity", "telephone" + 0..1 + Consumption + Utility Statement Type Code + Code + Code. Type + Electricity + + + + + + + + + ASBIE + Consumption. Main_ Period. Period + The period of consumption. + 0..1 + Consumption + Main + Period + Period + Period + + + + + + + + + ASBIE + Consumption. Allowance Charge + An allowance or charges that may apply with this consumption. + 0..n + Consumption + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Consumption. Tax Total + The total of taxes for each tax type covering the consumption. + 0..n + Consumption + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Consumption. Energy Water Supply + The details of any energy or water consumption. + 0..1 + Consumption + Energy Water Supply + Energy Water Supply + Energy Water Supply + + + + + + + + + ASBIE + Consumption. Telecommunications Supply + The details of any telecommunications consumption. + 0..1 + Consumption + Telecommunications Supply + Telecommunications Supply + Telecommunications Supply + + + + + + + + + ASBIE + Consumption. Legal_ Monetary Total. Monetary Total + The total amount payable on this consumption, including any allowances, charges, or taxes. + 1 + Consumption + Legal + Monetary Total + Monetary Total + Monetary Total + + + + + + + + + + + ABIE + Consumption Average. Details + A class to define an average consumption as a monetary amount. + Consumption Average + + + + + + + + + BBIE + Consumption Average. Average_ Amount. Amount + The average monetary amount of the consumption. + 0..1 + Consumption Average + Average + Amount + Amount + Amount. Type + 1.65 + + + + + + + + + BBIE + Consumption Average. Description. Text + A description of the average consumed. + 0..n + Consumption Average + Description + Text + Text. Type + Average price incl. value added tax per kilowatt-hour in the billing period. + + + + + + + + + + + ABIE + Consumption Correction. Details + The Statement of correction, for examples heating correction. + Consumption Correction + + + + + + + + + BBIE + Consumption Correction. Correction Type. Text + Statement for the correction type. + 0..1 + Consumption Correction + Correction Type + Text + Text. Type + Heating Correction + + + + + + + + + BBIE + Consumption Correction. Correction Type Code. Code + Statement at the code for the correction type. + 0..1 + Consumption Correction + Correction Type Code + Code + Code. Type + HeatingCorrection + + + + + + + + + BBIE + Consumption Correction. Meter Number. Text + Statement for meter number. + 0..1 + Consumption Correction + Meter Number + Text + Text. Type + 530071575 + + + + + + + + + BBIE + Consumption Correction. Gas Pressure. Quantity + Correction of the gas pressure. + 0..1 + Consumption Correction + Gas Pressure + Quantity + Quantity. Type + + + + + + + + + BBIE + Consumption Correction. Actual_ Temperature Reduction. Quantity + Statement for the actuel heating correction temperature. + 0..1 + Consumption Correction + Actual + Temperature Reduction + Quantity + Quantity. Type + -36.69 + + + + + + + + + BBIE + Consumption Correction. Normal_ Temperature Reduction. Quantity + Statement for the standard for heating correction temperature. + 0..1 + Consumption Correction + Normal + Temperature Reduction + Quantity + Quantity. Type + -37.00 + + + + + + + + + BBIE + Consumption Correction. Difference_ Temperature Reduction. Quantity + Deviation from standard heating correction. + 0..1 + Consumption Correction + Difference + Temperature Reduction + Quantity + Quantity. Type + 0.31 + + + + + + + + + BBIE + Consumption Correction. Description. Text + Description related to the corrections. + 0..n + Consumption Correction + Description + Text + Text. Type + + + + + + + + + BBIE + Consumption Correction. Correction Unit Amount. Amount + Correction per MWH per degree C. + 0..1 + Consumption Correction + Correction Unit Amount + Amount + Amount. Type + 0.0000 + + + + + + + + + BBIE + Consumption Correction. Consumption Energy. Quantity + Your consumpt for district heating energy. + 0..1 + Consumption Correction + Consumption Energy + Quantity + Quantity. Type + 563.6240 + + + + + + + + + BBIE + Consumption Correction. Consumption Water. Quantity + Your consumpt for district heating water. + 0..1 + Consumption Correction + Consumption Water + Quantity + Quantity. Type + 13212.14 + + + + + + + + + BBIE + Consumption Correction. Correction Amount. Amount + Your correction for heating correction. + 0..1 + Consumption Correction + Correction Amount + Amount + Amount. Type + 0.00 + + + + + + + + + + + ABIE + Consumption History. Details + A class to describe the measurement of a type of consumption during a particular period, used for the subscriber to get an overview of his consumption + Consumption History + + + + + + + + + BBIE + Consumption History. Meter Number. Text + A text identifier for the meter measuring the consumption. + 0..1 + Consumption History + Meter Number + Text + Text. Type + 61722x + + + + + + + + + BBIE + Consumption History. Quantity + The quantity consumed. + 1 + Consumption History + Quantity + Quantity + Quantity. Type + 7621.00 + + + + + + + + + BBIE + Consumption History. Amount + The monetary amount to be charged for the quantity consumed. + 0..1 + Consumption History + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Consumption History. Consumption Level Code. Code + The consumption level, expressed as a code used explain the consumption quantity, e.g.. diversion from the normal. + 0..1 + Consumption History + Consumption Level Code + Code + Code. Type + B + + + + + + + + + BBIE + Consumption History. Consumption Level Text. Text + The consumption level, expressed as text, used explain the consumption quantity, e.g.. diversion from the normal. + 0..1 + Consumption History + Consumption Level Text + Text + Text. Type + Average + + + + + + + + + BBIE + Consumption History. Description. Text + Text describing the consumption itself. + 0..n + Consumption History + Description + Text + Text. Type + 2004/2005 + + + + + + + + + ASBIE + Consumption History. Period + The period during which the consumption took place. + 1 + Consumption History + Period + Period + Period + + + + + + + + + + + ABIE + Consumption Line. Details + A class to describe a line item for utility consumption. To specify more than one utility item, use separate consumption lines. + Consumption Line + + + + + + + + + BBIE + Consumption Line. Identifier + An identifier for this consumption line. + 1 + Consumption Line + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + BBIE + Consumption Line. Parent_ Document Line Reference Identifier. Identifier + An identifier for the transaction line on a related document (such as an invoice) that covers this consumption line. + 0..1 + Consumption Line + Parent + Document Line Reference Identifier + Identifier + Identifier. Type + Consumption + + + + + + + + + BBIE + Consumption Line. Invoiced_ Quantity. Quantity + The quantity invoiced. + 1 + Consumption Line + Invoiced + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Consumption Line. Line Extension Amount. Amount + The monetary amount, including discount, to be charged for this consumption line. + 1 + Consumption Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Consumption Line. Period + The period of time covered by this consumption line. + 0..1 + Consumption Line + Period + Period + Period + + + + + + + + + ASBIE + Consumption Line. Delivery + A delivery of the utility item on this consumption line. + 0..n + Consumption Line + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Consumption Line. Allowance Charge + An allowance or charge that applies to this consumption line. + 0..n + Consumption Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Consumption Line. Tax Total + A total amount of taxes of a particular kind applicable to this consumption line. + 0..n + Consumption Line + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Consumption Line. Utility Item + The utility item consumed. + 1 + Consumption Line + Utility Item + Utility Item + Utility Item + + + + + + + + + ASBIE + Consumption Line. Price + The price associated with this consumption line, expressed in a data structure containing multiple properties. + 0..1 + Consumption Line + Price + Price + Price + + + + + + + + + ASBIE + Consumption Line. Unstructured Price + The price associated with this consumption line expressed in a less structured form that includes just the amount and the time of use. + 0..1 + Consumption Line + Unstructured Price + Unstructured Price + Unstructured Price + + + + + + + + + + + ABIE + Consumption Point. Details + A class to define the point of consumption for a utility, such as a meter. + Consumption Point + + + + + + + + + BBIE + Consumption Point. Identifier + An identifier for this point of consumption. + 1 + Consumption Point + Identifier + Identifier + Identifier. Type + 7411013716x + + + + + + + + + BBIE + Consumption Point. Description. Text + Text describing this consumption point. + 0..n + Consumption Point + Description + Text + Text. Type + Additional informations concerning the consumption point + + + + + + + + + BBIE + Consumption Point. Subscriber Identifier. Identifier + An identifier for the subscriber responsible for the consumption at this consumption point. + 0..1 + Consumption Point + Subscriber Identifier + Identifier + Identifier. Type + 98143211 + + + + + + + + + BBIE + Consumption Point. Subscriber Type. Text + The type of subscriber, expressed as text. + 0..1 + Consumption Point + Subscriber Type + Text + Text. Type + + + + + + + + + BBIE + Consumption Point. Subscriber Type Code. Code + The type of subscriber, expressed as a code. + 0..1 + Consumption Point + Subscriber Type Code + Code + Code. Type + APL + + + + + + + + + BBIE + Consumption Point. Total_ Delivered Quantity. Quantity + The total quantity delivered, calculated at this consumption point. + 0..1 + Consumption Point + Total + Delivered Quantity + Quantity + Quantity. Type + 5761.00 + + + + + + + + + ASBIE + Consumption Point. Address + The address of this consumption point. + 0..1 + Consumption Point + Address + Address + Address + + + + + + + + + ASBIE + Consumption Point. Web Site Access + Access information for the website of this consumption point. + 0..1 + Consumption Point + Web Site Access + Web Site Access + Web Site Access + + + + + + + + + ASBIE + Consumption Point. Utility_ Meter. Meter + A meter at this consumption point. + 0..n + Consumption Point + Utility + Meter + Meter + Meter + + + + + + + + + + + ABIE + Consumption Report. Details + A class to describe utility consumption, including details of the environment in which consumption takes place. + Consumption Report + + + + + + + + + BBIE + Consumption Report. Identifier + An identifier for this consumption report. + 1 + Consumption Report + Identifier + Identifier + Identifier. Type + n/a + + + + + + + + + BBIE + Consumption Report. Consumption Type. Text + The type of consumption, expressed as text. + 0..1 + Consumption Report + Consumption Type + Text + Text. Type + Consumption + + + + + + + + + BBIE + Consumption Report. Consumption Type Code. Code + The type of consumption, expressed as a code. + 0..1 + Consumption Report + Consumption Type Code + Code + Code. Type + Consumption + + + + + + + + + BBIE + Consumption Report. Description. Text + Text reporting utility consumption. + 0..n + Consumption Report + Description + Text + Text. Type + This report contain the latest year consumption + + + + + + + + + BBIE + Consumption Report. Total_ Consumed Quantity. Quantity + The total quantity consumed. + 0..1 + Consumption Report + Total + Consumed Quantity + Quantity + Quantity. Type + 20479.00 + + + + + + + + + BBIE + Consumption Report. Basic_ Consumed Quantity. Quantity + The basic quantity consumed, excluding additional consumption. + 0..1 + Consumption Report + Basic + Consumed Quantity + Quantity + Quantity. Type + 20000.00 + + + + + + + + + BBIE + Consumption Report. Resident_ Occupants Numeric. Numeric + The number of people occupying the residence covered by this report. + 0..1 + Consumption Report + Resident + Occupants Numeric + Numeric + Numeric. Type + 4.0 + + + + + + + + + BBIE + Consumption Report. Consumers_ Energy Level Code. Code + The level of energy consumed, compared to the average for this residence type and the number of people living in the residence, expressed as a code. + 0..1 + Consumption Report + Consumers + Energy Level Code + Code + Code. Type + B + + + + + + + + + BBIE + Consumption Report. Consumers_ Energy Level. Text + The level of energy consumed, compared to the average for this residence type and the number of people living in the residence, expressed as text. + 0..1 + Consumption Report + Consumers + Energy Level + Text + Text. Type + Middel + + + + + + + + + BBIE + Consumption Report. Residence Type. Text + The type of residence (house, apartment, etc.) covered in this report, expressed as text. + 0..1 + Consumption Report + Residence Type + Text + Text. Type + House + + + + + + + + + BBIE + Consumption Report. Residence Type Code. Code + The type of residence (house, apartment, etc.) covered in this report, expressed as a code. + 0..1 + Consumption Report + Residence Type Code + Code + Code. Type + House + + + + + + + + + BBIE + Consumption Report. Heating Type. Text + The type of heating in the residence covered in this report, expressed as text. + 0..1 + Consumption Report + Heating Type + Text + Text. Type + District heating + + + + + + + + + BBIE + Consumption Report. Heating Type Code. Code + The type of heating in the residence covered in this report, expressed as a code. + 0..1 + Consumption Report + Heating Type Code + Code + Code. Type + DistrictHeating + + + + + + + + + ASBIE + Consumption Report. Period + The period of consumption covered in this report. + 0..1 + Consumption Report + Period + Period + Period + + + + + + + + + ASBIE + Consumption Report. Guidance_ Document Reference. Document Reference + A reference to a document providing an explanation of this kind of report. + 0..1 + Consumption Report + Guidance + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Consumption Report. Document Reference + A reference to some other document (for example, this report in another format). + 0..1 + Consumption Report + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Consumption Report. Consumption Report Reference + A reference to a previous consumption report. + 0..n + Consumption Report + Consumption Report Reference + Consumption Report Reference + Consumption Report Reference + + + + + + + + + ASBIE + Consumption Report. Consumption History + A report describing historical parameters relating to a specific instance of consumption. + 0..n + Consumption Report + Consumption History + Consumption History + Consumption History + + + + + + + + + + + ABIE + Consumption Report Reference. Details + A class to define a reference to an earlier consumption report (e.g., last year's consumption). + Consumption Report Reference + + + + + + + + + BBIE + Consumption Report Reference. Consumption_ Report Identifier. Identifier + An identifier for the referenced consumption report. + 1 + Consumption Report Reference + Consumption + Report Identifier + Identifier + Identifier. Type + n/a + + + + + + + + + BBIE + Consumption Report Reference. Consumption Type. Text + The reported consumption type, expressed as text. + 0..1 + Consumption Report Reference + Consumption Type + Text + Text. Type + Consumption + + + + + + + + + BBIE + Consumption Report Reference. Consumption Type Code. Code + The reported consumption type, expressed as a code. + 0..1 + Consumption Report Reference + Consumption Type Code + Code + Code. Type + Consumption + + + + + + + + + BBIE + Consumption Report Reference. Total_ Consumed Quantity. Quantity + The total quantity consumed during the period of the referenced report. + 1 + Consumption Report Reference + Total + Consumed Quantity + Quantity + Quantity. Type + 20479.00 + + + + + + + + + ASBIE + Consumption Report Reference. Period + The period of consumption covered by the referenced report. + 1 + Consumption Report Reference + Period + Period + Period + + + + + + + + + + + ABIE + Contact. Details + A class to describe a contactable person or department in an organization. + Contact + + + + + + + + + BBIE + Contact. Identifier + An identifier for this contact. + 0..1 + Contact + Identifier + Identifier + Identifier. Type + Receivals Clerk + + + + + + + + + BBIE + Contact. Name + The name of this contact. It is recommended that this be used for a functional name and not a personal name. + 0..1 + Contact + Name + Name + Name. Type + Delivery Dock + + + + + + + + + BBIE + Contact. Telephone. Text + The primary telephone number of this contact. + 0..1 + Contact + Telephone + Text + Text. Type + + + + + + + + + BBIE + Contact. Telefax. Text + The primary fax number of this contact. + 0..1 + Contact + Telefax + Text + Text. Type + + + + + + + + + BBIE + Contact. Electronic_ Mail. Text + The primary email address of this contact. + 0..1 + Contact + Electronic + Mail + Text + Text. Type + + + + + + + + + BBIE + Contact. Note. Text + Free-form text conveying information that is not contained explicitly in other structures; in particular, a textual description of the circumstances under which this contact can be used (e.g., "emergency" or "after hours"). + 0..n + Contact + Note + Text + Text. Type + + + + + + + + + ASBIE + Contact. Other_ Communication. Communication + Another means of communication with this contact. + 0..n + Contact + Other + Communication + Communication + Communication + + + + + + + + + + + ABIE + Contract. Details + A class to describe a contract. + Contract + + + + + + + + + BBIE + Contract. Identifier + An identifier for this contract. + 0..1 + Contract + Identifier + Identifier + Identifier. Type + CC23 + + + + + + + + + BBIE + Contract. Issue Date. Date + The date on which this contract was issued. + 0..1 + Contract + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Contract. Issue Time. Time + The time at which this contract was issued. + 0..1 + Contract + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Contract. Nomination Date. Date + In a transportation contract, the deadline date by which the services referred to in the transport execution plan have to be booked. For example, if this service is a carrier service scheduled for Wednesday 16 February 2011 at 10 a.m. CET, the nomination date might be Tuesday15 February 2011. + 0..1 + Contract + Nomination Date + Date + Date. Type + + + + + + + + + BBIE + Contract. Nomination Time. Time + In a transportation contract, the deadline time by which the services referred to in the transport execution plan have to be booked. For example, if this service is a carrier service scheduled for Wednesday 16 February 2011 at 10 a.m. CET, the nomination date might be Tuesday15 February 2011 and the nomination time 4 p.m. at the latest. + 0..1 + Contract + Nomination Time + Time + Time. Type + + + + + + + + + BBIE + Contract. Contract Type Code. Code + The type of this contract, expressed as a code, such as "Cost plus award fee" and "Cost plus fixed fee" from UNCEFACT Contract Type code list. + 0..1 + Contract + Contract Type Code + Code + Code. Type + + + + + + + + + BBIE + Contract. Contract Type. Text + The type of this contract, expressed as text, such as "Cost plus award fee" and "Cost plus fixed fee" from UNCEFACT Contract Type code list. + 0..1 + Contract + Contract Type + Text + Text. Type + + + + + + + + + BBIE + Contract. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Contract + Note + Text + Text. Type + Remarks + + + + + + + + + BBIE + Contract. Version. Identifier + An identifier for the current version of this contract. + 0..1 + Contract + Version + Identifier + Identifier. Type + + + + + + + + + BBIE + Contract. Description. Text + Text describing this contract. + 0..n + Contract + Description + Text + Text. Type + + + + + + + + + ASBIE + Contract. Validity_ Period. Period + The period during which this contract is valid. + 0..1 + Contract + Validity + Period + Period + Period + + + + + + + + + ASBIE + Contract. Contract_ Document Reference. Document Reference + A reference to a contract document. + 0..n + Contract + Contract + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Contract. Nomination_ Period. Period + In a transportation contract, the period required to book the services specified in the contract before the services can begin. + 0..1 + Contract + Nomination + Period + Period + Period + + + + + + + + + ASBIE + Contract. Contractual_ Delivery. Delivery + In a transportation contract, the delivery of the services required to book the services specified in the contract. + 0..1 + Contract + Contractual + Delivery + Delivery + Delivery + + + + + + + + + + + ABIE + Contract Execution Requirement. Details + A class to describe a requirement for execution of a contract. + Contract Execution Requirement + + + + + + + + + BBIE + Contract Execution Requirement. Name + A name for this requirement. + 0..n + Contract Execution Requirement + Name + Name + Name. Type + + + + + + + + + BBIE + Contract Execution Requirement. Execution Requirement Code. Code + A code signifying the type of party independent of its role. + 0..1 + Contract Execution Requirement + Execution Requirement Code + Code + Code. Type + + + + + + + + + BBIE + Contract Execution Requirement. Description. Text + Text describing this requirement. + 0..n + Contract Execution Requirement + Description + Text + Text. Type + + + + + + + + + + + ABIE + Contract Extension. Details + A class to describe possible extensions to a contract. + Contract Extension + + + + + + + + + BBIE + Contract Extension. Options Description. Text + A description for the possible options that can be carried out during the execution of the contract. + 0..n + Contract Extension + Options Description + Text + Text. Type + + + + + + + + + BBIE + Contract Extension. Minimum_ Number. Numeric + The fixed minimum number of contract extensions or renewals. + 0..1 + Contract Extension + Minimum + Number + Numeric + Numeric. Type + + + + + + + + + BBIE + Contract Extension. Maximum_ Number. Numeric + The maximum allowed number of contract extensions. + 0..1 + Contract Extension + Maximum + Number + Numeric + Numeric. Type + + + + + + + + + BBIE + Contract Extension. Renewals. Indicator + Indicates that the contract can be extended using renewals. + 0..1 + Contract Extension + Renewals + Indicator + Indicator. Type + + + + + + + + + ASBIE + Contract Extension. Option Validity_ Period. Period + The period during which the option for extending the contract is available. + 0..1 + Contract Extension + Option Validity + Period + Period + Period + + + + + + + + + ASBIE + Contract Extension. Renewal + The period allowed for each contract extension. + 0..n + Contract Extension + Renewal + Renewal + Renewal + + + + + + + + + + + ABIE + Contracting Activity. Details + The nature of the type of business of the organization. + Contracting Activity + + + + + + + + + BBIE + Contracting Activity. Activity Type Code. Code + A code specifying the nature of the type of business of the organization. + 0..1 + Contracting Activity + Activity Type Code + Code + Code. Type + + + + + + + + + BBIE + Contracting Activity. Activity Type. Text + The nature of the type of business of the organization, expressed as text. + 0..1 + Contracting Activity + Activity Type + Text + Text. Type + + + + + + + + + + + ABIE + Contracting Party. Details + A class to describe an individual, a group, or a body having a procurement role in a tendering process. + Contracting Party + + + + + + + + + BBIE + Contracting Party. Buyer Profile_ URI. Identifier + The buyer profile is typically located on a web site where the contracting party publishes its procurement opportunities + 0..1 + Contracting Party + Buyer Profile + URI + Identifier + Identifier. Type + Buyer Profile + + + + + + + + + ASBIE + Contracting Party. Contracting Party Type + The type of contracting party that is independent of its role. + 0..n + Contracting Party + Contracting Party Type + Contracting Party Type + Contracting Party Type + + + + + + + + + ASBIE + Contracting Party. Contracting Activity + The nature of the type of business of the organization + 0..n + Contracting Party + Contracting Activity + Contracting Activity + Contracting Activity + + + + + + + + + ASBIE + Contracting Party. Party + The contracting party itself. + 1 + Contracting Party + Party + Party + Party + + + + + + + + + + + ABIE + Contracting Party Type. Details + The type of contracting party that is independent of its role. + Contracting Party Type + + + + + + + + + BBIE + Contracting Party Type. Party Type Code. Code + A code specifying the type of party that is independent of its role. + 0..1 + Contracting Party Type + Party Type Code + Code + Code. Type + + + + + + + + + BBIE + Contracting Party Type. Party Type. Text + The type of party that is independent of its role, expressed as text. + 0..1 + Contracting Party Type + Party Type + Text + Text. Type + + + + + + + + + + + ABIE + Contracting System. Details + A class to describe the contracting system. If the procedure is individual (nonrepetitive), this class should not be used. + Contracting System + + + + + + + + + BBIE + Contracting System. Identifier + An identifier for the contracting system. + 0..1 + Contracting System + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Contracting System. Contracting System Type. Code + A code signifying the type of contracting system (e.g., framework agreement, dynamic purchasing system). + 0..1 + Contracting System + Contracting System Type + Code + Code. Type + + + + + + + + + BBIE + Contracting System. Description. Text + The description of the contracting system + 0..n + Contracting System + Description + Text + Text. Type + + + + + + + + + + + ABIE + Corporate Registration Scheme. Details + A class to describe a scheme for corporate registration. + Corporate Registration Scheme + + + + + + + + + BBIE + Corporate Registration Scheme. Identifier + An identifier for this registration scheme. + 0..1 + Corporate Registration Scheme + Identifier + Identifier + Identifier. Type + ASIC in Australia + + + + + + + + + BBIE + Corporate Registration Scheme. Name + The name of this registration scheme. + 0..1 + Corporate Registration Scheme + Name + Name + Name. Type + Australian Securities and Investment Commission in Australia + + + + + + + + + BBIE + Corporate Registration Scheme. Corporate Registration Type Code. Code + A code signifying the type of this registration scheme. + 0..1 + Corporate Registration Scheme + Corporate Registration Type Code + Code + Code. Type + ACN + + + + + + + + + ASBIE + Corporate Registration Scheme. Jurisdiction Region_ Address. Address + A geographic area in which this registration scheme applies. + 0..n + Corporate Registration Scheme + Jurisdiction Region + Address + Address + Address + England , Wales + + + + + + + + + + + ABIE + Country. Details + A class to describe a country. + Country + + + + + + + + + BBIE + Country. Identification Code. Code + A code signifying this country. + 0..1 + Country + Identification Code + Code + Country Identification + Country Identification_ Code. Type + + + + + + + + + BBIE + Country. Name + The name of this country. + 0..1 + Country + Name + Name + Name. Type + SOUTH AFRICA + + + + + + + + + + + ABIE + Credit Account. Details + A class to identify a credit account for sales on account. + Credit Account + + + + + + + + + BBIE + Credit Account. Account Identifier. Identifier + An identifier for this credit account. + 1 + Credit Account + Account Identifier + Identifier + Identifier. Type + Customer Code 29 + + + + + + + + + + + ABIE + Credit Note Line. Details + A class to define a line in a Credit Note or Self Billed Credit Note. + Credit Note Line + + + + + + + + + BBIE + Credit Note Line. Identifier + An identifier for this credit note line. + 1 + Credit Note Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Credit Note Line. UUID. Identifier + A universally unique identifier for this credit note line. + 0..1 + Credit Note Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Credit Note Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Credit Note Line + Note + Text + Text. Type + + + + + + + + + BBIE + Credit Note Line. Credited_ Quantity. Quantity + The quantity of items credited in this credit note line. + 0..1 + Credit Note Line + Credited + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Credit Note Line. Line Extension Amount. Amount + The total amount for this credit note line, including allowance charges but exclusive of taxes. + 0..1 + Credit Note Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Credit Note Line. Tax Point Date. Date + The date of this credit note line, used to indicate the point at which tax becomes applicable. + 0..1 + Credit Note Line + Tax Point Date + Date + Date. Type + + + + + + + + + BBIE + Credit Note Line. Accounting Cost Code. Code + The buyer's accounting cost centre for this credit note line, expressed as a code. + 0..1 + Credit Note Line + Accounting Cost Code + Code + Code. Type + + + + + + + + + BBIE + Credit Note Line. Accounting Cost. Text + The buyer's accounting cost centre for this credit note line, expressed as text. + 0..1 + Credit Note Line + Accounting Cost + Text + Text. Type + + + + + + + + + BBIE + Credit Note Line. Payment Purpose Code. Code + A code signifying the business purpose for this payment. + 0..1 + Credit Note Line + Payment Purpose Code + Code + Code. Type + + + + + + + + + BBIE + Credit Note Line. Free Of Charge_ Indicator. Indicator + An indicator that this credit note line is free of charge (true) or not (false). The default is false. + 0..1 + Credit Note Line + Free Of Charge + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Credit Note Line. Invoice_ Period. Period + An invoice period to which this credit note line applies. + 0..n + Credit Note Line + Invoice + Period + Period + Period + + + + + + + + + ASBIE + Credit Note Line. Order Line Reference + A reference to an order line associated with this credit note line. + 0..n + Credit Note Line + Order Line Reference + Order Line Reference + Order Line Reference + + + + + + + + + ASBIE + Credit Note Line. Discrepancy_ Response. Response + A reason for the credit. + 0..n + Credit Note Line + Discrepancy + Response + Response + Response + + + + + + + + + ASBIE + Credit Note Line. Despatch_ Line Reference. Line Reference + A reference to a despatch line associated with this credit note line. + 0..n + Credit Note Line + Despatch + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Credit Note Line. Receipt_ Line Reference. Line Reference + A reference to a receipt line associated with this credit note line. + 0..n + Credit Note Line + Receipt + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Credit Note Line. Billing Reference + A reference to a billing document associated with this credit note line. + 0..n + Credit Note Line + Billing Reference + Billing Reference + Billing Reference + + + + + + + + + ASBIE + Credit Note Line. Document Reference + A reference to a document associated with this credit note line. + 0..n + Credit Note Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Credit Note Line. Pricing Reference + A reference to pricing and item location information associated with this credit note line. + 0..1 + Credit Note Line + Pricing Reference + Pricing Reference + Pricing Reference + + + + + + + + + ASBIE + Credit Note Line. Originator_ Party. Party + The party who originated the Order to which the Credit Note is related. + 0..1 + Credit Note Line + Originator + Party + Party + Party + + + + + + + + + ASBIE + Credit Note Line. Delivery + A delivery associated with this credit note line. + 0..n + Credit Note Line + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Credit Note Line. Payment Terms + A specification of payment terms associated with this credit note line. + 0..n + Credit Note Line + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Credit Note Line. Tax Total + A total amount of taxes of a particular kind applicable to this credit note line. + 0..n + Credit Note Line + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Credit Note Line. Allowance Charge + An allowance or charge associated with this credit note. + 0..n + Credit Note Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Credit Note Line. Item + The item associated with this credit note line. + 0..1 + Credit Note Line + Item + Item + Item + + + + + + + + + ASBIE + Credit Note Line. Price + The price of the item associated with this credit note line. + 0..1 + Credit Note Line + Price + Price + Price + Unit Price, Base Price + + + + + + + + + ASBIE + Credit Note Line. Delivery Terms + Terms and conditions of a delivery associated with this credit note line. + 0..n + Credit Note Line + Delivery Terms + Delivery Terms + Delivery Terms + + + + + + + + + ASBIE + Credit Note Line. Sub_ Credit Note Line. Credit Note Line + A class defining one or more Credit Note Lines detailing the credit note line. + 0..n + Credit Note Line + Sub + Credit Note Line + Credit Note Line + Credit Note Line + + + + + + + + + ASBIE + Credit Note Line. Item_ Price Extension. Price Extension + The price extension, calculated by multiplying the price per unit by the quantity of items on this credit note line. + 0..1 + Credit Note Line + Item + Price Extension + Price Extension + Price Extension + + + + + + + + + + + ABIE + Customer Party. Details + A class to describe a customer party. + Customer Party + + + + + + + + + BBIE + Customer Party. Customer Assigned_ Account Identifier. Identifier + An identifier for the customer's account, assigned by the customer itself. + 0..1 + Customer Party + Customer Assigned + Account Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Customer Party. Supplier Assigned_ Account Identifier. Identifier + An identifier for the customer's account, assigned by the supplier. + 0..1 + Customer Party + Supplier Assigned + Account Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Customer Party. Additional_ Account Identifier. Identifier + An identifier for the customer's account, assigned by a third party. + 0..n + Customer Party + Additional + Account Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Customer Party. Party + The customer party itself. + 0..1 + Customer Party + Party + Party + Party + + + + + + + + + ASBIE + Customer Party. Delivery_ Contact. Contact + A customer contact for deliveries. + 0..1 + Customer Party + Delivery + Contact + Contact + Contact + + + + + + + + + ASBIE + Customer Party. Accounting_ Contact. Contact + A customer contact for accounting. + 0..1 + Customer Party + Accounting + Contact + Contact + Contact + + + + + + + + + ASBIE + Customer Party. Buyer_ Contact. Contact + A customer contact for purchasing. + 0..1 + Customer Party + Buyer + Contact + Contact + Contact + + + + + + + + + + + ABIE + Customs Declaration. Details + A class describing identifiers or references relating to customs procedures. + Customs Declaration + Movement Reference Number, Local Reference Number + + + + + + + + + BBIE + Customs Declaration. Identifier + An identifier associated with customs related procedures. + 1 + Customs Declaration + Identifier + Identifier + Identifier. Type + CUST001 3333-44-123 + + + + + + + + + ASBIE + Customs Declaration. Issuer_ Party. Party + Describes the party issuing the customs declaration. + 0..1 + Customs Declaration + Issuer + Party + Party + Party + + + + + + + + + + + ABIE + Debit Note Line. Details + A class to define a line in a Debit Note. + Debit Note Line + + + + + + + + + BBIE + Debit Note Line. Identifier + An identifier for this debit note line. + 1 + Debit Note Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Debit Note Line. UUID. Identifier + A universally unique identifier for this debit note line. + 0..1 + Debit Note Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Debit Note Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Debit Note Line + Note + Text + Text. Type + + + + + + + + + BBIE + Debit Note Line. Debited_ Quantity. Quantity + The quantity of Items debited in this debit note line. + 0..1 + Debit Note Line + Debited + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Debit Note Line. Line Extension Amount. Amount + The total amount for this debit note line, including allowance charges but net of taxes. + 1 + Debit Note Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Debit Note Line. Tax Point Date. Date + The date of this debit note line, used to indicate the point at which tax becomes applicable. + 0..1 + Debit Note Line + Tax Point Date + Date + Date. Type + + + + + + + + + BBIE + Debit Note Line. Accounting Cost Code. Code + The buyer's accounting cost centre for this debit note line, expressed as a code. + 0..1 + Debit Note Line + Accounting Cost Code + Code + Code. Type + + + + + + + + + BBIE + Debit Note Line. Accounting Cost. Text + The buyer's accounting cost centre for this debit note line, expressed as text. + 0..1 + Debit Note Line + Accounting Cost + Text + Text. Type + + + + + + + + + BBIE + Debit Note Line. Payment Purpose Code. Code + A code signifying the business purpose for this payment. + 0..1 + Debit Note Line + Payment Purpose Code + Code + Code. Type + + + + + + + + + ASBIE + Debit Note Line. Discrepancy_ Response. Response + A reason for the debit. + 0..n + Debit Note Line + Discrepancy + Response + Response + Response + + + + + + + + + ASBIE + Debit Note Line. Despatch_ Line Reference. Line Reference + A reference to a despatch line associated with this debit note line. + 0..n + Debit Note Line + Despatch + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Debit Note Line. Receipt_ Line Reference. Line Reference + A reference to a receipt line associated with this debit note line. + 0..n + Debit Note Line + Receipt + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Debit Note Line. Billing Reference + A reference to a billing document associated with this debit note line. + 0..n + Debit Note Line + Billing Reference + Billing Reference + Billing Reference + + + + + + + + + ASBIE + Debit Note Line. Document Reference + A reference to a document associated with this debit note line. + 0..n + Debit Note Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Debit Note Line. Pricing Reference + A reference to pricing and item location information associated with this debit note line. + 0..1 + Debit Note Line + Pricing Reference + Pricing Reference + Pricing Reference + + + + + + + + + ASBIE + Debit Note Line. Delivery + A delivery associated with this debit note line. + 0..n + Debit Note Line + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Debit Note Line. Tax Total + A total amount of taxes of a particular kind applicable to this debit note line. + 0..n + Debit Note Line + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Debit Note Line. Allowance Charge + An allowance or charge associated with this debit note. + 0..n + Debit Note Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Debit Note Line. Item + The item associated with this debit note line. + 0..1 + Debit Note Line + Item + Item + Item + + + + + + + + + ASBIE + Debit Note Line. Price + The price of the item associated with this debit note line. + 0..1 + Debit Note Line + Price + Price + Price + Unit Price, Base Price + + + + + + + + + ASBIE + Debit Note Line. Sub_ Debit Note Line. Debit Note Line + A recursive description of a debit note line subsidiary to this debit note line. + 0..n + Debit Note Line + Sub + Debit Note Line + Debit Note Line + Debit Note Line + + + + + + + + + + + ABIE + Declaration. Details + A class to describe a declaration by an economic operator of certain characteristics or capabilities in fulfilment of requirements specified in a call for tenders. + Declaration + + + + + + + + + BBIE + Declaration. Name + The name of this declaration. + 0..n + Declaration + Name + Name + Name. Type + + + + + + + + + BBIE + Declaration. Declaration Type Code. Code + A code signifying the type of this declaration. + 0..1 + Declaration + Declaration Type Code + Code + Code. Type + + + + + + + + + BBIE + Declaration. Description. Text + Text describing this declaration. + 0..n + Declaration + Description + Text + Text. Type + + + + + + + + + ASBIE + Declaration. Evidence Supplied + The evidence supporting this declaration. + 0..n + Declaration + Evidence Supplied + Evidence Supplied + Evidence Supplied + + + + + + + + + + + ABIE + Delivery. Details + A class to describe a delivery. + Delivery + + + + + + + + + BBIE + Delivery. Identifier + An identifier for this delivery. + 0..1 + Delivery + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Delivery. Quantity + The quantity of items, child consignments, shipments in this delivery. + 0..1 + Delivery + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Delivery. Minimum_ Quantity. Quantity + The minimum quantity of items, child consignments, shipments in this delivery. + 0..1 + Delivery + Minimum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Delivery. Maximum_ Quantity. Quantity + The maximum quantity of items, child consignments, shipments in this delivery. + 0..1 + Delivery + Maximum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Delivery. Actual_ Delivery Date. Date + The actual date of delivery. + 0..1 + Delivery + Actual + Delivery Date + Date + Date. Type + + + + + + + + + BBIE + Delivery. Actual_ Delivery Time. Time + The actual time of delivery. + 0..1 + Delivery + Actual + Delivery Time + Time + Time. Type + + + + + + + + + BBIE + Delivery. Latest_ Delivery Date. Date + The latest date of delivery allowed by the buyer. + 0..1 + Delivery + Latest + Delivery Date + Date + Date. Type + + + + + + + + + BBIE + Delivery. Latest_ Delivery Time. Time + The latest time of delivery allowed by the buyer. + 0..1 + Delivery + Latest + Delivery Time + Time + Time. Type + + + + + + + + + BBIE + Delivery. Release. Identifier + An identifier used for approval of access to delivery locations (e.g., port terminals). + 0..1 + Delivery + Release + Identifier + Identifier. Type + + + + + + + + + BBIE + Delivery. Tracking Identifier. Identifier + The delivery Tracking ID (for transport tracking). + 0..1 + Delivery + Tracking Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Delivery. Delivery_ Address. Address + The delivery address. + 0..1 + Delivery + Delivery + Address + Address + Address + + + + + + + + + ASBIE + Delivery. Delivery_ Location. Location + The delivery location. + 0..1 + Delivery + Delivery + Location + Location + Location + + + + + + + + + ASBIE + Delivery. Alternative Delivery_ Location. Location + An alternative delivery location. + 0..1 + Delivery + Alternative Delivery + Location + Location + Location + + + + + + + + + ASBIE + Delivery. Requested Delivery_ Period. Period + The period requested for delivery. + 0..1 + Delivery + Requested Delivery + Period + Period + Period + + + + + + + + + ASBIE + Delivery. Promised Delivery_ Period. Period + The period promised for delivery. + 0..1 + Delivery + Promised Delivery + Period + Period + Period + + + + + + + + + ASBIE + Delivery. Estimated Delivery_ Period. Period + The period estimated for delivery. + 0..1 + Delivery + Estimated Delivery + Period + Period + Period + + + + + + + + + ASBIE + Delivery. Carrier_ Party. Party + The party responsible for delivering the goods. + 0..1 + Delivery + Carrier + Party + Party + Party + + + + + + + + + ASBIE + Delivery. Delivery_ Party. Party + The party to whom the goods are delivered. + 0..1 + Delivery + Delivery + Party + Party + Party + + + + + + + + + ASBIE + Delivery. Notify_ Party. Party + A party to be notified of this delivery. + 0..n + Delivery + Notify + Party + Party + Party + + + + + + + + + ASBIE + Delivery. Despatch + The despatch (pickup) associated with this delivery. + 0..1 + Delivery + Despatch + Despatch + Despatch + + + + + + + + + ASBIE + Delivery. Delivery Terms + Terms and conditions relating to the delivery. + 0..n + Delivery + Delivery Terms + Delivery Terms + Delivery Terms + + + + + + + + + ASBIE + Delivery. Minimum_ Delivery Unit. Delivery Unit + The minimum delivery unit for this delivery. + 0..1 + Delivery + Minimum + Delivery Unit + Delivery Unit + Delivery Unit + + + + + + + + + ASBIE + Delivery. Maximum_ Delivery Unit. Delivery Unit + The maximum delivery unit for this delivery. + 0..1 + Delivery + Maximum + Delivery Unit + Delivery Unit + Delivery Unit + + + + + + + + + ASBIE + Delivery. Shipment + The shipment being delivered. + 0..1 + Delivery + Shipment + Shipment + Shipment + + + + + + + + + + + ABIE + Delivery Channel. Details + A class to describe a delivery channel. + Delivery Channel + + + + + + + + + BBIE + Delivery Channel. Network Identifier. Identifier + An identifier for the network where messages are delivered (e.g. a business network). + 0..1 + Delivery Channel + Network Identifier + Identifier + Identifier. Type + OpenPEPPOL + + + + + + + + + BBIE + Delivery Channel. Participant Identifier. Identifier + An identifier for a registered participant in the network (e.g. according a precise scheme such as IT:VAT, DK:CVR, GLN). + 0..1 + Delivery Channel + Participant Identifier + Identifier + Identifier. Type + 5790002221134 + + + + + + + + + BBIE + Delivery Channel. Test_ Indicator. Indicator + An indicator that the channel is a test channel (true). + 0..1 + Delivery Channel + Test + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Delivery Channel. Digital_ Certificate. Certificate + A digital certificate associated with this delivery channel. + 0..1 + Delivery Channel + Digital + Certificate + Certificate + Certificate + + + + + + + + + ASBIE + Delivery Channel. Digital_ Message Delivery. Message Delivery + A digital message delivery associated with this delivery channel (aka routing information). + 0..1 + Delivery Channel + Digital + Message Delivery + Message Delivery + Message Delivery + + + + + + + + + + + ABIE + Delivery Terms. Details + A class for describing the terms and conditions applying to the delivery of goods. + Delivery Terms + + + + + + + + + BBIE + Delivery Terms. Identifier + An identifier for this description of delivery terms. + 0..1 + Delivery Terms + Identifier + Identifier + Identifier. Type + CIF, FOB, or EXW from the INCOTERMS Terms of Delivery. (2000 version preferred.) + + + + + + + + + BBIE + Delivery Terms. Special_ Terms. Text + A description of any terms or conditions relating to the delivery items. + 0..n + Delivery Terms + Special + Terms + Text + Text. Type + + + + + + + + + BBIE + Delivery Terms. Loss Risk Responsibility Code. Code + A code that identifies one of various responsibilities for loss risk in the execution of the delivery. + 0..1 + Delivery Terms + Loss Risk Responsibility Code + Code + Code. Type + + + + + + + + + BBIE + Delivery Terms. Loss Risk. Text + A description of responsibility for risk of loss in execution of the delivery, expressed as text. + 0..n + Delivery Terms + Loss Risk + Text + Text. Type + + + + + + + + + BBIE + Delivery Terms. Amount + The monetary amount covered by these delivery terms. + 0..1 + Delivery Terms + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Delivery Terms. Delivery_ Location. Location + The location for the contracted delivery. + 0..1 + Delivery Terms + Delivery + Location + Location + Location + + + + + + + + + ASBIE + Delivery Terms. Allowance Charge + An allowance or charge covered by these delivery terms. + 0..1 + Delivery Terms + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + + + ABIE + Delivery Unit. Details + A class to describe a delivery unit. + Delivery Unit + + + + + + + + + BBIE + Delivery Unit. Batch Quantity. Quantity + The quantity of ordered Items that constitutes a batch for delivery purposes. + 1 + Delivery Unit + Batch Quantity + Quantity + Quantity. Type + 100 units , by the dozen + + + + + + + + + BBIE + Delivery Unit. Consumer_ Unit. Quantity + The quantity of units in the Delivery Unit expressed in the units used by the consumer. + 0..1 + Delivery Unit + Consumer + Unit + Quantity + Quantity. Type + packs of 10 + + + + + + + + + BBIE + Delivery Unit. Hazardous Risk_ Indicator. Indicator + An indication that the transported goods are subject to an international regulation concerning the carriage of dangerous goods (true) or not (false). + 0..1 + Delivery Unit + Hazardous Risk + Indicator + Indicator + Indicator. Type + Default is negative + + + + + + + + + + + ABIE + Dependent Price Reference. Details + A class to define the price of an item as a percentage of the price of a different item. + Dependent Price Reference + + + + + + + + + BBIE + Dependent Price Reference. Percent + The percentage by which the price of the different item is multiplied to calculate the price of the item. + 0..1 + Dependent Price Reference + Percent + Percent + Percent. Type + + + + + + + + + ASBIE + Dependent Price Reference. Location_ Address. Address + The reference location for this dependent price reference. + 0..1 + Dependent Price Reference + Location + Address + Address + Address + + + + + + + + + ASBIE + Dependent Price Reference. Dependent_ Line Reference. Line Reference + A reference to a line that the price is depended of. + 0..1 + Dependent Price Reference + Dependent + Line Reference + Line Reference + Line Reference + + + + + + + + + + + ABIE + Despatch. Details + A class to describe the despatching of goods (their pickup for delivery). + Despatch + + + + + + + + + BBIE + Despatch. Identifier + An identifier for this despatch event. + 0..1 + Despatch + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Despatch. Requested_ Despatch Date. Date + The despatch (pickup) date requested, normally by the buyer. + 0..1 + Despatch + Requested + Despatch Date + Date + Date. Type + + + + + + + + + BBIE + Despatch. Requested_ Despatch Time. Time + The despatch (pickup) time requested, normally by the buyer. + 0..1 + Despatch + Requested + Despatch Time + Time + Time. Type + + + + + + + + + BBIE + Despatch. Estimated_ Despatch Date. Date + The estimated despatch (pickup) date. + 0..1 + Despatch + Estimated + Despatch Date + Date + Date. Type + + + + + + + + + BBIE + Despatch. Estimated_ Despatch Time. Time + The estimated despatch (pickup) time. + 0..1 + Despatch + Estimated + Despatch Time + Time + Time. Type + + + + + + + + + BBIE + Despatch. Actual_ Despatch Date. Date + The actual despatch (pickup) date. + 0..1 + Despatch + Actual + Despatch Date + Date + Date. Type + + + + + + + + + BBIE + Despatch. Actual_ Despatch Time. Time + The actual despatch (pickup) time. + 0..1 + Despatch + Actual + Despatch Time + Time + Time. Type + + + + + + + + + BBIE + Despatch. Guaranteed_ Despatch Date. Date + The date guaranteed for the despatch (pickup). + 0..1 + Despatch + Guaranteed + Despatch Date + Date + Date. Type + + + + + + + + + BBIE + Despatch. Guaranteed_ Despatch Time. Time + The time guaranteed for the despatch (pickup). + 0..1 + Despatch + Guaranteed + Despatch Time + Time + Time. Type + + + + + + + + + BBIE + Despatch. Release. Identifier + An identifier for the release of the despatch used as security control or cargo control (pick-up). + 0..1 + Despatch + Release + Identifier + Identifier. Type + + + + + + + + + BBIE + Despatch. Instructions. Text + Text describing any special instructions applying to the despatch (pickup). + 0..n + Despatch + Instructions + Text + Text. Type + + + + + + + + + ASBIE + Despatch. Despatch_ Address. Address + The address of the despatch (pickup). + 0..1 + Despatch + Despatch + Address + Address + Address + + + + + + + + + ASBIE + Despatch. Despatch_ Location. Location + The location of the despatch (pickup). + 0..1 + Despatch + Despatch + Location + Location + Location + + + + + + + + + ASBIE + Despatch. Despatch_ Party. Party + The party despatching the goods. + 0..1 + Despatch + Despatch + Party + Party + Party + + + + + + + + + ASBIE + Despatch. Carrier_ Party. Party + The party carrying the goods. + 0..1 + Despatch + Carrier + Party + Party + Party + + + + + + + + + ASBIE + Despatch. Notify_ Party. Party + A party to be notified of this despatch (pickup). + 0..n + Despatch + Notify + Party + Party + Party + + + + + + + + + ASBIE + Despatch. Contact + The primary contact for this despatch (pickup). + 0..1 + Despatch + Contact + Contact + Contact + + + + + + + + + ASBIE + Despatch. Estimated Despatch_ Period. Period + The period estimated for the despatch (pickup) of goods. + 0..1 + Despatch + Estimated Despatch + Period + Period + Period + + + + + + + + + ASBIE + Despatch. Requested Despatch_ Period. Period + The period requested for the despatch (pickup) of goods. + 0..1 + Despatch + Requested Despatch + Period + Period + Period + + + + + + + + + + + ABIE + Despatch Line. Details + A class to define a line in a Despatch Advice. + Despatch Line + + + + + + + + + BBIE + Despatch Line. Identifier + An identifier for this despatch line. + 1 + Despatch Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Despatch Line. UUID. Identifier + A universally unique identifier for this despatch line. + 0..1 + Despatch Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Despatch Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Despatch Line + Note + Text + Text. Type + + + + + + + + + BBIE + Despatch Line. Line Status Code. Code + A code signifying the status of this despatch line with respect to its original state. + 0..1 + Despatch Line + Line Status Code + Code + Line Status + Line Status_ Code. Type + + + + + + + + + BBIE + Despatch Line. Delivered_ Quantity. Quantity + The quantity despatched (picked up). + 0..1 + Despatch Line + Delivered + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Despatch Line. Backorder_ Quantity. Quantity + The quantity on back order at the supplier. + 0..1 + Despatch Line + Backorder + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Despatch Line. Backorder_ Reason. Text + The reason for the back order. + 0..n + Despatch Line + Backorder + Reason + Text + Text. Type + + + + + + + + + BBIE + Despatch Line. Outstanding_ Quantity. Quantity + The quantity outstanding (which will follow in a later despatch). + 0..1 + Despatch Line + Outstanding + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Despatch Line. Outstanding_ Reason. Text + The reason for the outstanding quantity. + 0..n + Despatch Line + Outstanding + Reason + Text + Text. Type + + + + + + + + + BBIE + Despatch Line. Oversupply_ Quantity. Quantity + The quantity over-supplied, i.e., the quantity over and above that ordered. + 0..1 + Despatch Line + Oversupply + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Despatch Line. Order Line Reference + A reference to an order line associated with this despatch line. + 1..n + Despatch Line + Order Line Reference + Order Line Reference + Order Line Reference + + + + + + + + + ASBIE + Despatch Line. Document Reference + A reference to a document associated with this despatch line. + 0..n + Despatch Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Despatch Line. Item + The item associated with this despatch line. + 1 + Despatch Line + Item + Item + Item + + + + + + + + + ASBIE + Despatch Line. Shipment + A shipment associated with this despatch line. + 0..n + Despatch Line + Shipment + Shipment + Shipment + + + + + + + + + + + ABIE + Digital Agreement Terms. Details + A class to describe the terms and conditions of a digital agreement. + Digital Agreement Terms + Trading Partner Agreement Terms + + + + + + + + + BBIE + Digital Agreement Terms. Description. Text + Text describing the terms and conditions of a digital agreement. + 1..n + Digital Agreement Terms + Description + Text + Text. Type + + + + + + + + + ASBIE + Digital Agreement Terms. Validity_ Period. Period + The period of time for which this digital agreement is valid. + 0..1 + Digital Agreement Terms + Validity + Period + Period + Period + + + + + + + + + ASBIE + Digital Agreement Terms. Adoption_ Period. Period + The period during which a digital agreement must be adopted. + 0..1 + Digital Agreement Terms + Adoption + Period + Period + Period + + + + + + + + + ASBIE + Digital Agreement Terms. Service Level Agreement + The service level agreement which regulates the quality, availability and responsibilities of digital services. + 0..n + Digital Agreement Terms + Service Level Agreement + Service Level Agreement + Service Level Agreement + SLA + + + + + + + + + + + ABIE + Digital Collaboration. Details + A class to describe a digital trade collaboration. + Digital Collaboration + Business Collaboration + + + + + + + + + BBIE + Digital Collaboration. Identifier + An identifier for the digital collaboration. + 0..1 + Digital Collaboration + Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Digital Collaboration. Sending_ Digital Service. Digital Service + The sending digital service associated with this digital collaboration. + 0..1 + Digital Collaboration + Sending + Digital Service + Digital Service + Digital Service + + + + + + + + + ASBIE + Digital Collaboration. Receiving_ Digital Service. Digital Service + The receiving digital service associated with this digital collaboration. + 0..1 + Digital Collaboration + Receiving + Digital Service + Digital Service + Digital Service + + + + + + + + + + + ABIE + Digital Process. Details + A class to describe a digital trade process. + Digital Process + Business Process + + + + + + + + + BBIE + Digital Process. Identifier + An identifier for the digital collaboration. + 0..1 + Digital Process + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Digital Process. Description. Text + Text describing the digital process. + 0..n + Digital Process + Description + Text + Text. Type + + + + + + + + + BBIE + Digital Process. Profile Identifier. Identifier + Identifies a user-defined profile of this digital process (e.g. an UBL profile). + 0..1 + Digital Process + Profile Identifier + Identifier + Identifier. Type + urn:www.cenbii.eu:profile:bii05:ver2.0 + + + + + + + + + ASBIE + Digital Process. Digital Collaboration + The digital collaboration associated with this digital process. + 0..n + Digital Process + Digital Collaboration + Digital Collaboration + Digital Collaboration + + + + + + + + + ASBIE + Digital Process. Certification_ Document Reference. Document Reference + A reference to a certification document associated with this digital process. + 0..n + Digital Process + Certification + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Digital Service. Details + A class to describe a specific digital trade service supported by an organization for either sending or receiving business documents on different formats (e.g. UBL, ISO20022, EDIFACT, ...). + Digital Service + Business Transaction + + + + + + + + + BBIE + Digital Service. Identifier + An identifier for the digital service (aka transaction ID). + 0..1 + Digital Service + Identifier + Identifier + Identifier. Type + urn:www.cenbii.eu:transaction:biitrns010:ver2.0 + + + + + + + + + BBIE + Digital Service. Customization Identifier. Identifier + Identifies a user-defined customization of this digital service (e.g. a PEPPOL customization). + 0..1 + Digital Service + Customization Identifier + Identifier + Identifier. Type + urn:www.cenbii.eu:transaction:biitrns010:ver2.0:extended:urn:www.peppol.eu:bis:peppol5a:ver2.0 + + + + + + + + + ASBIE + Digital Service. Digital_ Document Metadata. Document Metadata + The digital document metadata associated with this digital service. + 1..n + Digital Service + Digital + Document Metadata + Document Metadata + Document Metadata + + + + + + + + + ASBIE + Digital Service. Digital_ Delivery Channel. Delivery Channel + The digital delivery channel associated with this digital service. + 0..n + Digital Service + Digital + Delivery Channel + Delivery Channel + Delivery Channel + + + + + + + + + ASBIE + Digital Service. Certification_ Document Reference. Document Reference + A reference to a certification document associated with this digital service. + 0..n + Digital Service + Certification + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Dimension. Details + A class to define a measurable dimension (length, mass, weight, volume, or area) of an item. + Dimension + + + + + + + + + BBIE + Dimension. Attribute Identifier. Identifier + An identifier for the attribute to which the measure applies. + 1 + Dimension + Attribute Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Dimension. Measure + The measurement value. + 0..1 + Dimension + Measure + Measure + Measure. Type + + + + + + + + + BBIE + Dimension. Description. Text + Text describing the measurement attribute. + 0..n + Dimension + Description + Text + Text. Type + + + + + + + + + BBIE + Dimension. Minimum_ Measure. Measure + The minimum value in a range of measurement of this dimension. + 0..1 + Dimension + Minimum + Measure + Measure + Measure. Type + + + + + + + + + BBIE + Dimension. Maximum_ Measure. Measure + The maximum value in a range of measurement of this dimension. + 0..1 + Dimension + Maximum + Measure + Measure + Measure. Type + + + + + + + + + + + ABIE + Document Distribution. Details + A class to describe the distribution of a document to an interested party. + Document Distribution + + + + + + + + + BBIE + Document Distribution. Document Type Code. Code + The type of document, expressed as a code. + 0..1 + Document Distribution + Document Type Code + Code + Code. Type + + + + + + + + + BBIE + Document Distribution. Print_ Qualifier. Text + Text describing the interested party's distribution rights. + 1 + Document Distribution + Print + Qualifier + Text + Text. Type + + + + + + + + + BBIE + Document Distribution. Maximum_ Copies. Numeric + The maximum number of printed copies of the document that the interested party is allowed to make. + 0..1 + Document Distribution + Maximum + Copies + Numeric + Numeric. Type + + + + + + + + + BBIE + Document Distribution. Maximum_ Originals. Numeric + The maximum number of printed originals of the document that the interested party is allowed to make. + 0..1 + Document Distribution + Maximum + Originals + Numeric + Numeric. Type + + + + + + + + + ASBIE + Document Distribution. Party + The interested party to which the document should be distributed. + 1 + Document Distribution + Party + Party + Party + + + + + + + + + + + ABIE + Document Metadata. Details + A class to describe the metadata of a specific business document based on any document format (e.g. UBL, EDIFACT, ...). + Document Metadata + + + + + + + + + BBIE + Document Metadata. Identifier + An identifier for the document. + 0..1 + Document Metadata + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Document Metadata. Format Identifier. Identifier + An identifier for the document format (e.g. standard business vocabularies). + 1 + Document Metadata + Format Identifier + Identifier + Identifier. Type + UBL, ISO20022, EDIFACT + + + + + + + + + BBIE + Document Metadata. Version Identifier. Identifier + An identifier for a precise version of a document format. + 1 + Document Metadata + Version Identifier + Identifier + Identifier. Type + 2.2 + + + + + + + + + BBIE + Document Metadata. Schema URI. Identifier + The Uniform Resource Identifier (URI) of a schema definition for the business document (e.g. a namespace URI for XML schemas, a message ID for non-xml legacy documents). + 0..1 + Document Metadata + Schema URI + Identifier + Identifier. Type + urn:oasis:names:specification:ubl:schema:xsd:Invoice-2, INVOIC + + + + + + + + + BBIE + Document Metadata. Document Type Code. Code + The type of document, expressed as a code. + 0..1 + Document Metadata + Document Type Code + Code + Code. Type + + + + + + + + + + + ABIE + Document Reference. Details + A class to define a reference to a document. + Document Reference + + + + + + + + + BBIE + Document Reference. Identifier + An identifier for the referenced document. + 1 + Document Reference + Identifier + Identifier + Identifier. Type + PO-001 3333-44-123 + + + + + + + + + BBIE + Document Reference. Copy_ Indicator. Indicator + An indicator that the referenced document is a copy (true) or the original (false). + 0..1 + Document Reference + Copy + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Document Reference. UUID. Identifier + A universally unique identifier for this document reference. + 0..1 + Document Reference + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Document Reference. Issue Date. Date + The date, assigned by the sender of the referenced document, on which the document was issued. + 0..1 + Document Reference + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Document Reference. Issue Time. Time + The time, assigned by the sender of the referenced document, at which the document was issued. + 0..1 + Document Reference + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Document Reference. Document Type Code. Code + The type of document being referenced, expressed as a code. + 0..1 + Document Reference + Document Type Code + Code + Code. Type + + + + + + + + + BBIE + Document Reference. Document Type. Text + The type of document being referenced, expressed as text. + 0..1 + Document Reference + Document Type + Text + Text. Type + + + + + + + + + BBIE + Document Reference. XPath. Text + A reference to another place in the same XML document instance in which DocumentReference appears. + 0..n + Document Reference + XPath + Text + Text. Type + + + + + + + + + BBIE + Document Reference. Language. Identifier + An identifier for the language used in the referenced document. + 0..1 + Document Reference + Language + Identifier + Identifier. Type + + + + + + + + + BBIE + Document Reference. Locale Code. Code + A code signifying the locale in which the language in the referenced document is used. + 0..1 + Document Reference + Locale Code + Code + Language + Language_ Code. Type + + + + + + + + + BBIE + Document Reference. Version. Identifier + An identifier for the current version of the referenced document. + 0..1 + Document Reference + Version + Identifier + Identifier. Type + 1.1 + + + + + + + + + BBIE + Document Reference. Document Status Code. Code + A code signifying the status of the reference document with respect to its original state. + 0..1 + Document Reference + Document Status Code + Code + Document Status + Document Status_ Code. Type + + + + + + + + + BBIE + Document Reference. Document_ Description. Text + Text describing the referenced document. + 0..n + Document Reference + Document + Description + Text + Text. Type + stock no longer provided + + + + + + + + + ASBIE + Document Reference. Attachment + The referenced document as an attachment to the document from which it is referenced. + 0..1 + Document Reference + Attachment + Attachment + Attachment + + + + + + + + + ASBIE + Document Reference. Validity_ Period. Period + The period for which this document reference is valid. + 0..1 + Document Reference + Validity + Period + Period + Period + + + + + + + + + ASBIE + Document Reference. Issuer_ Party. Party + The party who issued the referenced document. + 0..1 + Document Reference + Issuer + Party + Party + Party + + + + + + + + + ASBIE + Document Reference. Result Of Verification + The result of an attempt to verify a signature associated with the referenced document. + 0..1 + Document Reference + Result Of Verification + Result Of Verification + Result Of Verification + + + + + + + + + + + ABIE + Document Response. Details + A class to describe an application-level response to a document. + Document Response + + + + + + + + + ASBIE + Document Response. Response + A response to the document as a whole. + 1 + Document Response + Response + Response + Response + + + + + + + + + ASBIE + Document Response. Document Reference + A referenced document. + 1..n + Document Response + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Document Response. Issuer_ Party. Party + The party that issued the document. + 0..1 + Document Response + Issuer + Party + Party + Party + + + + + + + + + ASBIE + Document Response. Recipient_ Party. Party + The party for which the document is intended. + 0..1 + Document Response + Recipient + Party + Party + Party + + + + + + + + + ASBIE + Document Response. Line Response + A response to a particular line in the document. + 0..n + Document Response + Line Response + Line Response + Line Response + + + + + + + + + + + ABIE + Duty. Details + The charging rate used for both call charging and time dependent charging + Duty + + + + + + + + + BBIE + Duty. Amount + The amount of this duty. + 1 + Duty + Amount + Amount + Amount. Type + 88.23 + + + + + + + + + BBIE + Duty. Duty. Text + Text describing this duty. + 0..1 + Duty + Duty + Text + Text. Type + ConnectionFee + + + + + + + + + BBIE + Duty. Duty Code. Code + The type of this charge rate, expressed as a code. + 0..1 + Duty + Duty Code + Code + Code. Type + ConnectionFee + + + + + + + + + ASBIE + Duty. Tax Category + The tax category applicable to this duty. + 0..1 + Duty + Tax Category + Tax Category + Tax Category + + + + + + + + + + + ABIE + Economic Operator Party. Details + A class to describe a potential contractor, supplier and service provider responding to a tender. + Economic Operator Party + + + + + + + + + ASBIE + Economic Operator Party. Qualifying Party + The party qualifying this economic operator. + 0..n + Economic Operator Party + Qualifying Party + Qualifying Party + Qualifying Party + + + + + + + + + ASBIE + Economic Operator Party. Economic Operator Role + The role of the party in a tender consortium. + 0..1 + Economic Operator Party + Economic Operator Role + Economic Operator Role + Economic Operator Role + + + + + + + + + ASBIE + Economic Operator Party. Party + The party information about the economic operator in a tender. + 1 + Economic Operator Party + Party + Party + Party + + + + + + + + + + + ABIE + Economic Operator Role. Details + A class to describe the tenderer contracting role. + Economic Operator Role + + + + + + + + + BBIE + Economic Operator Role. Role Code. Code + A code specifying the role of the party. + 0..1 + Economic Operator Role + Role Code + Code + Code. Type + + + + + + + + + BBIE + Economic Operator Role. Role Description. Text + A textual description of the party role. + 0..n + Economic Operator Role + Role Description + Text + Text. Type + + + + + + + + + + + ABIE + Economic Operator Short List. Details + A class to provide information about the preselection of a short list of economic operators for consideration as possible candidates in a tendering process. + Economic Operator Short List + + + + + + + + + BBIE + Economic Operator Short List. Limitation_ Description. Text + Text describing the criteria used to restrict the number of candidates. + 0..n + Economic Operator Short List + Limitation + Description + Text + Text. Type + + + + + + + + + BBIE + Economic Operator Short List. Expected_ Quantity. Quantity + The number of economic operators expected to be on the short list. + 0..1 + Economic Operator Short List + Expected + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Economic Operator Short List. Maximum_ Quantity. Quantity + The maximum number of economic operators on the short list. + 0..1 + Economic Operator Short List + Maximum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Economic Operator Short List. Minimum_ Quantity. Quantity + The minimum number of economic operators on the short list. + 0..1 + Economic Operator Short List + Minimum + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Economic Operator Short List. Pre Selected_ Party. Party + The parties pre-selected allowed to submit tenders in a negotiated procedure. Negotiated procedure is a type of procedure where the contracting authorities can set the parties to be invited in the procurement project + 0..n + Economic Operator Short List + Pre Selected + Party + Party + Party + + + + + + + + + + + ABIE + Emission Calculation Method. Details + A class to define how an environmental emission is calculated. + Emission Calculation Method + + + + + + + + + BBIE + Emission Calculation Method. Calculation Method Code. Code + A code signifying the method used to calculate the emission. + 0..1 + Emission Calculation Method + Calculation Method Code + Code + Code. Type + + + + + + + + + BBIE + Emission Calculation Method. Fullness Indication Code. Code + A code signifying whether a piece of transport equipment is full, partially full, or empty. This indication is used as a parameter when calculating the environmental emission. + 0..1 + Emission Calculation Method + Fullness Indication Code + Code + Code. Type + + + + + + + + + ASBIE + Emission Calculation Method. Measurement From_ Location. Location + A start location from which an environmental emission is calculated. + 0..1 + Emission Calculation Method + Measurement From + Location + Location + Location + + + + + + + + + ASBIE + Emission Calculation Method. Measurement To_ Location. Location + An end location to which an environmental emission is calculated. + 0..1 + Emission Calculation Method + Measurement To + Location + Location + Location + + + + + + + + + + + ABIE + Encryption Certificate Path Chain. Details + Details of a certificate path chain used in encryption. + Encryption Certificate Path Chain + + + + + + + + + BBIE + Encryption Certificate Path Chain. Value. Text + The path chain value manifest in the instance. + 0..1 + Encryption Certificate Path Chain + Value + Text + Text. Type + + + + + + + + + BBIE + Encryption Certificate Path Chain. URI. Identifier + The path chain value references external to the instance. + 0..1 + Encryption Certificate Path Chain + URI + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Encryption Data. Details + Details of an encryption process + Encryption Data + + + + + + + + + BBIE + Encryption Data. Message Format. Text + The format of the encrypted message. + 1 + Encryption Data + Message Format + Text + Text. Type + + + + + + + + + ASBIE + Encryption Data. Encryption Certificate_ Attachment. Attachment + A reference to the certificate used in the encryption process. + 0..1 + Encryption Data + Encryption Certificate + Attachment + Attachment + Attachment + + + + + + + + + ASBIE + Encryption Data. Encryption Certificate Path Chain + A reference to the path chain defined for the encryption process. + 0..n + Encryption Data + Encryption Certificate Path Chain + Encryption Certificate Path Chain + Encryption Certificate Path Chain + + + + + + + + + ASBIE + Encryption Data. Encryption Symmetric Algorithm + A reference to the symmetric algorithm used for the encryption process. + 0..n + Encryption Data + Encryption Symmetric Algorithm + Encryption Symmetric Algorithm + Encryption Symmetric Algorithm + + + + + + + + + + + ABIE + Encryption Symmetric Algorithm. Details + Details of a symmetric algorithm used in encryption. + Encryption Symmetric Algorithm + + + + + + + + + BBIE + Encryption Symmetric Algorithm. Identifier + A human-readable identifier the algorithm. + 0..1 + Encryption Symmetric Algorithm + Identifier + Identifier + Identifier. Type + AES-256 Rijndael CBC + + + + + + + + + BBIE + Encryption Symmetric Algorithm. OID. Identifier + The object identifier for the algorithm. + 0..1 + Encryption Symmetric Algorithm + OID + Identifier + Identifier. Type + 2.16.840.1.101.3.4.1.42 + + + + + + + + + + + ABIE + Endorsement. Details + A class to describe an endorsement of a document. + Endorsement + + + + + + + + + BBIE + Endorsement. Document. Identifier + An identifier for this endorsement. + 1 + Endorsement + Document + Identifier + Identifier. Type + + + + + + + + + BBIE + Endorsement. Approval Status. Text + The status of this endorsement. + 1 + Endorsement + Approval Status + Text + Text. Type + Authentication Code + + + + + + + + + BBIE + Endorsement. Remarks. Text + Remarks provided by the endorsing party. + 0..n + Endorsement + Remarks + Text + Text. Type + + + + + + + + + ASBIE + Endorsement. Endorser Party + The type of party providing this endorsement. + 1 + Endorsement + Endorser Party + Endorser Party + Endorser Party + + + + + + + + + ASBIE + Endorsement. Signature + A signature applied to this endorsement. + 0..n + Endorsement + Signature + Signature + Signature + + + + + + + + + + + ABIE + Endorser Party. Details + A class to describe the party endorsing a document. + Endorser Party + + + + + + + + + BBIE + Endorser Party. Role Code. Code + A code specifying the role of the party providing the endorsement (e.g., issuer, embassy, insurance, etc.). + 1 + Endorser Party + Role Code + Code + Code. Type + + + + + + + + + BBIE + Endorser Party. Sequence. Numeric + A number indicating the order of the endorsement provided by this party in the sequence in which endorsements are to be applied. + 1 + Endorser Party + Sequence + Numeric + Numeric. Type + + + + + + + + + ASBIE + Endorser Party. Party + The party endorsing the application. + 1 + Endorser Party + Party + Party + Party + + + + + + + + + ASBIE + Endorser Party. Signatory_ Contact. Contact + The individual representing the exporter who signs the Certificate of Origin application before submitting it to the issuer party. + 1 + Endorser Party + Signatory + Contact + Contact + Contact + + + + + + + + + + + ABIE + Energy Tax Report. Details + A class to describe energy taxes. + Energy Tax Report + + + + + + + + + BBIE + Energy Tax Report. Tax Energy Amount. Amount + The monetary amount of taxes (and duties). + 0..1 + Energy Tax Report + Tax Energy Amount + Amount + Amount. Type + 3087.90 + + + + + + + + + BBIE + Energy Tax Report. Tax Energy_ On Account Amount. Amount + The monetary amount of taxes (and duties) paid on account. + 0..1 + Energy Tax Report + Tax Energy + On Account Amount + Amount + Amount. Type + 2855.40 + + + + + + + + + BBIE + Energy Tax Report. Tax Energy Balance. Amount + The monetary amount of the balance of taxes owing. + 0..1 + Energy Tax Report + Tax Energy Balance + Amount + Amount. Type + 232.49 + + + + + + + + + ASBIE + Energy Tax Report. Tax Scheme + The relevant taxation scheme. + 1 + Energy Tax Report + Tax Scheme + Tax Scheme + Tax Scheme + + + + + + + + + + + ABIE + Energy Water Supply. Details + A class to describe the supply (and therefore consumption) of an amount of energy or water. + Energy Water Supply + + + + + + + + + ASBIE + Energy Water Supply. Consumption Report + An amount of energy or water consumed. + 0..n + Energy Water Supply + Consumption Report + Consumption Report + Consumption Report + + + + + + + + + ASBIE + Energy Water Supply. Energy Tax Report + A tax on the consumption of energy or water. + 0..n + Energy Water Supply + Energy Tax Report + Energy Tax Report + Energy Tax Report + + + + + + + + + ASBIE + Energy Water Supply. Consumption Average + A consumption average. + 0..n + Energy Water Supply + Consumption Average + Consumption Average + Consumption Average + + + + + + + + + ASBIE + Energy Water Supply. Energy Water_ Consumption Correction. Consumption Correction + Describes any corrections or adjustments to the supply of energy or water. + 0..n + Energy Water Supply + Energy Water + Consumption Correction + Consumption Correction + Consumption Correction + + + + + + + + + + + ABIE + Environmental Emission. Details + A class to describe an environmental emission. + Environmental Emission + + + + + + + + + BBIE + Environmental Emission. Environmental Emission Type Code. Code + A code specifying the type of environmental emission. + 1 + Environmental Emission + Environmental Emission Type Code + Code + Code. Type + + + + + + + + + BBIE + Environmental Emission. Value. Measure + A value measurement for the environmental emission. + 1 + Environmental Emission + Value + Measure + Measure. Type + + + + + + + + + BBIE + Environmental Emission. Description. Text + Text describing this environmental emission. + 0..n + Environmental Emission + Description + Text + Text. Type + + + + + + + + + ASBIE + Environmental Emission. Emission Calculation Method + A method used to calculate the amount of this emission. + 0..n + Environmental Emission + Emission Calculation Method + Emission Calculation Method + Emission Calculation Method + + + + + + + + + + + ABIE + Evaluation Criterion. Details + A class defining the required criterion for a tenderer to be elligible in a tendering process. + Evaluation Criterion + + + + + + + + + BBIE + Evaluation Criterion. Evaluation Criterion Type Code. Code + A code that specifies the criterion; it may be financial, technical or organizational. + 0..1 + Evaluation Criterion + Evaluation Criterion Type Code + Code + Code. Type + + + + + + + + + BBIE + Evaluation Criterion. Description. Text + A description of the criterion. + 0..n + Evaluation Criterion + Description + Text + Text. Type + + + + + + + + + BBIE + Evaluation Criterion. Threshold_ Amount. Amount + Estimated monetary amount of the threshold for the criterion. + 0..1 + Evaluation Criterion + Threshold + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Evaluation Criterion. Threshold_ Quantity. Quantity + Estimated quantity of the threshold for the criterion. + 0..1 + Evaluation Criterion + Threshold + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Evaluation Criterion. Expression Code. Code + A code identifying the expression that will be used to evaluate the criterion. + 0..1 + Evaluation Criterion + Expression Code + Code + Code. Type + + + + + + + + + BBIE + Evaluation Criterion. Expression. Text + The expression that will be used to evaluate the criterion. + 0..n + Evaluation Criterion + Expression + Text + Text. Type + + + + + + + + + ASBIE + Evaluation Criterion. Duration_ Period. Period + Describes the period for which the evaluation criterion is valid. + 0..1 + Evaluation Criterion + Duration + Period + Period + Period + + + + + + + + + ASBIE + Evaluation Criterion. Suggested_ Evidence. Evidence + Describes any evidences that should be used to satisfy the criterion. + 0..n + Evaluation Criterion + Suggested + Evidence + Evidence + Evidence + + + + + + + + + + + ABIE + Event. Details + A class to describe a significant occurrence relating to an object, process, or person. + Event + + + + + + + + + BBIE + Event. Identification. Identifier + An identifier for this event within an agreed event identification scheme. + 0..1 + Event + Identification + Identifier + Identifier. Type + + + + + + + + + BBIE + Event. Occurrence Date. Date + The date of this event. + 0..1 + Event + Occurrence Date + Date + Date. Type + + + + + + + + + BBIE + Event. Occurrence Time. Time + The time of this event. + 0..1 + Event + Occurrence Time + Time + Time. Type + + + + + + + + + BBIE + Event. Type Code. Code + A code signifying the type of this event. + 0..1 + Event + Type Code + Code + Code. Type + + + + + + + + + BBIE + Event. Description. Text + Text describing this event. + 0..n + Event + Description + Text + Text. Type + + + + + + + + + BBIE + Event. Completion_ Indicator. Indicator + An indicator that this event has been completed (true) or not (false). + 0..1 + Event + Completion + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Event. Current_ Status. Status + The current status of this event. + 0..n + Event + Current + Status + Status + Status + + + + + + + + + ASBIE + Event. Contact + Contacts associated with this event. + 0..n + Event + Contact + Contact + Contact + + + + + + + + + ASBIE + Event. Occurence_ Location. Location + The location of this event. + 0..1 + Event + Occurence + Location + Location + Location + + + + + + + + + + + ABIE + Event Comment. Details + A class to define comments about a retail event. + Event Comment + + + + + + + + + BBIE + Event Comment. Comment. Text + Text commenting on the event. + 1 + Event Comment + Comment + Text + Text. Type + + + + + + + + + BBIE + Event Comment. Issue Date. Date + The date on which this comment was made. + 0..1 + Event Comment + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Event Comment. Issue Time. Time + The time at which this comment was made. + 0..1 + Event Comment + Issue Time + Time + Time. Type + + + + + + + + + + + ABIE + Event Line Item. Details + A class to define a line item describing the expected impacts associated with a retail event involving a specific product at a specific location. + Event Line Item + + + + + + + + + BBIE + Event Line Item. Line Number. Numeric + The number of this event line item. + 0..1 + Event Line Item + Line Number + Numeric + Numeric. Type + + + + + + + + + ASBIE + Event Line Item. Participating Locations_ Location. Location + The location of the stores involved in the event described in this line item. + 0..1 + Event Line Item + Participating Locations + Location + Location + Location + + + + + + + + + ASBIE + Event Line Item. Retail Planned Impact + A planned impact of the event described in this line item. + 0..n + Event Line Item + Retail Planned Impact + Retail Planned Impact + Retail Planned Impact + + + + + + + + + ASBIE + Event Line Item. Supply_ Item. Item + The product with which the event is associated. + 1 + Event Line Item + Supply + Item + Item + Item + + + + + + + + + + + ABIE + Event Tactic. Details + A class defining a specific type of action or situation arranged by the Buyer or the Seller to promote the product or products. + Event Tactic + + + + + + + + + BBIE + Event Tactic. Comment. Text + Generic field to add additional information or to specify mutually defined eventTacticTypes that are not currently listed. + 0..1 + Event Tactic + Comment + Text + Text. Type + + + + + + + + + BBIE + Event Tactic. Quantity + The currencies, units, etc. that describes what is need for the event or promotion Usage example: Number of pallets per store for a stack display + 0..1 + Event Tactic + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Event Tactic. Event Tactic Enumeration + The set of codes that describes this event tactic. + 1 + Event Tactic + Event Tactic Enumeration + Event Tactic Enumeration + Event Tactic Enumeration + + + + + + + + + ASBIE + Event Tactic. Period + The period covered by this event tactic. + 0..1 + Event Tactic + Period + Period + Period + + + + + + + + + + + ABIE + Event Tactic Enumeration. Details + A class to define a set of codes that describes a retail tactic. + Event Tactic Enumeration + + + + + + + + + BBIE + Event Tactic Enumeration. Consumer Incentive Tactic Type Code. Code + A code signifying the type of consumer incentive. Examples include:Free Item, Temporary Price reduction + 0..1 + Event Tactic Enumeration + Consumer Incentive Tactic Type Code + Code + Code. Type + + + + + + + + + BBIE + Event Tactic Enumeration. Display Tactic Type Code. Code + A code signifying the type of display. Examples Include: ON_COUNTER_DISPLAY, FLOOR_GRAPHICS FLOOR_STACK_DISPLAY + 0..1 + Event Tactic Enumeration + Display Tactic Type Code + Code + Code. Type + + + + + + + + + BBIE + Event Tactic Enumeration. Feature Tactic Type Code. Code + A code signifying a special feature. Examples Include: BILLBOARD DIRECT_MAIL_AD, FLYER + 0..1 + Event Tactic Enumeration + Feature Tactic Type Code + Code + Code. Type + + + + + + + + + BBIE + Event Tactic Enumeration. Trade Item Packing Labeling Type Code. Code + A code signifying the type of trade item packing and labeling. Examples Include: BONUS_SIZE CO_BRANDED_TRADE_ITEM + 0..1 + Event Tactic Enumeration + Trade Item Packing Labeling Type Code + Code + Code. Type + + + + + + + + + + + ABIE + Evidence. Details + A class to describe an item of evidentiary support for representations of capabilities or the ability to meet tendering requirements, which an economic operator must provide for acceptance into a tendering process. + Evidence + + + + + + + + + BBIE + Evidence. Identifier + An identifier for this item of evidentiary support. + 0..1 + Evidence + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Evidence. Evidence Type Code. Code + A code signifying the type of evidence. + 0..1 + Evidence + Evidence Type Code + Code + Code. Type + + + + + + + + + BBIE + Evidence. Name + The name of the evidence. + 0..1 + Evidence + Name + Name + Name. Type + + + + + + + + + BBIE + Evidence. Description. Text + The textual description for this Evidence. + 0..n + Evidence + Description + Text + Text. Type + + + + + + + + + BBIE + Evidence. Candidate_ Statement. Text + Information about a candidate statement that the contracting authority accepts as a sufficient response. + 0..n + Evidence + Candidate + Statement + Text + Text. Type + + + + + + + + + BBIE + Evidence. Confidentiality Level Code. Code + A code specifying the confidentiality level of this evidence. + 0..1 + Evidence + Confidentiality Level Code + Code + Code. Type + + + + + + + + + ASBIE + Evidence. Evidence Issuing_ Party. Party + A class to describe a party issuing an evidentiary document. + 0..1 + Evidence + Evidence Issuing + Party + Party + Party + + + + + + + + + ASBIE + Evidence. Document Reference + A reference to the evidentiary document. + 0..n + Evidence + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Evidence. Language + Information about a required translation to be part of the response, i.e. the language. + 0..1 + Evidence + Language + Language + Language + + + + + + + + + + + ABIE + Evidence Supplied. Details + A reference to evidence. + Evidence Supplied + + + + + + + + + BBIE + Evidence Supplied. Identifier + The identifier of the referenced evidence. + 1 + Evidence Supplied + Identifier + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Exception Criteria Line. Details + A class to define a line in an ExceptionCriteria document that specifies a threshold for forecast variance, product activity, or performance history, the exceeding of which should trigger an exception message. + Exception Criteria Line + + + + + + + + + BBIE + Exception Criteria Line. Identifier + An identifier for this exception criteria line. + 1 + Exception Criteria Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Exception Criteria Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Exception Criteria Line + Note + Text + Text. Type + + + + + + + + + BBIE + Exception Criteria Line. Threshold Value Comparison Code. Code + Type of comparison to be carried out in reference to the set threshold." Allowed values are: EXCEEDS_EXCEPTION_VALUE FALLS_BELOW_EXCEPTION_VALUE + 1 + Exception Criteria Line + Threshold Value Comparison Code + Code + Code. Type + + + + + + + + + BBIE + Exception Criteria Line. Threshold_ Quantity. Quantity + A quantity beyond which an exception will be triggered. + 1 + Exception Criteria Line + Threshold + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Exception Criteria Line. Exception Status Code. Code + A code signifying status specific to a shipment exception. + 0..1 + Exception Criteria Line + Exception Status Code + Code + Code. Type + + + + + + + + + BBIE + Exception Criteria Line. Collaboration_ Priority Code. Code + A collaboratively assigned code signifying priority of the Exception. Possible values are: HIGH, LOW, MEDIUM + 0..1 + Exception Criteria Line + Collaboration + Priority Code + Code + Code. Type + + + + + + + + + BBIE + Exception Criteria Line. Exception_ Resolution Code. Code + Coded representation of possible resolution methods". Possible values are: DEFAULT_TO_AVERAGE_OF_COMPARED_VALUES DEFAULT_TO_BUYERS_VALUE DEFAULT_TO_HIGH_VALUE DEFAULT_TO_LOW_VALUE DEFAULT_TO_SELLERS_VALUE MANUAL_RESOLUTION MUTUALLY_DEFINED + 0..1 + Exception Criteria Line + Exception + Resolution Code + Code + Code. Type + + + + + + + + + BBIE + Exception Criteria Line. Supply Chain Activity Type Code. Code + Establishes the criterion for one of the three types of exceptions. There can be three types of exception criteria: Operational, Metric and Forecast Exceptions. This will be set if this Exception is about an Operational Exception. Description could be: A code used to identify an operational exception. Possible values are: CANCELED_ORDERS EMERGENCY_ORDERS ON_HAND ORDERS RECEIPTS SALES SHIPMENTS + 0..1 + Exception Criteria Line + Supply Chain Activity Type Code + Code + Code. Type + + + + + + + + + BBIE + Exception Criteria Line. Performance Metric Type Code. Code + A code signifying a measure of performance. + 0..1 + Exception Criteria Line + Performance Metric Type Code + Code + Code. Type + + + + + + + + + ASBIE + Exception Criteria Line. Effective_ Period. Period + The period during which this exception criteria line is in effect. + 0..1 + Exception Criteria Line + Effective + Period + Period + Period + + + + + + + + + ASBIE + Exception Criteria Line. Supply_ Item. Item + The Trade Item that is the subject of the Exception Criterion. + 1..n + Exception Criteria Line + Supply + Item + Item + Item + + + + + + + + + ASBIE + Exception Criteria Line. Forecast Exception Criterion Line + Establishes the criterion for one of the three types of exceptions. This class provides the criterion for the kind of forecast exception, the identification of the purpose of the forecast, the source of data and the time basis criterion for the exception. + 0..1 + Exception Criteria Line + Forecast Exception Criterion Line + Forecast Exception Criterion Line + Forecast Exception Criterion Line + + + + + + + + + + + ABIE + Exception Notification Line. Details + A class to define a line in an Exception Notification. + Exception Notification Line + + + + + + + + + BBIE + Exception Notification Line. Identifier + An identifier for this exception notification line. + 1 + Exception Notification Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Exception Notification Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Exception Notification Line + Note + Text + Text. Type + + + + + + + + + BBIE + Exception Notification Line. Description. Text + Text describing the exception. + 0..n + Exception Notification Line + Description + Text + Text. Type + + + + + + + + + BBIE + Exception Notification Line. Exception Status Code. Code + A code signifying status specific to a shipment exception. + 0..1 + Exception Notification Line + Exception Status Code + Code + Code. Type + + + + + + + + + BBIE + Exception Notification Line. Collaboration_ Priority Code. Code + Priority of Exception. + 0..1 + Exception Notification Line + Collaboration + Priority Code + Code + Code. Type + + + + + + + + + BBIE + Exception Notification Line. Resolution Code. Code + Coded representation of possible resolution methods". Possible values are: DEFAULT_TO_AVERAGE_OF_COMPARED_VALUES DEFAULT_TO_BUYERS_VALUE DEFAULT_TO_HIGH_VALUE DEFAULT_TO_LOW_VALUE DEFAULT_TO_SELLERS_VALUE MANUAL_RESOLUTION MUTUALLY_DEFINED + 0..1 + Exception Notification Line + Resolution Code + Code + Code. Type + + + + + + + + + BBIE + Exception Notification Line. Compared Value. Measure + The value that was compared with the source value that resulted in the exception + 1 + Exception Notification Line + Compared Value + Measure + Measure. Type + + + + + + + + + BBIE + Exception Notification Line. Source Value. Measure + The value used as the basis of comparison + 1 + Exception Notification Line + Source Value + Measure + Measure. Type + + + + + + + + + BBIE + Exception Notification Line. Variance. Quantity + The variance of a data item from an expected value during a particular time interval. + 0..1 + Exception Notification Line + Variance + Quantity + Quantity. Type + + + + + + + + + BBIE + Exception Notification Line. Supply Chain Activity Type Code. Code + Establishes the criterion for one of the three types of exceptions: Operational, performance metric and forecast. This reports an exception notification about an operational exception. Description could be: A code used to identify an operational exception. Possible values are: CANCELED_ORDERS EMERGENCY_ORDERS ON_HAND ORDERS RECEIPTS SALES SHIPMENTS + 0..1 + Exception Notification Line + Supply Chain Activity Type Code + Code + Code. Type + + + + + + + + + BBIE + Exception Notification Line. Performance Metric Type Code. Code + A code used to identify a measure of performance. It defines the type of the Performance Metric on which an exception criteria is being defined + 0..1 + Exception Notification Line + Performance Metric Type Code + Code + Code. Type + + + + + + + + + ASBIE + Exception Notification Line. Exception Observation_ Period. Period + The period (start-end date) when this exception is observed + 0..1 + Exception Notification Line + Exception Observation + Period + Period + Period + + + + + + + + + ASBIE + Exception Notification Line. Document Reference + A reference to Exception Criteria document can be provided. + 0..n + Exception Notification Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Exception Notification Line. Forecast Exception + A forecast accuracy or comparison exception. + 0..1 + Exception Notification Line + Forecast Exception + Forecast Exception + Forecast Exception + + + + + + + + + ASBIE + Exception Notification Line. Supply_ Item. Item + The product associated with this exception notification line. + 1 + Exception Notification Line + Supply + Item + Item + Item + + + + + + + + + + + ABIE + Exchange Rate. Details + A class to define an exchange rate. + Exchange Rate + + + + + + + + + BBIE + Exchange Rate. Source_ Currency Code. Code + The reference currency for this exchange rate; the currency from which the exchange is being made. + 1 + Exchange Rate + Source + Currency Code + Code + Currency + Currency_ Code. Type + + + + + + + + + BBIE + Exchange Rate. Source_ Currency Base Rate. Rate + In the case of a source currency with denominations of small value, the unit base. + 0..1 + Exchange Rate + Source + Currency Base Rate + Rate + Rate. Type + + + + + + + + + BBIE + Exchange Rate. Target_ Currency Code. Code + The target currency for this exchange rate; the currency to which the exchange is being made. + 1 + Exchange Rate + Target + Currency Code + Code + Currency + Currency_ Code. Type + + + + + + + + + BBIE + Exchange Rate. Target_ Currency Base Rate. Rate + In the case of a target currency with denominations of small value, the unit base. + 0..1 + Exchange Rate + Target + Currency Base Rate + Rate + Rate. Type + + + + + + + + + BBIE + Exchange Rate. Exchange Market Identifier. Identifier + An identifier for the currency exchange market used as the source of this exchange rate. + 0..1 + Exchange Rate + Exchange Market Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Exchange Rate. Calculation Rate. Rate + The factor applied to the source currency to calculate the target currency. + 0..1 + Exchange Rate + Calculation Rate + Rate + Rate. Type + + + + + + + + + BBIE + Exchange Rate. Mathematic Operator Code. Code + A code signifying whether the calculation rate is a multiplier or a divisor. + 0..1 + Exchange Rate + Mathematic Operator Code + Code + Operator + Operator_ Code. Type + + + + + + + + + BBIE + Exchange Rate. Date + The date on which the exchange rate was established. + 0..1 + Exchange Rate + Date + Date + Date. Type + + + + + + + + + ASBIE + Exchange Rate. Foreign Exchange_ Contract. Contract + A contract for foreign exchange. + 0..1 + Exchange Rate + Foreign Exchange + Contract + Contract + Contract + + + + + + + + + + + ABIE + External Reference. Details + A class to describe an external object, such as a document stored at a remote location. + External Reference + + + + + + + + + BBIE + External Reference. URI. Identifier + The Uniform Resource Identifier (URI) that identifies the external object as an Internet resource. + 0..1 + External Reference + URI + Identifier + Identifier. Type + + + + + + + + + BBIE + External Reference. Document Hash. Text + A hash value for the externally stored object. + 0..1 + External Reference + Document Hash + Text + Text. Type + + + + + + + + + BBIE + External Reference. Hash Algorithm Method. Text + A hash algorithm used to calculate the hash value of the externally stored object. + 0..1 + External Reference + Hash Algorithm Method + Text + Text. Type + + + + + + + + + BBIE + External Reference. Expiry Date. Date + The date on which availability of the resource can no longer be relied upon. + 0..1 + External Reference + Expiry Date + Date + Date. Type + + + + + + + + + BBIE + External Reference. Expiry Time. Time + The time after which availability of the resource can no longer be relied upon. + 0..1 + External Reference + Expiry Time + Time + Time. Type + + + + + + + + + BBIE + External Reference. Mime Code. Code + A code signifying the mime type of the external object. + 0..1 + External Reference + Mime Code + Code + Code. Type + + + + + + + + + BBIE + External Reference. Format Code. Code + A code signifying the format of the external object. + 0..1 + External Reference + Format Code + Code + Code. Type + + + + + + + + + BBIE + External Reference. Encoding Code. Code + A code signifying the encoding/decoding algorithm used with the external object. + 0..1 + External Reference + Encoding Code + Code + Code. Type + + + + + + + + + BBIE + External Reference. Character Set Code. Code + A code signifying the character set of an external document. + 0..1 + External Reference + Character Set Code + Code + Code. Type + + + + + + + + + BBIE + External Reference. File Name. Name + The file name of the external object. + 0..1 + External Reference + File Name + Name + Name. Type + + + + + + + + + BBIE + External Reference. Description. Text + Text describing the external object. + 0..n + External Reference + Description + Text + Text. Type + computer accessories for laptops + + + + + + + + + + + ABIE + Financial Account. Details + A class to describe a financial account. + Financial Account + + + + + + + + + BBIE + Financial Account. Identifier + The identifier for this financial account; the bank account number. + 0..1 + Financial Account + Identifier + Identifier + Identifier. Type + SWIFT(BIC) and IBAN are defined in ISO 9362 and ISO 13616. + + + + + + + + + BBIE + Financial Account. Name + The name of this financial account. + 0..1 + Financial Account + Name + Name + Name. Type + + + + + + + + + BBIE + Financial Account. Alias_ Name. Name + An alias for the name of this financial account, to be used in place of the actual account name for security reasons. + 0..1 + Financial Account + Alias + Name + Name + Name. Type + + + + + + + + + BBIE + Financial Account. Account Type Code. Code + A code signifying the type of this financial account. + 0..1 + Financial Account + Account Type Code + Code + Code. Type + + + + + + + + + BBIE + Financial Account. Account Format Code. Code + A code signifying the format of this financial account. + 0..1 + Financial Account + Account Format Code + Code + Code. Type + ISO20022 Clearing System Identification Code + + + + + + + + + BBIE + Financial Account. Currency Code. Code + A code signifying the currency in which this financial account is held. + 0..1 + Financial Account + Currency Code + Code + Currency + Currency_ Code. Type + + + + + + + + + BBIE + Financial Account. Payment_ Note. Text + Free-form text applying to the Payment for the owner of this account. + 0..n + Financial Account + Payment + Note + Text + Text. Type + + + + + + + + + ASBIE + Financial Account. Financial Institution_ Branch. Branch + The branch of the financial institution associated with this financial account. + 0..1 + Financial Account + Financial Institution + Branch + Branch + Branch + + + + + + + + + ASBIE + Financial Account. Country + The country in which the holder of the financial account is domiciled. + 0..1 + Financial Account + Country + Country + Country + + + + + + + + + + + ABIE + Financial Guarantee. Details + A class to describe the bond guarantee of a tenderer or bid submitter's actual entry into a contract in the event that it is the successful bidder. + Financial Guarantee + + + + + + + + + BBIE + Financial Guarantee. Guarantee Type Code. Code + A code signifying the type of financial guarantee. For instance "Provisional Guarantee" or "Final Guarantee" + 1 + Financial Guarantee + Guarantee Type Code + Code + Code. Type + + + + + + + + + BBIE + Financial Guarantee. Description. Text + Text describing this financial guarantee. + 0..n + Financial Guarantee + Description + Text + Text. Type + + + + + + + + + BBIE + Financial Guarantee. Liability. Amount + The amount of liability in this financial guarantee. + 0..1 + Financial Guarantee + Liability + Amount + Amount. Type + + + + + + + + + BBIE + Financial Guarantee. Amount. Rate + The rate used to calculate the amount of liability in this financial guarantee. + 0..1 + Financial Guarantee + Amount + Rate + Rate. Type + + + + + + + + + ASBIE + Financial Guarantee. Constitution_ Period. Period + The period during the tendering process to which this financial guarantee has to be settled. + 0..1 + Financial Guarantee + Constitution + Period + Period + Period + + + + + + + + + + + ABIE + Financial Institution. Details + A class to describe a financial institution. + Financial Institution + + + + + + + + + BBIE + Financial Institution. Identifier + An identifier for this financial institution. It is recommended that the ISO 9362 Bank Identification Code (BIC) be used as the ID. + 0..1 + Financial Institution + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Financial Institution. Name + The name of this financial institution. + 0..1 + Financial Institution + Name + Name + Name. Type + + + + + + + + + ASBIE + Financial Institution. Address + The address of this financial institution. + 0..1 + Financial Institution + Address + Address + Address + + + + + + + + + + + ABIE + Forecast Exception. Details + As explained in Exception Criteria Line: Three types of exception criteria can be defined, Operational, Metric or Forecast Exceptions. This class provides criteria for forecast exception type: the identification of the purpose of the forecast, the source of data and the time basis criteria for the exception. + Forecast Exception + + + + + + + + + BBIE + Forecast Exception. Forecast_ Purpose Code. Code + It is either Sales forecast or Order Forecast. Definition can be changed like: "The purpose of the Forecast (either sales or order), about which an exception criteria is being defined". + 1 + Forecast Exception + Forecast + Purpose Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception. Forecast Type Code. Code + A code signifying the type of forecast. Example of values are:BASE PROMOTIONAL SEASONAL TOTAL + 1 + Forecast Exception + Forecast Type Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception. Issue Date. Date + The date on which the forecast was issued. + 1 + Forecast Exception + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Forecast Exception. Issue Time. Time + The time at which the forecast was issued. + 0..1 + Forecast Exception + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Forecast Exception. Data Source Code. Code + A code signifying the partner who provides this information. + 1 + Forecast Exception + Data Source Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception. Comparison Data Code. Code + A code signifying the partner providing the information in this forecast exception. + 0..1 + Forecast Exception + Comparison Data Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception. Comparison Forecast Issue Time. Time + The time at which this comparison forecast was issued. + 0..1 + Forecast Exception + Comparison Forecast Issue Time + Time + Time. Type + + + + + + + + + BBIE + Forecast Exception. Comparison Forecast Issue Date. Date + The date on which this comparison forecast was issued. + 0..1 + Forecast Exception + Comparison Forecast Issue Date + Date + Date. Type + + + + + + + + + + + ABIE + Forecast Exception Criterion Line. Details + Establishes the criterion for one of the three types of exceptions. This class provides criteria for the kind of forecast exception, the identification of the purpose of the forecast, the source of data and the time basis criterion for the exception. + Forecast Exception Criterion Line + + + + + + + + + BBIE + Forecast Exception Criterion Line. Forecast_ Purpose Code. Code + A description of the purpose for the forecast that is assigned to each forecast data item exception criterion. + 1 + Forecast Exception Criterion Line + Forecast + Purpose Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception Criterion Line. Forecast Type Code. Code + A description of a Forecast selected from a list. + 1 + Forecast Exception Criterion Line + Forecast Type Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception Criterion Line. Comparison Data Source Code. Code + If it is a forecast comparison exception, this value indicates the other source of information. + 0..1 + Forecast Exception Criterion Line + Comparison Data Source Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception Criterion Line. Data Source Code. Code + Indication of the partner who provides the information. + 1 + Forecast Exception Criterion Line + Data Source Code + Code + Code. Type + + + + + + + + + BBIE + Forecast Exception Criterion Line. Time Delta Days Quantity. Quantity + Time basis in days for the Exception. + 0..1 + Forecast Exception Criterion Line + Time Delta Days Quantity + Quantity + Quantity. Type + + + + + + + + + + + ABIE + Forecast Line. Details + Detailed information about a particular Forecast Line within a Forecast Document + Forecast Line + + + + + + + + + BBIE + Forecast Line. Identifier + An identifier for this forecast line. + 1 + Forecast Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Forecast Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Forecast Line + Note + Text + Text. Type + + + + + + + + + BBIE + Forecast Line. Frozen Document Indicator. Indicator + An indicator that the status of the forecast is modifiable (true) or not (false). + 0..1 + Forecast Line + Frozen Document Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Forecast Line. Forecast Type Code. Code + A code signifying the type of forecast. Examples: BASE PROMOTIONAL SEASONAL TOTAL + 1 + Forecast Line + Forecast Type Code + Code + Code. Type + seasonal, total + + + + + + + + + ASBIE + Forecast Line. Forecast_ Period. Period + The period to which the forecast applies. + 0..1 + Forecast Line + Forecast + Period + Period + Period + + + + + + + + + ASBIE + Forecast Line. Sales Item + Sales information for the item to which this line applies. + 0..1 + Forecast Line + Sales Item + Sales Item + Sales Item + + + + + + + + + + + ABIE + Forecast Revision Line. Details + A class to define a line in a Forecast Revision describing a revision to a line in a Forecast. + Forecast Revision Line + + + + + + + + + BBIE + Forecast Revision Line. Identifier + An identifier for this forecast revision line. + 1 + Forecast Revision Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Forecast Revision Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Forecast Revision Line + Note + Text + Text. Type + + + + + + + + + BBIE + Forecast Revision Line. Description. Text + Text describing the revision to this line. + 0..n + Forecast Revision Line + Description + Text + Text. Type + + + + + + + + + BBIE + Forecast Revision Line. Revised_ Forecast Line Identifier. Identifier + An identifier for the revised forecast line. + 1 + Forecast Revision Line + Revised + Forecast Line Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Forecast Revision Line. Source Forecast_ Issue Date. Date + The date on which the forecast modified by this revision was generated or created. + 1 + Forecast Revision Line + Source Forecast + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Forecast Revision Line. Source Forecast_ Issue Time. Time + The time at which the forecast modified by this revision was generated or created. + 1 + Forecast Revision Line + Source Forecast + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Forecast Revision Line. Adjustment Reason Code. Code + A code signifying the reason for the adjustment specified in this forecast revision line. + 0..1 + Forecast Revision Line + Adjustment Reason Code + Code + Code. Type + + + + + + + + + ASBIE + Forecast Revision Line. Forecast_ Period. Period + The period to which this forecast revision line applies. + 0..1 + Forecast Revision Line + Forecast + Period + Period + Period + + + + + + + + + ASBIE + Forecast Revision Line. Sales Item + Sales information for the item to which this line applies. + 0..1 + Forecast Revision Line + Sales Item + Sales Item + Sales Item + + + + + + + + + + + ABIE + Framework Agreement. Details + A class to describe a tendering framework agreement. + Framework Agreement + + + + + + + + + BBIE + Framework Agreement. Expected_ Operator. Quantity + The number of economic operators expected to participate in this framework agreement. + 0..1 + Framework Agreement + Expected + Operator + Quantity + Quantity. Type + + + + + + + + + BBIE + Framework Agreement. Maximum_ Operator. Quantity + The maximum number of economic operators allowed to participate in this framework agreement. + 0..1 + Framework Agreement + Maximum + Operator + Quantity + Quantity. Type + + + + + + + + + BBIE + Framework Agreement. Justification. Text + Text describing the justification for this framework agreement. + 0..n + Framework Agreement + Justification + Text + Text. Type + + + + + + + + + BBIE + Framework Agreement. Frequency. Text + Text describing the frequency with which subsequent contracts will be awarded. + 0..n + Framework Agreement + Frequency + Text + Text. Type + + + + + + + + + ASBIE + Framework Agreement. Duration_ Period. Period + The period during which this framework agreement applies. + 0..1 + Framework Agreement + Duration + Period + Period + Period + + + + + + + + + ASBIE + Framework Agreement. Subsequent Process_ Tender Requirement. Tender Requirement + A tender requirement intended for consumption by downstream tendering processes derived from the establishment of this framework agreement. + 0..n + Framework Agreement + Subsequent Process + Tender Requirement + Tender Requirement + Tender Requirement + Curricula required + + + + + + + + + + + ABIE + Goods Item. Details + A class to describe a separately identifiable quantity of goods of a single product type. + Goods Item + + + + + + + + + BBIE + Goods Item. Identifier + An identifier for this goods item. + 0..1 + Goods Item + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Goods Item. Sequence Number. Identifier + A sequence number differentiating a specific goods item within a consignment. + 0..1 + Goods Item + Sequence Number + Identifier + Identifier. Type + + + + + + + + + BBIE + Goods Item. Description. Text + Text describing this goods item to identify it for customs, statistical, or transport purposes. + 0..n + Goods Item + Description + Text + Text. Type + Description of goods (WCO ID 137) + + + + + + + + + BBIE + Goods Item. Hazardous Risk_ Indicator. Indicator + An indication that the transported goods item is subject to an international regulation concerning the carriage of dangerous goods (true) or not (false). + 0..1 + Goods Item + Hazardous Risk + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Goods Item. Declared Customs_ Value. Amount + The total declared value for customs purposes of the goods item. + 0..1 + Goods Item + Declared Customs + Value + Amount + Amount. Type + For Customs Value (WCO ID 108) + + + + + + + + + BBIE + Goods Item. Declared For Carriage_ Value. Amount + The value of this goods item, declared by the shipper or his agent solely for the purpose of varying the carrier's level of liability from that provided in the contract of carriage, in case of loss or damage to goods or delayed delivery. + 0..1 + Goods Item + Declared For Carriage + Value + Amount + Amount. Type + Interest in delivery, declared value for carriage + + + + + + + + + BBIE + Goods Item. Declared Statistics_ Value. Amount + The total declared value of all the goods items in the same consignment with this goods item that have the same statistical heading. + 0..1 + Goods Item + Declared Statistics + Value + Amount + Amount. Type + Statistical Value (WCO ID 114) + + + + + + + + + BBIE + Goods Item. Free On Board_ Value. Amount + The monetary amount that has to be or has been paid as calculated under the applicable trade delivery. + 0..1 + Goods Item + Free On Board + Value + Amount + Amount. Type + FOB Value + + + + + + + + + BBIE + Goods Item. Insurance_ Value. Amount + The amount covered by insurance for this goods item. + 0..1 + Goods Item + Insurance + Value + Amount + Amount. Type + Value Insured + + + + + + + + + BBIE + Goods Item. Value. Amount + The amount on which a duty, tax, or fee will be assessed. + 0..1 + Goods Item + Value + Amount + Amount. Type + + + + + + + + + BBIE + Goods Item. Gross_ Weight. Measure + The weight of this goods item, including packing and packaging but excluding the carrier's equipment. + 0..1 + Goods Item + Gross + Weight + Measure + Measure. Type + Actual Gross Weight + + + + + + + + + BBIE + Goods Item. Net_ Weight. Measure + The weight of this goods item, excluding packing but including packaging that normally accompanies the goods. + 0..1 + Goods Item + Net + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Goods Item. Net Net_ Weight. Measure + The total weight of this goods item, excluding all packing and packaging. + 0..1 + Goods Item + Net Net + Weight + Measure + Measure. Type + Customs Weight (WCO ID 128) + + + + + + + + + BBIE + Goods Item. Chargeable_ Weight. Measure + The weight on which a charge is to be based. + 0..1 + Goods Item + Chargeable + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Goods Item. Gross_ Volume. Measure + The volume of this goods item, normally calculated by multiplying its maximum length, width, and height. + 0..1 + Goods Item + Gross + Volume + Measure + Measure. Type + Volume, Gross Measurement Cube (GMC), Cube (WCO ID 134) + + + + + + + + + BBIE + Goods Item. Net_ Volume. Measure + The volume contained by a goods item, excluding the volume of any packaging material. + 0..1 + Goods Item + Net + Volume + Measure + Measure. Type + + + + + + + + + BBIE + Goods Item. Quantity + The number of units making up this goods item. + 0..1 + Goods Item + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Goods Item. Preference Criterion Code. Code + A code signifying the treatment preference for this goods item according to international trading agreements. + 0..1 + Goods Item + Preference Criterion Code + Code + Code. Type + Preference Criterion is used in the following manner in the paper CO of another country (e.g.): A - The good is wholly obtained or produced entirely in the territory of one or more of the NAFTA countries as reference in Article 415. Note: The purchase of a good in the territory does not necessarily render it wholly obtained or produced . If the good is an agricultural good, see also criterion F and Annex 703.2. (Reference: Article 401(a), 415). B - ... C - ... D - ... E - ... F - The good is an originating agricultural good under preference criterion A,B, or C above and is not subjected to quantitative restriction in the importing NAFTA country because.... Thus, the column Preference Criterion will indicate either A, B, C,... + + + + + + + + + BBIE + Goods Item. Required_ Customs Identifier. Identifier + An identifier for a set of tariff codes required to specify a type of goods for customs, transport, statistical, or other regulatory purposes. + 0..1 + Goods Item + Required + Customs Identifier + Identifier + Identifier. Type + Tariff code extensions (WCO ID 255) + + + + + + + + + BBIE + Goods Item. Customs Status Code. Code + A code assigned by customs to signify the status of this goods item. + 0..1 + Goods Item + Customs Status Code + Code + Code. Type + Customs status of goods (WCO ID 094) + + + + + + + + + BBIE + Goods Item. Customs Tariff Quantity. Quantity + Quantity of the units in this goods item as required by customs for tariff, statistical, or fiscal purposes. + 0..1 + Goods Item + Customs Tariff Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Goods Item. Customs Import_ Classified Indicator. Indicator + An indicator that this goods item has been classified for import by customs (true) or not (false). + 0..1 + Goods Item + Customs Import + Classified Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Goods Item. Chargeable_ Quantity. Quantity + The number of units in the goods item to which charges apply. + 0..1 + Goods Item + Chargeable + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Goods Item. Returnable_ Quantity. Quantity + The number of units in the goods item that may be returned. + 0..1 + Goods Item + Returnable + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Goods Item. Trace_ Identifier. Identifier + An identifier for use in tracing this goods item, such as the EPC number used in RFID. + 0..1 + Goods Item + Trace + Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Goods Item. Item + Product information relating to a goods item. + 0..n + Goods Item + Item + Item + Item + + + + + + + + + ASBIE + Goods Item. Goods Item Container + The transporting of a goods item in a unit of transport equipment (e.g., container). + 0..n + Goods Item + Goods Item Container + Goods Item Container + Goods Item Container + + + + + + + + + ASBIE + Goods Item. Freight_ Allowance Charge. Allowance Charge + A cost incurred by the shipper in moving goods, by whatever means, from one place to another under the terms of the contract of carriage. In addition to transport costs, this may include such elements as packing, documentation, loading, unloading, and insurance to the extent that they relate to the freight costs. + 0..n + Goods Item + Freight + Allowance Charge + Allowance Charge + Allowance Charge + Freight Costs + + + + + + + + + ASBIE + Goods Item. Invoice Line + Information about an invoice line relating to this goods item. + 0..n + Goods Item + Invoice Line + Invoice Line + Invoice Line + + + + + + + + + ASBIE + Goods Item. Temperature + The temperature of the goods item. + 0..n + Goods Item + Temperature + Temperature + Temperature + maximum, storage, minimum + + + + + + + + + ASBIE + Goods Item. Contained_ Goods Item. Goods Item + A goods item contained in this goods item. + 0..n + Goods Item + Contained + Goods Item + Goods Item + Goods Item + + + + + + + + + ASBIE + Goods Item. Origin_ Address. Address + The region in which the goods have been produced or manufactured, according to criteria laid down for the purposes of application of the customs tariff, or of quantitative restrictions, or of any other measure related to trade. + 0..1 + Goods Item + Origin + Address + Address + Address + Region of origin (WCO ID 066) + + + + + + + + + ASBIE + Goods Item. Delivery + The delivery of this goods item. + 0..1 + Goods Item + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Goods Item. Pickup + The pickup of this goods item. + 0..1 + Goods Item + Pickup + Pickup + Pickup + + + + + + + + + ASBIE + Goods Item. Despatch + The despatch of this goods item. + 0..1 + Goods Item + Despatch + Despatch + Despatch + + + + + + + + + ASBIE + Goods Item. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of this goods item. + 0..n + Goods Item + Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Goods Item. Containing_ Package. Package + A package containing this goods item. + 0..n + Goods Item + Containing + Package + Package + Package + + + + + + + + + ASBIE + Goods Item. Shipment_ Document Reference. Document Reference + A reference to a shipping document associated with this goods item. + 0..1 + Goods Item + Shipment + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Goods Item. Minimum_ Temperature. Temperature + Information about minimum temperature. + 0..1 + Goods Item + Minimum + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Goods Item. Maximum_ Temperature. Temperature + Information about maximum temperature. + 0..1 + Goods Item + Maximum + Temperature + Temperature + Temperature + + + + + + + + + + + ABIE + Goods Item Container. Details + A class defining how goods items are split across transport equipment. + Goods Item Container + + + + + + + + + BBIE + Goods Item Container. Identifier + An identifier for this goods item container. + 1 + Goods Item Container + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Goods Item Container. Quantity + The number of goods items loaded into or onto one piece of transport equipment as a total consignment or part of a consignment. + 0..1 + Goods Item Container + Quantity + Quantity + Quantity. Type + Number of packages stuffed + + + + + + + + + ASBIE + Goods Item Container. Transport Equipment + A piece of transport equipment used to contain a single goods item. + 0..n + Goods Item Container + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + + + ABIE + Hazardous Goods Transit. Details + A class to describe hazardous goods in transit. + Hazardous Goods Transit + + + + + + + + + BBIE + Hazardous Goods Transit. Transport Emergency Card Code. Code + An identifier for a transport emergency card describing the actions to be taken in an emergency in transporting the hazardous goods. It may be the identity number of a hazardous emergency response plan assigned by the appropriate authority. + 0..1 + Hazardous Goods Transit + Transport Emergency Card Code + Code + Code. Type + TREM card + + + + + + + + + BBIE + Hazardous Goods Transit. Packing Criteria Code. Code + A code signifying the packaging requirement for transportation of the hazardous goods as assigned by IATA, IMDB, ADR, RID etc. + 0..1 + Hazardous Goods Transit + Packing Criteria Code + Code + Code. Type + Packing Group + + + + + + + + + BBIE + Hazardous Goods Transit. Hazardous Regulation Code. Code + A code signifying the set of legal regulations governing the transportation of the hazardous goods. + 0..1 + Hazardous Goods Transit + Hazardous Regulation Code + Code + Code. Type + + + + + + + + + BBIE + Hazardous Goods Transit. Inhalation Toxicity Zone Code. Code + A code signifying the Inhalation Toxicity Hazard Zone for the hazardous goods, as defined by the US Department of Transportation. + 0..1 + Hazardous Goods Transit + Inhalation Toxicity Zone Code + Code + Code. Type + + + + + + + + + BBIE + Hazardous Goods Transit. Transport Authorization Code. Code + A code signifying authorization for the transportation of hazardous cargo. + 0..1 + Hazardous Goods Transit + Transport Authorization Code + Code + Code. Type + Permission for Transport + + + + + + + + + ASBIE + Hazardous Goods Transit. Maximum_ Temperature. Temperature + The maximum temperature at which the hazardous goods can safely be transported. + 0..1 + Hazardous Goods Transit + Maximum + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Hazardous Goods Transit. Minimum_ Temperature. Temperature + The minimum temperature at which the hazardous goods can safely be transported. + 0..1 + Hazardous Goods Transit + Minimum + Temperature + Temperature + Temperature + + + + + + + + + + + ABIE + Hazardous Item. Details + A class to describe a hazardous item. + Hazardous Item + + + + + + + + + BBIE + Hazardous Item. Identifier + An identifier for this hazardous item. + 0..1 + Hazardous Item + Identifier + Identifier + Identifier. Type + Round Up + + + + + + + + + BBIE + Hazardous Item. Placard Notation. Text + Text of the placard notation corresponding to the hazard class of this hazardous item. Can also be the hazard identification number of the orange placard (upper part) required on the means of transport. + 0..1 + Hazardous Item + Placard Notation + Text + Text. Type + 5.1 + + + + + + + + + BBIE + Hazardous Item. Placard Endorsement. Text + Text of the placard endorsement that is to be shown on the shipping papers for this hazardous item. Can also be used for the number of the orange placard (lower part) required on the means of transport. + 0..1 + Hazardous Item + Placard Endorsement + Text + Text. Type + 2 + + + + + + + + + BBIE + Hazardous Item. Additional_ Information. Text + Text providing further information about the hazardous substance. + 0..n + Hazardous Item + Additional + Information + Text + Text. Type + Must be stored away from flammable materials N.O.S. or a Waste Characteristics Code in conjunction with an EPA Waste Stream code + + + + + + + + + BBIE + Hazardous Item. UNDG Code. Code + The UN code for this kind of hazardous item. + 0..1 + Hazardous Item + UNDG Code + Code + Code. Type + UN Code + + + + + + + + + BBIE + Hazardous Item. Emergency Procedures Code. Code + A code signifying the emergency procedures for this hazardous item. + 0..1 + Hazardous Item + Emergency Procedures Code + Code + Code. Type + EMG code, EMS Page Number + + + + + + + + + BBIE + Hazardous Item. Medical First Aid Guide Code. Code + A code signifying a medical first aid guide appropriate to this hazardous item. + 0..1 + Hazardous Item + Medical First Aid Guide Code + Code + Code. Type + MFAG page number + + + + + + + + + BBIE + Hazardous Item. Technical_ Name. Name + The full technical name of a specific hazardous substance contained in this goods item. + 0..1 + Hazardous Item + Technical + Name + Name + Name. Type + Granular Sodium Chlorate WeedKiller + + + + + + + + + BBIE + Hazardous Item. Category. Name + The name of the category of hazard that applies to the Item. + 0..1 + Hazardous Item + Category + Name + Name. Type + + + + + + + + + BBIE + Hazardous Item. Hazardous Category Code. Code + A code signifying a kind of hazard for a material. + 0..1 + Hazardous Item + Hazardous Category Code + Code + Code. Type + Hazardous material class code + + + + + + + + + BBIE + Hazardous Item. Upper_ Orange Hazard Placard Identifier. Identifier + The number for the upper part of the orange hazard placard required on the means of transport. + 0..1 + Hazardous Item + Upper + Orange Hazard Placard Identifier + Identifier + Identifier. Type + Hazard identification number (upper part) + + + + + + + + + BBIE + Hazardous Item. Lower_ Orange Hazard Placard Identifier. Identifier + The number for the lower part of the orange hazard placard required on the means of transport. + 0..1 + Hazardous Item + Lower + Orange Hazard Placard Identifier + Identifier + Identifier. Type + Substance identification number (lower part) + + + + + + + + + BBIE + Hazardous Item. Marking Identifier. Identifier + An identifier to the marking of the Hazardous Item + 0..1 + Hazardous Item + Marking Identifier + Identifier + Identifier. Type + Dangerous goods label marking + + + + + + + + + BBIE + Hazardous Item. Hazard Class Identifier. Identifier + An identifier for the hazard class applicable to this hazardous item as defined by the relevant regulation authority (e.g., the IMDG Class Number of the SOLAS Convention of IMO and the ADR/RID Class Number for the road/rail environment). + 0..1 + Hazardous Item + Hazard Class Identifier + Identifier + Identifier. Type + IMDG Class Number, ADR/RID Class Number + + + + + + + + + BBIE + Hazardous Item. Net_ Weight. Measure + The net weight of this hazardous item, excluding packaging. + 0..1 + Hazardous Item + Net + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Hazardous Item. Net_ Volume. Measure + The volume of this hazardous item, excluding packaging and transport equipment. + 0..1 + Hazardous Item + Net + Volume + Measure + Measure. Type + + + + + + + + + BBIE + Hazardous Item. Quantity + The quantity of goods items in this hazardous item that are hazardous. + 0..1 + Hazardous Item + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Hazardous Item. Contact_ Party. Party + The individual, group, or body to be contacted in case of a hazardous incident associated with this item. + 0..1 + Hazardous Item + Contact + Party + Party + Party + + + + + + + + + ASBIE + Hazardous Item. Secondary Hazard + A secondary hazard associated with this hazardous item. + 0..n + Hazardous Item + Secondary Hazard + Secondary Hazard + Secondary Hazard + + + + + + + + + ASBIE + Hazardous Item. Hazardous Goods Transit + Information related to the transit of this kind of hazardous goods. + 0..n + Hazardous Item + Hazardous Goods Transit + Hazardous Goods Transit + Hazardous Goods Transit + + + + + + + + + ASBIE + Hazardous Item. Emergency_ Temperature. Temperature + The threshold temperature at which emergency procedures apply in the handling of temperature-controlled goods. + 0..1 + Hazardous Item + Emergency + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Hazardous Item. Flashpoint_ Temperature. Temperature + The flashpoint temperature of this hazardous item; i.e., the lowest temperature at which vapors above a volatile combustible substance ignite in air when exposed to flame. + 0..1 + Hazardous Item + Flashpoint + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Hazardous Item. Additional_ Temperature. Temperature + Another temperature relevant to the handling of this hazardous item. + 0..n + Hazardous Item + Additional + Temperature + Temperature + Temperature + + + + + + + + + + + ABIE + Immobilized Security. Details + A class to describe an immobilized security to be used as a guarantee. + Immobilized Security + + + + + + + + + BBIE + Immobilized Security. Immobilization Certificate Identifier. Identifier + An identifier for the certificate of this immobilized security. + 0..1 + Immobilized Security + Immobilization Certificate Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Immobilized Security. Security Identifier. Identifier + An identifier for the security being immobilized. + 0..1 + Immobilized Security + Security Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Immobilized Security. Issue Date. Date + The date on which this immobilized security was issued. + 0..1 + Immobilized Security + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Immobilized Security. Face Value. Amount + The value of the security on the day it was immobilized. + 0..1 + Immobilized Security + Face Value + Amount + Amount. Type + + + + + + + + + BBIE + Immobilized Security. Market Value. Amount + The current market value of the immobilized security. + 0..1 + Immobilized Security + Market Value + Amount + Amount. Type + + + + + + + + + BBIE + Immobilized Security. Shares Number. Quantity + The number of shares immobilized. + 0..1 + Immobilized Security + Shares Number + Quantity + Quantity. Type + + + + + + + + + ASBIE + Immobilized Security. Issuer_ Party. Party + The party issuing the immobilized security certificate. + 0..1 + Immobilized Security + Issuer + Party + Party + Party + + + + + + + + + + + ABIE + Instruction For Returns Line. Details + A class to define a line in an Instruction for Returns. + Instruction For Returns Line + + + + + + + + + BBIE + Instruction For Returns Line. Identifier + An identifier for this instruction for returns line. + 1 + Instruction For Returns Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Instruction For Returns Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Instruction For Returns Line + Note + Text + Text. Type + + + + + + + + + BBIE + Instruction For Returns Line. Quantity + The quantity of goods being returned. + 1 + Instruction For Returns Line + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Instruction For Returns Line. Manufacturer_ Party. Party + The manufacturer of the goods being returned. + 0..1 + Instruction For Returns Line + Manufacturer + Party + Party + Party + + + + + + + + + ASBIE + Instruction For Returns Line. Item + A description of the item being returned. + 1 + Instruction For Returns Line + Item + Item + Item + + + + + + + + + + + ABIE + Inventory Report Line. Details + A class to define a line in an Inventory Report. + Inventory Report Line + + + + + + + + + BBIE + Inventory Report Line. Identifier + An identifier for this inventory report line. + 1 + Inventory Report Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Inventory Report Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Inventory Report Line + Note + Text + Text. Type + + + + + + + + + BBIE + Inventory Report Line. Quantity + The quantity of the item reported that is currently in stock. + 1 + Inventory Report Line + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Inventory Report Line. Inventory_ Value. Amount + The value of the quantity of the item reported that is currently in stock. + 0..1 + Inventory Report Line + Inventory + Value + Amount + Amount. Type + + + + + + + + + BBIE + Inventory Report Line. Availability Date. Date + The date from which the goods will be available. If not present, the goods are available now. + 0..1 + Inventory Report Line + Availability Date + Date + Date. Type + + + + + + + + + BBIE + Inventory Report Line. Availability Status Code. Code + A code signifying the item's level of availability. + 0..1 + Inventory Report Line + Availability Status Code + Code + Code. Type + + + + + + + + + ASBIE + Inventory Report Line. Item + The item associated with this inventory report line. + 1 + Inventory Report Line + Item + Item + Item + + + + + + + + + ASBIE + Inventory Report Line. Inventory_ Location. Location + The location of the reported quantity of goods. + 0..1 + Inventory Report Line + Inventory + Location + Location + Location + + + + + + + + + + + ABIE + Invoice Line. Details + A class to define a line in an Invoice. + Invoice Line + + + + + + + + + BBIE + Invoice Line. Identifier + An identifier for this invoice line. + 1 + Invoice Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Invoice Line. UUID. Identifier + A universally unique identifier for this invoice line. + 0..1 + Invoice Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Invoice Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Invoice Line + Note + Text + Text. Type + + + + + + + + + BBIE + Invoice Line. Invoiced_ Quantity. Quantity + The quantity (of items) on this invoice line. + 0..1 + Invoice Line + Invoiced + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Invoice Line. Line Extension Amount. Amount + The total amount for this invoice line, including allowance charges but net of taxes. + 1 + Invoice Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Invoice Line. Tax Point Date. Date + The date of this invoice line, used to indicate the point at which tax becomes applicable. + 0..1 + Invoice Line + Tax Point Date + Date + Date. Type + + + + + + + + + BBIE + Invoice Line. Accounting Cost Code. Code + The buyer's accounting cost centre for this invoice line, expressed as a code. + 0..1 + Invoice Line + Accounting Cost Code + Code + Code. Type + + + + + + + + + BBIE + Invoice Line. Accounting Cost. Text + The buyer's accounting cost centre for this invoice line, expressed as text. + 0..1 + Invoice Line + Accounting Cost + Text + Text. Type + + + + + + + + + BBIE + Invoice Line. Payment Purpose Code. Code + A code signifying the business purpose for this payment. + 0..1 + Invoice Line + Payment Purpose Code + Code + Code. Type + + + + + + + + + BBIE + Invoice Line. Free Of Charge_ Indicator. Indicator + An indicator that this invoice line is free of charge (true) or not (false). The default is false. + 0..1 + Invoice Line + Free Of Charge + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Invoice Line. Invoice_ Period. Period + An invoice period to which this invoice line applies. + 0..n + Invoice Line + Invoice + Period + Period + Period + + + + + + + + + ASBIE + Invoice Line. Order Line Reference + A reference to an order line associated with this invoice line. + 0..n + Invoice Line + Order Line Reference + Order Line Reference + Order Line Reference + + + + + + + + + ASBIE + Invoice Line. Despatch_ Line Reference. Line Reference + A reference to a despatch line associated with this invoice line. + 0..n + Invoice Line + Despatch + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Invoice Line. Receipt_ Line Reference. Line Reference + A reference to a receipt line associated with this invoice line. + 0..n + Invoice Line + Receipt + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Invoice Line. Billing Reference + A reference to a billing document associated with this invoice line. + 0..n + Invoice Line + Billing Reference + Billing Reference + Billing Reference + + + + + + + + + ASBIE + Invoice Line. Document Reference + A reference to a document associated with this invoice line. + 0..n + Invoice Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Invoice Line. Pricing Reference + A reference to pricing and item location information associated with this invoice line. + 0..1 + Invoice Line + Pricing Reference + Pricing Reference + Pricing Reference + + + + + + + + + ASBIE + Invoice Line. Originator_ Party. Party + The party who originated the Order to which the Invoice is related. + 0..1 + Invoice Line + Originator + Party + Party + Party + + + + + + + + + ASBIE + Invoice Line. Delivery + A delivery associated with this invoice line. + 0..n + Invoice Line + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Invoice Line. Payment Terms + A specification of payment terms associated with this invoice line. + 0..n + Invoice Line + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Invoice Line. Allowance Charge + An allowance or charge associated with this invoice line. + 0..n + Invoice Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Invoice Line. Tax Total + A total amount of taxes of a particular kind applicable to this invoice line. + 0..n + Invoice Line + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Invoice Line. Withholding_ Tax Total. Tax Total + A reference to a TaxTotal class describing the amount that has been withhold by the authorities, e.g. if the creditor is in dept because of non paid taxes. + 0..n + Invoice Line + Withholding + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Invoice Line. Item + The item associated with this invoice line. + 1 + Invoice Line + Item + Item + Item + + + + + + + + + ASBIE + Invoice Line. Price + The price of the item associated with this invoice line. + 0..1 + Invoice Line + Price + Price + Price + Unit Price, Base Price + + + + + + + + + ASBIE + Invoice Line. Delivery Terms + Terms and conditions of the delivery associated with this invoice line. + 0..1 + Invoice Line + Delivery Terms + Delivery Terms + Delivery Terms + + + + + + + + + ASBIE + Invoice Line. Sub_ Invoice Line. Invoice Line + An invoice line subsidiary to this invoice line. + 0..n + Invoice Line + Sub + Invoice Line + Invoice Line + Invoice Line + + + + + + + + + ASBIE + Invoice Line. Item_ Price Extension. Price Extension + The price extension, calculated by multiplying the price per unit by the quantity of items on this invoice line. + 0..1 + Invoice Line + Item + Price Extension + Price Extension + Price Extension + + + + + + + + + + + ABIE + Item. Details + A class to describe an item of trade. It includes a generic description applicable to all examples of the item together with optional subsidiary descriptions of any number of actual instances of the type. + Item + article, product, goods item + + + + + + + + + BBIE + Item. Description. Text + Text describing this item. + 0..n + Item + Description + Text + Text. Type + + + + + + + + + BBIE + Item. Pack Quantity. Quantity + The unit packaging quantity; the number of subunits making up this item. + 0..1 + Item + Pack Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Item. Pack Size. Numeric + The number of items in a pack of this item. + 0..1 + Item + Pack Size + Numeric + Numeric. Type + + + + + + + + + BBIE + Item. Catalogue_ Indicator. Indicator + An indicator that this item was ordered from a catalogue (true) or not (false). + 0..1 + Item + Catalogue + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Item. Name + A short name optionally given to this item, such as a name from a catalogue, as distinct from a description. + 0..1 + Item + Name + Name + Name. Type + + + + + + + + + BBIE + Item. Hazardous Risk_ Indicator. Indicator + An indication that the transported item, as delivered, is subject to an international regulation concerning the carriage of dangerous goods (true) or not (false). + 0..1 + Item + Hazardous Risk + Indicator + Indicator + Indicator. Type + Default is negative + + + + + + + + + BBIE + Item. Additional_ Information. Text + Further details regarding this item (e.g., the URL of a relevant web page). + 0..n + Item + Additional + Information + Text + Text. Type + + + + + + + + + BBIE + Item. Keyword. Text + A keyword (search string) for this item, assigned by the seller party. Can also be a synonym for the name of the item. + 0..n + Item + Keyword + Text + Text. Type + + + + + + + + + BBIE + Item. Brand Name. Name + A brand name of this item. + 0..n + Item + Brand Name + Name + Name. Type + Coca-Cola + + + + + + + + + BBIE + Item. Model Name. Name + A model name of this item. + 0..n + Item + Model Name + Name + Name. Type + VW Beetle + + + + + + + + + ASBIE + Item. Buyers_ Item Identification. Item Identification + Identifying information for this item, assigned by the buyer. + 0..1 + Item + Buyers + Item Identification + Item Identification + Item Identification + + + + + + + + + ASBIE + Item. Sellers_ Item Identification. Item Identification + Identifying information for this item, assigned by the seller. + 0..1 + Item + Sellers + Item Identification + Item Identification + Item Identification + + + + + + + + + ASBIE + Item. Manufacturers_ Item Identification. Item Identification + Identifying information for this item, assigned by the manufacturer. + 0..n + Item + Manufacturers + Item Identification + Item Identification + Item Identification + + + + + + + + + ASBIE + Item. Standard_ Item Identification. Item Identification + Identifying information for this item, assigned according to a standard system. + 0..1 + Item + Standard + Item Identification + Item Identification + Item Identification + + + + + + + + + ASBIE + Item. Catalogue_ Item Identification. Item Identification + Identifying information for this item, assigned according to a cataloguing system. + 0..1 + Item + Catalogue + Item Identification + Item Identification + Item Identification + + + + + + + + + ASBIE + Item. Additional_ Item Identification. Item Identification + An additional identifier for this item. + 0..n + Item + Additional + Item Identification + Item Identification + Item Identification + + + + + + + + + ASBIE + Item. Catalogue_ Document Reference. Document Reference + A reference to the catalogue in which this item appears. + 0..1 + Item + Catalogue + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Item. Item Specification_ Document Reference. Document Reference + A reference to a specification document for this item. + 0..n + Item + Item Specification + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Item. Origin_ Country. Country + The country of origin of this item. + 0..1 + Item + Origin + Country + Country + Country + + + + + + + + + ASBIE + Item. Commodity Classification + A classification of this item according to a specific system for classifying commodities. + 0..n + Item + Commodity Classification + Commodity Classification + Commodity Classification + + + + + + + + + ASBIE + Item. Transaction Conditions + A set of sales conditions applying to this item. + 0..n + Item + Transaction Conditions + Transaction Conditions + Transaction Conditions + + + + + + + + + ASBIE + Item. Hazardous Item + Information pertaining to this item as a hazardous item. + 0..n + Item + Hazardous Item + Hazardous Item + Hazardous Item + + + + + + + + + ASBIE + Item. Classified_ Tax Category. Tax Category + A tax category applicable to this item. + 0..n + Item + Classified + Tax Category + Tax Category + Tax Category + + + + + + + + + ASBIE + Item. Additional_ Item Property. Item Property + An additional property of this item. + 0..n + Item + Additional + Item Property + Item Property + Item Property + + + + + + + + + ASBIE + Item. Manufacturer_ Party. Party + The manufacturer of this item. + 0..n + Item + Manufacturer + Party + Party + Party + + + + + + + + + ASBIE + Item. Information Content Provider_ Party. Party + The party responsible for specification of this item. + 0..1 + Item + Information Content Provider + Party + Party + Party + + + + + + + + + ASBIE + Item. Origin_ Address. Address + A region (not country) of origin of this item. + 0..n + Item + Origin + Address + Address + Address + + + + + + + + + ASBIE + Item. Item Instance + A trackable, unique instantiation of this item. + 0..n + Item + Item Instance + Item Instance + Item Instance + + + + + + + + + ASBIE + Item. Certificate + A certificate associated with this item. + 0..n + Item + Certificate + Certificate + Certificate + + + + + + + + + ASBIE + Item. Dimension + One of the measurable dimensions (length, mass, weight, or volume) of this item. + 0..n + Item + Dimension + Dimension + Dimension + + + + + + + + + + + ABIE + Item Comparison. Details + A class to provide information about price and quantity of an item for use in price comparisons based on price, quantity, or measurements. + Item Comparison + + + + + + + + + BBIE + Item Comparison. Price Amount. Amount + The price for the Item Comparison + 0..1 + Item Comparison + Price Amount + Amount + Amount. Type + + + + + + + + + BBIE + Item Comparison. Quantity + The quantity for which this comparison is valid. + 0..1 + Item Comparison + Quantity + Quantity + Quantity. Type + per unit + + + + + + + + + + + ABIE + Item Identification. Details + A class for assigning identifying information to an item. + Item Identification + + + + + + + + + BBIE + Item Identification. Identifier + An identifier for the item. + 1 + Item Identification + Identifier + Identifier + Identifier. Type + CUST001 3333-44-123 + + + + + + + + + BBIE + Item Identification. Extended_ Identifier. Identifier + An extended identifier for the item that identifies the item with specific properties, e.g., Item 123 = Chair / Item 123 Ext 45 = brown chair. Two chairs can have the same item number, but one is brown. The other is white. + 0..1 + Item Identification + Extended + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Item Identification. Barcode_ Symbology Identifier. Identifier + An identifier for a system of barcodes. + 0..1 + Item Identification + Barcode + Symbology Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Item Identification. Physical Attribute + A physical attribute of the item. + 0..n + Item Identification + Physical Attribute + Physical Attribute + Physical Attribute + + + + + + + + + ASBIE + Item Identification. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of the item. + 0..n + Item Identification + Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Item Identification. Issuer_ Party. Party + The party that issued this item identification. + 0..1 + Item Identification + Issuer + Party + Party + Party + + + + + + + + + + + ABIE + Item Information Request Line. Details + A class to define a line in an Item Information Request asking a trading partner for item information. + Item Information Request Line + + + + + + + + + BBIE + Item Information Request Line. Time Frequency Code. Code + A code signifying the frequency with which item information should be sent to the requester. + 0..1 + Item Information Request Line + Time Frequency Code + Code + Code. Type + + + + + + + + + BBIE + Item Information Request Line. Supply Chain Activity Type Code. Code + A code used to identify the type of supply chain activity about which information request is issued. Examples: CANCELED_ORDERS EMERGENCY_ORDERS ON_HAND ORDERS + 0..1 + Item Information Request Line + Supply Chain Activity Type Code + Code + Code. Type + + + + + + + + + BBIE + Item Information Request Line. Forecast Type Code. Code + The information request can be either about supply chain activity or about forecasts or about performance metrics, so it should be optional + 0..1 + Item Information Request Line + Forecast Type Code + Code + Code. Type + + + + + + + + + BBIE + Item Information Request Line. Performance Metric Type Code. Code + A code signifying a measure of performance. + 0..1 + Item Information Request Line + Performance Metric Type Code + Code + Code. Type + + + + + + + + + ASBIE + Item Information Request Line. Period + A period for which this information is requested. + 1..n + Item Information Request Line + Period + Period + Period + + + + + + + + + ASBIE + Item Information Request Line. Sales Item + Sales information for the item to which this line applies. + 1..n + Item Information Request Line + Sales Item + Sales Item + Sales Item + + + + + + + + + + + ABIE + Item Instance. Details + A class to describe a specific, trackable instance of an item. + Item Instance + + + + + + + + + BBIE + Item Instance. Product Trace_ Identifier. Identifier + An identifier used for tracing this item instance, such as the EPC number used in RFID. + 0..1 + Item Instance + Product Trace + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Item Instance. Manufacture Date. Date + The date on which this item instance was manufactured. + 0..1 + Item Instance + Manufacture Date + Date + Date. Type + + + + + + + + + BBIE + Item Instance. Manufacture Time. Time + The time at which this item instance was manufactured. + 0..1 + Item Instance + Manufacture Time + Time + Time. Type + + + + + + + + + BBIE + Item Instance. Best Before Date. Date + The date before which it is best to use this item instance. + 0..1 + Item Instance + Best Before Date + Date + Date. Type + + + + + + + + + BBIE + Item Instance. Registration Identifier. Identifier + The registration identifier of this item instance. + 0..1 + Item Instance + Registration Identifier + Identifier + Identifier. Type + car registration or licensing number + + + + + + + + + BBIE + Item Instance. Serial Identifier. Identifier + The serial number of this item instance. + 0..1 + Item Instance + Serial Identifier + Identifier + Identifier. Type + chassis number of a car + + + + + + + + + ASBIE + Item Instance. Additional_ Item Property. Item Property + An additional property of this item instance. + 0..n + Item Instance + Additional + Item Property + Item Property + Item Property + + + + + + + + + ASBIE + Item Instance. Lot Identification + The lot identifier of this item instance (the identifier that allows recall of the item if necessary). + 0..1 + Item Instance + Lot Identification + Lot Identification + Lot Identification + + + + + + + + + + + ABIE + Item Location Quantity. Details + A class for information about pricing structure, lead time, and location associated with an item. + Item Location Quantity + + + + + + + + + BBIE + Item Location Quantity. Lead Time. Measure + The lead time, i.e., the time taken from the time at which an item is ordered to the time of its delivery. + 0..1 + Item Location Quantity + Lead Time + Measure + Measure. Type + 2 days , 24 hours + + + + + + + + + BBIE + Item Location Quantity. Minimum_ Quantity. Quantity + The minimum quantity that can be ordered to qualify for a specific price. + 0..1 + Item Location Quantity + Minimum + Quantity + Quantity + Quantity. Type + 10 boxes , 1 carton , 1000 sheets + + + + + + + + + BBIE + Item Location Quantity. Maximum_ Quantity. Quantity + The maximum quantity that can be ordered to qualify for a specific price. + 0..1 + Item Location Quantity + Maximum + Quantity + Quantity + Quantity. Type + 10 boxes , 1 carton , 1000 sheets + + + + + + + + + BBIE + Item Location Quantity. Hazardous Risk_ Indicator. Indicator + An indication that the transported item, as delivered, in the stated quantity to the stated location, is subject to an international regulation concerning the carriage of dangerous goods (true) or not (false). + 0..1 + Item Location Quantity + Hazardous Risk + Indicator + Indicator + Indicator. Type + Default is negative + + + + + + + + + BBIE + Item Location Quantity. Trading Restrictions. Text + Text describing trade restrictions on the quantity of this item or on the item itself. + 0..n + Item Location Quantity + Trading Restrictions + Text + Text. Type + not for export + + + + + + + + + ASBIE + Item Location Quantity. Applicable Territory_ Address. Address + The applicable sales territory. + 0..n + Item Location Quantity + Applicable Territory + Address + Address + Address + + + + + + + + + ASBIE + Item Location Quantity. Price + The price associated with the given location. + 0..1 + Item Location Quantity + Price + Price + Price + + + + + + + + + ASBIE + Item Location Quantity. Delivery Unit + A delivery unit in which the item is located. + 0..n + Item Location Quantity + Delivery Unit + Delivery Unit + Delivery Unit + + + + + + + + + ASBIE + Item Location Quantity. Applicable_ Tax Category. Tax Category + A tax category applicable to this item location quantity. + 0..n + Item Location Quantity + Applicable + Tax Category + Tax Category + Tax Category + + + + + + + + + ASBIE + Item Location Quantity. Package + The package to which this price applies. + 0..1 + Item Location Quantity + Package + Package + Package + + + + + + + + + ASBIE + Item Location Quantity. Allowance Charge + An allowance or charge associated with this item location quantity. + 0..n + Item Location Quantity + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Item Location Quantity. Dependent Price Reference + The price of the item as a percentage of the price of some other item. + 0..1 + Item Location Quantity + Dependent Price Reference + Dependent Price Reference + Dependent Price Reference + + + + + + + + + + + ABIE + Item Management Profile. Details + A class to define a management profile for an item. + Item Management Profile + + + + + + + + + BBIE + Item Management Profile. Frozen Period Days. Numeric + The number of days in the future that an order forecast quantity automatically becomes a confirmed order for a product. + 0..1 + Item Management Profile + Frozen Period Days + Numeric + Numeric. Type + + + + + + + + + BBIE + Item Management Profile. Minimum_ Inventory Quantity. Quantity + The quantity of the item that should trigger a replenishment order to avoid depleting the safety stock. + 0..1 + Item Management Profile + Minimum + Inventory Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Item Management Profile. Multiple_ Order Quantity. Quantity + The order quantity multiples in which the product may be ordered. + 0..1 + Item Management Profile + Multiple + Order Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Item Management Profile. Order Interval Days. Numeric + The number of days between regular replenishment orders for the product. + 0..1 + Item Management Profile + Order Interval Days + Numeric + Numeric. Type + + + + + + + + + BBIE + Item Management Profile. Replenishment Owner Description. Text + The trading partner maintaining this item management profile. + 0..n + Item Management Profile + Replenishment Owner Description + Text + Text. Type + + + + + + + + + BBIE + Item Management Profile. Target Service Percent. Percent + The Unit Service Level the trading partners expect to be maintained, expressed as a percentage. Unite Service Level (USL) is a term used in Inventory Management, which is sometimes known as "fill rate", counts the average number of units short expressed as the percentage of the order quantity. + 0..1 + Item Management Profile + Target Service Percent + Percent + Percent. Type + + + + + + + + + BBIE + Item Management Profile. Target_ Inventory Quantity. Quantity + The target inventory quantity. + 0..1 + Item Management Profile + Target + Inventory Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Item Management Profile. Effective_ Period. Period + The period during which this profile is effective. + 1 + Item Management Profile + Effective + Period + Period + Period + + + + + + + + + ASBIE + Item Management Profile. Item + The item associated with this item management profile. + 1 + Item Management Profile + Item + Item + Item + + + + + + + + + ASBIE + Item Management Profile. Item Location Quantity + A set of location-specific properties (e.g., price and quantity) associated with the item. + 0..1 + Item Management Profile + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + + + ABIE + Item Property. Details + A class to describe a specific property of an item. + Item Property + + + + + + + + + BBIE + Item Property. Identifier + An identifier for this property of an item. + 0..1 + Item Property + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Item Property. Name + The name of this item property. + 1 + Item Property + Name + Name + Name. Type + Energy Rating , Collar Size , Fat Content + + + + + + + + + BBIE + Item Property. Name Code. Code + The name of this item property, expressed as a code. + 0..1 + Item Property + Name Code + Code + Code. Type + + + + + + + + + BBIE + Item Property. Test Method. Text + The method of testing the value of this item property. + 0..1 + Item Property + Test Method + Text + Text. Type + 100 watts , 15 European , 20% +/- 5% + + + + + + + + + BBIE + Item Property. Value. Text + The value of this item property, expressed as text. + 0..1 + Item Property + Value + Text + Text. Type + 100 watts , 15 European , 20% +/- 5% + + + + + + + + + BBIE + Item Property. Value_ Quantity. Quantity + The value of this item property, expressed as a quantity. + 0..1 + Item Property + Value + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Item Property. Value Qualifier. Text + Text qualifying the value of the property. + 0..n + Item Property + Value Qualifier + Text + Text. Type + + + + + + + + + BBIE + Item Property. Importance Code. Code + A code signifying the importance of this property in using it to describe a related Item. + 0..1 + Item Property + Importance Code + Code + Code. Type + + + + + + + + + BBIE + Item Property. List Value. Text + The value expressed as a text in case the property is a value in a list. For example, a colour. + 0..n + Item Property + List Value + Text + Text. Type + + + + + + + + + ASBIE + Item Property. Usability_ Period. Period + The period during which this item property is valid. + 0..1 + Item Property + Usability + Period + Period + Period + + + + + + + + + ASBIE + Item Property. Item Property Group + A description of the property group to which this item property belongs. + 0..n + Item Property + Item Property Group + Item Property Group + Item Property Group + + + + + + + + + ASBIE + Item Property. Range_ Dimension. Dimension + The range of values for the dimensions of this property. + 0..1 + Item Property + Range + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Item Property. Item Property Range + A range of values for this item property. + 0..1 + Item Property + Item Property Range + Item Property Range + Item Property Range + + + + + + + + + + + ABIE + Item Property Group. Details + A class to describe a property group or classification. + Item Property Group + + + + + + + + + BBIE + Item Property Group. Identifier + An identifier for this group of item properties. + 1 + Item Property Group + Identifier + Identifier + Identifier. Type + 233-004 + + + + + + + + + BBIE + Item Property Group. Name + The name of this item property group. + 0..1 + Item Property Group + Name + Name + Name. Type + Electrical Specifications , Dietary Content + + + + + + + + + BBIE + Item Property Group. Importance Code. Code + A code signifying the importance of this property group in using it to describe a required Item. + 0..1 + Item Property Group + Importance Code + Code + Code. Type + + + + + + + + + + + ABIE + Item Property Range. Details + A class to describe a range of values for an item property. + Item Property Range + + + + + + + + + BBIE + Item Property Range. Minimum_ Value. Text + The minimum value in this range of values. + 0..1 + Item Property Range + Minimum + Value + Text + Text. Type + + + + + + + + + BBIE + Item Property Range. Maximum_ Value. Text + The maximum value in this range of values. + 0..1 + Item Property Range + Maximum + Value + Text + Text. Type + + + + + + + + + + + ABIE + Language. Details + A class to describe a language. + Language + + + + + + + + + BBIE + Language. Identifier + An identifier for this language. + 0..1 + Language + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Language. Name + The name of this language. + 0..1 + Language + Name + Name + Name. Type + + + + + + + + + BBIE + Language. Locale Code. Code + A code signifying the locale in which this language is used. + 0..1 + Language + Locale Code + Code + Language + Language_ Code. Type + + + + + + + + + + + ABIE + Legislation. Details + A class to describe a reference to a piece of legislation. + Legislation + + + + + + + + + BBIE + Legislation. Identifier + An identifier to refer to the legislation. + 0..1 + Legislation + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Legislation. Title. Text + The title of the legislation. + 0..n + Legislation + Title + Text + Text. Type + + + + + + + + + BBIE + Legislation. Description. Text + The textual description of the legislation. + 0..n + Legislation + Description + Text + Text. Type + + + + + + + + + BBIE + Legislation. Jurisdiction Level. Text + The jurisdiction level for the legislation. + 0..n + Legislation + Jurisdiction Level + Text + Text. Type + + + + + + + + + BBIE + Legislation. Article. Text + The article of the legislation. + 0..n + Legislation + Article + Text + Text. Type + + + + + + + + + BBIE + Legislation. URI. Identifier + A URI to the legislation. + 0..n + Legislation + URI + Identifier + Identifier. Type + + + + + + + + + ASBIE + Legislation. Language + The language of the legislation. + 0..n + Legislation + Language + Language + Language + + + + + + + + + ASBIE + Legislation. Jurisdiction Region_ Address. Address + The geopolitical region in which this legislation applies. + 0..n + Legislation + Jurisdiction Region + Address + Address + Address + + + + + + + + + + + ABIE + Line Item. Details + A class to describe a line item. + Line Item + + + + + + + + + BBIE + Line Item. Identifier + An identifier for this line item, assigned by the buyer. + 1 + Line Item + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Line Item. Sales_ Order Identifier. Identifier + An identifier for this line item, assigned by the seller. + 0..1 + Line Item + Sales + Order Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Line Item. UUID. Identifier + A universally unique identifier for this line item. + 0..1 + Line Item + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Line Item. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Line Item + Note + Text + Text. Type + + + + + + + + + BBIE + Line Item. Line Status Code. Code + A code signifying the status of this line item with respect to its original state. + 0..1 + Line Item + Line Status Code + Code + Line Status + Line Status_ Code. Type + + + + + + + + + BBIE + Line Item. Quantity + The quantity of items associated with this line item. + 0..1 + Line Item + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Line Item. Line Extension Amount. Amount + The total amount for this line item, including allowance charges but net of taxes. + 0..1 + Line Item + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Line Item. Total_ Tax Amount. Amount + The total tax amount for this line item. + 0..1 + Line Item + Total + Tax Amount + Amount + Amount. Type + + + + + + + + + BBIE + Line Item. Minimum_ Quantity. Quantity + The minimum quantity of the item associated with this line. + 0..1 + Line Item + Minimum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Line Item. Maximum_ Quantity. Quantity + The maximum quantity of the item associated with this line. + 0..1 + Line Item + Maximum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Line Item. Minimum_ Backorder. Quantity + The minimum back order quantity of the item associated with this line (where back order is allowed). + 0..1 + Line Item + Minimum + Backorder + Quantity + Quantity. Type + + + + + + + + + BBIE + Line Item. Maximum_ Backorder. Quantity + The maximum back order quantity of the item associated with this line (where back order is allowed). + 0..1 + Line Item + Maximum + Backorder + Quantity + Quantity. Type + + + + + + + + + BBIE + Line Item. Inspection Method Code. Code + A code signifying the inspection requirements for the item associated with this line item. + 0..1 + Line Item + Inspection Method Code + Code + Code. Type + + + + + + + + + BBIE + Line Item. Partial Delivery Indicator. Indicator + An indicator that a partial delivery is allowed (true) or not (false). + 0..1 + Line Item + Partial Delivery Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Line Item. Back Order Allowed Indicator. Indicator + An indicator that back order is allowed (true) or not (false). + 0..1 + Line Item + Back Order Allowed Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Line Item. Accounting Cost Code. Code + The buyer's accounting cost centre for this line item, expressed as a code. + 0..1 + Line Item + Accounting Cost Code + Code + Code. Type + + + + + + + + + BBIE + Line Item. Accounting Cost. Text + The buyer's accounting cost centre for this line item, expressed as text. + 0..1 + Line Item + Accounting Cost + Text + Text. Type + + + + + + + + + BBIE + Line Item. Warranty_ Information. Text + Text describing a warranty (provided by WarrantyParty) for the good or service described in this line item. + 0..n + Line Item + Warranty + Information + Text + Text. Type + Unless specified otherwise and in addition to any rights the Customer may have under statute, Dell warrants to the Customer that Dell branded Products (excluding third party products and software), will be free from defects in materials and workmanship affecting normal use for a period of one year from invoice date ( Standard Warranty ). + + + + + + + + + ASBIE + Line Item. Delivery + A delivery associated with this line item. + 0..n + Line Item + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Line Item. Delivery Terms + Terms and conditions of the delivery associated with this line item. + 0..1 + Line Item + Delivery Terms + Delivery Terms + Delivery Terms + + + + + + + + + ASBIE + Line Item. Originator_ Party. Party + The party who originated the Order associated with this line item. + 0..1 + Line Item + Originator + Party + Party + Party + + + + + + + + + ASBIE + Line Item. Ordered Shipment + An ordered shipment associated with this line item. + 0..n + Line Item + Ordered Shipment + Ordered Shipment + Ordered Shipment + + + + + + + + + ASBIE + Line Item. Pricing Reference + A reference to pricing and item location information associated with this line item. + 0..1 + Line Item + Pricing Reference + Pricing Reference + Pricing Reference + + + + + + + + + ASBIE + Line Item. Allowance Charge + An allowance or charge associated with this line item. + 0..n + Line Item + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Line Item. Price + The price of the item of trade associated with this line item. + 0..1 + Line Item + Price + Price + Price + + + + + + + + + ASBIE + Line Item. Item + The item of trade associated with this line item. + 1 + Line Item + Item + Item + Item + + + + + + + + + ASBIE + Line Item. Sub_ Line Item. Line Item + The subsidiary line items that constitute the main line item, such as in a bill of materials. + 0..n + Line Item + Sub + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Line Item. Warranty Validity_ Period. Period + The period during which the warranty associated with this line item is valid. + 0..1 + Line Item + Warranty Validity + Period + Period + Period + + + + + + + + + ASBIE + Line Item. Warranty_ Party. Party + The party responsible for any warranty associated with this line item. + 0..1 + Line Item + Warranty + Party + Party + Party + + + + + + + + + ASBIE + Line Item. Tax Total + A total amount of taxes of a particular kind applicable to this item. + 0..n + Line Item + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Line Item. Item_ Price Extension. Price Extension + The price extension, calculated by multiplying the price per unit by the quantity of items. + 0..1 + Line Item + Item + Price Extension + Price Extension + Price Extension + + + + + + + + + ASBIE + Line Item. Line Reference + A reference to a line in a document associated with this line item. + 0..n + Line Item + Line Reference + Line Reference + Line Reference + + + + + + + + + + + ABIE + Line Reference. Details + A class to define a reference to a line in a document. + Line Reference + + + + + + + + + BBIE + Line Reference. Line Identifier. Identifier + Identifies the referenced line in the document. + 1 + Line Reference + Line Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Line Reference. UUID. Identifier + A universally unique identifier for this line reference. + 0..1 + Line Reference + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Line Reference. Line Status Code. Code + A code signifying the status of the referenced line with respect to its original state. + 0..1 + Line Reference + Line Status Code + Code + Line Status + Line Status_ Code. Type + + + + + + + + + ASBIE + Line Reference. Document Reference + A reference to the document containing the referenced line. + 0..1 + Line Reference + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Line Response. Details + A class to describe responses to a line in a document. + Line Response + + + + + + + + + ASBIE + Line Response. Line Reference + A reference to the line being responded to. + 1 + Line Response + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Line Response. Response + A response to the referenced line. + 1..n + Line Response + Response + Response + Response + + + + + + + + + + + ABIE + Location. Details + A class to describe a location. + Location + + + + + + + + + BBIE + Location. Identifier + An identifier for this location, e.g., the EAN Location Number, GLN. + 0..1 + Location + Identifier + Identifier + Identifier. Type + 5790002221134 + + + + + + + + + BBIE + Location. Description. Text + Text describing this location. + 0..n + Location + Description + Text + Text. Type + + + + + + + + + BBIE + Location. Conditions. Text + Free-form text describing the physical conditions of the location. + 0..n + Location + Conditions + Text + Text. Type + + + + + + + + + BBIE + Location. Country Subentity. Text + A territorial division of a country, such as a county or state, expressed as text. + 0..1 + Location + Country Subentity + Text + Text. Type + AdministrativeArea, State, Country, Shire, Canton + Florida , Tamilnadu + + + + + + + + + BBIE + Location. Country Subentity Code. Code + A territorial division of a country, such as a county or state, expressed as a code. + 0..1 + Location + Country Subentity Code + Code + Code. Type + AdministrativeAreaCode, State Code + + + + + + + + + BBIE + Location. Location Type Code. Code + A code signifying the type of location. + 0..1 + Location + Location Type Code + Code + Code. Type + + + + + + + + + BBIE + Location. Information_ URI. Identifier + The Uniform Resource Identifier (URI) of a document providing information about this location. + 0..1 + Location + Information + URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Location. Name + The name of this location. + 0..1 + Location + Name + Name + Name. Type + winter 2005 collection + + + + + + + + + ASBIE + Location. Validity_ Period. Period + A period during which this location can be used (e.g., for delivery). + 0..n + Location + Validity + Period + Period + Period + + + + + + + + + ASBIE + Location. Address + The address of this location. + 0..1 + Location + Address + Address + Address + + + + + + + + + ASBIE + Location. Subsidiary_ Location. Location + A location subsidiary to this location. + 0..n + Location + Subsidiary + Location + Location + Location + + + + + + + + + ASBIE + Location. Location Coordinate + The geographical coordinates of this location. + 0..n + Location + Location Coordinate + Location Coordinate + Location Coordinate + + + + + + + + + + + ABIE + Location Coordinate. Details + A class for defining a set of geographical coordinates (apparently misnamed). + Location Coordinate + + + + + + + + + BBIE + Location Coordinate. Coordinate System Code. Code + A code signifying the location system used. + 0..1 + Location Coordinate + Coordinate System Code + Code + Code. Type + + + + + + + + + BBIE + Location Coordinate. Latitude_ Degrees. Measure + The degree component of a latitude measured in degrees and minutes. + 0..1 + Location Coordinate + Latitude + Degrees + Measure + Measure. Type + + + + + + + + + BBIE + Location Coordinate. Latitude_ Minutes. Measure + The minutes component of a latitude measured in degrees and minutes (modulo 60). + 0..1 + Location Coordinate + Latitude + Minutes + Measure + Measure. Type + + + + + + + + + BBIE + Location Coordinate. Latitude Direction Code. Code + A code signifying the direction of latitude measurement from the equator (north or south). + 0..1 + Location Coordinate + Latitude Direction Code + Code + Latitude Direction + Latitude Direction_ Code. Type + + + + + + + + + BBIE + Location Coordinate. Longitude_ Degrees. Measure + The degree component of a longitude measured in degrees and minutes. + 0..1 + Location Coordinate + Longitude + Degrees + Measure + Measure. Type + + + + + + + + + BBIE + Location Coordinate. Longitude_ Minutes. Measure + The minutes component of a longitude measured in degrees and minutes (modulo 60). + 0..1 + Location Coordinate + Longitude + Minutes + Measure + Measure. Type + + + + + + + + + BBIE + Location Coordinate. Longitude Direction Code. Code + A code signifying the direction of longitude measurement from the prime meridian (east or west). + 0..1 + Location Coordinate + Longitude Direction Code + Code + Longitude Direction + Longitude Direction_ Code. Type + + + + + + + + + BBIE + Location Coordinate. Altitude. Measure + The altitude of the location. + 0..1 + Location Coordinate + Altitude + Measure + Measure. Type + + + + + + + + + + + ABIE + Lot Distribution. Details + A class defining how to treat different lots in a single procurement. + Lot Distribution + + + + + + + + + BBIE + Lot Distribution. Maximum Lots Awarded. Numeric + The maximum number of lots that can be awarded to a single tenderer. + 0..1 + Lot Distribution + Maximum Lots Awarded + Numeric + Numeric. Type + + + + + + + + + BBIE + Lot Distribution. Maximum Lots Submitted. Numeric + The maximum number of lots to which a tenderer can submit an offer to. + 0..1 + Lot Distribution + Maximum Lots Submitted + Numeric + Numeric. Type + + + + + + + + + BBIE + Lot Distribution. Grouping Lots. Text + Description on how to combine lots when submitting a tender. + 0..n + Lot Distribution + Grouping Lots + Text + Text. Type + + + + + + + + + + + ABIE + Lot Identification. Details + A class for defining a lot identifier (the identifier of a set of item instances that would be used in case of a recall of that item). + Lot Identification + + + + + + + + + BBIE + Lot Identification. Lot Number. Identifier + An identifier for the lot. + 0..1 + Lot Identification + Lot Number + Identifier + Identifier. Type + + + + + + + + + BBIE + Lot Identification. Expiry Date. Date + The expiry date of the lot. + 0..1 + Lot Identification + Expiry Date + Date + Date. Type + + + + + + + + + ASBIE + Lot Identification. Additional_ Item Property. Item Property + An additional property of the lot. + 0..n + Lot Identification + Additional + Item Property + Item Property + Item Property + + + + + + + + + + + ABIE + Maritime Transport. Details + A class to describe a vessel used for transport by water (including sea, river, and canal). + Maritime Transport + + + + + + + + + BBIE + Maritime Transport. Vessel Identifier. Identifier + An identifier for a specific vessel. + 0..1 + Maritime Transport + Vessel Identifier + Identifier + Identifier. Type + Lloyds Number, Registration Number (WCO ID 167) + International Maritime Organisation number of a vessel + + + + + + + + + BBIE + Maritime Transport. Vessel Name. Name + The name of the vessel. + 0..1 + Maritime Transport + Vessel Name + Name + Name. Type + Ships Name + + + + + + + + + BBIE + Maritime Transport. Radio Call Sign Identifier. Identifier + The radio call sign of the vessel. + 0..1 + Maritime Transport + Radio Call Sign Identifier + Identifier + Identifier. Type + NES + + + + + + + + + BBIE + Maritime Transport. Ships Requirements. Text + Information about what services a vessel will require when it arrives at a port, such as refueling, maintenance, waste disposal etc. + 0..n + Maritime Transport + Ships Requirements + Text + Text. Type + + + + + + + + + BBIE + Maritime Transport. Gross Tonnage. Measure + Gross tonnage is calculated by measuring a ship's volume (from keel to funnel, to the outside of the hull framing) and applying a mathematical formula and is used to determine things such as a ship's manning regulations, safety rules, registration fees and port dues. + 0..1 + Maritime Transport + Gross Tonnage + Measure + Measure. Type + + + + + + + + + BBIE + Maritime Transport. Net Tonnage. Measure + Net tonnage is calculated by measuring a ship's internal volume and applying a mathematical formula and is used to calculate the port duties. + 0..1 + Maritime Transport + Net Tonnage + Measure + Measure. Type + + + + + + + + + ASBIE + Maritime Transport. Registry Certificate_ Document Reference. Document Reference + The certificate issued to the ship by the ships registry in a given flag state. + 0..1 + Maritime Transport + Registry Certificate + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Maritime Transport. Registry Port_ Location. Location + The port in which a vessel is registered or permanently based. + 0..1 + Maritime Transport + Registry Port + Location + Location + Location + + + + + + + + + + + ABIE + Message Delivery. Details + A class to describe how a message is delivered (routed). + Message Delivery + + + + + + + + + BBIE + Message Delivery. Protocol Identifier. Identifier + An identifier for the protocol to be used within this message delivery. + 0..1 + Message Delivery + Protocol Identifier + Identifier + Identifier. Type + AS2, ebMS2, AS4, WS-RM + + + + + + + + + BBIE + Message Delivery. Envelope Type Code. Code + A code signifying the type of envelope to be used within this message delivery (e.g. OASIS BDX Business Document Envelope). + 0..1 + Message Delivery + Envelope Type Code + Code + Code. Type + BDE + + + + + + + + + BBIE + Message Delivery. Endpoint URI. Identifier + The Uniform Resource Identifier (URI) of the access point (e.g. an HTTP URL including the port). + 0..1 + Message Delivery + Endpoint URI + Identifier + Identifier. Type + https://services.enterprise.com/participant-id/rx + + + + + + + + + + + ABIE + Meter. Details + A class to describe a meter and its readings. + Meter + + + + + + + + + BBIE + Meter. Meter Number. Text + The meter number, expressed as text. + 0..1 + Meter + Meter Number + Text + Text. Type + 61722x + + + + + + + + + BBIE + Meter. Meter Name. Name + The name of this meter, which serves as an identifier to distinguish a main meter from a submeter. + 0..1 + Meter + Meter Name + Name + Name. Type + + + + + + + + + BBIE + Meter. Meter Constant. Text + The factor by which readings of this meter must be multiplied to calculate consumption, expressed as text. + 0..1 + Meter + Meter Constant + Text + Text. Type + 1.000 + + + + + + + + + BBIE + Meter. Meter Constant Code. Code + A code signifying the formula to be used in applying the meter constant. + 0..1 + Meter + Meter Constant Code + Code + Code. Type + Factor + + + + + + + + + BBIE + Meter. Total_ Delivered Quantity. Quantity + The quantity delivered; the total quantity consumed as calculated from the meter readings. + 0..1 + Meter + Total + Delivered Quantity + Quantity + Quantity. Type + 5761.00 + + + + + + + + + ASBIE + Meter. Meter Reading + A reading of this meter. + 0..n + Meter + Meter Reading + Meter Reading + Meter Reading + + + + + + + + + ASBIE + Meter. Meter Property + A property of this meter. + 0..n + Meter + Meter Property + Meter Property + Meter Property + + + + + + + + + + + ABIE + Meter Property. Details + The name of this meter property. + Meter Property + + + + + + + + + BBIE + Meter Property. Name + The name of this meter property, expressed as a code. + 0..1 + Meter Property + Name + Name + Name. Type + Energy Rating , Collar Size , Fat Content + + + + + + + + + BBIE + Meter Property. Name Code. Code + The value of this meter property, expressed as text. + 0..1 + Meter Property + Name Code + Code + Code. Type + + + + + + + + + BBIE + Meter Property. Value. Text + The value of this meter property, expressed as a quantity. + 0..1 + Meter Property + Value + Text + Text. Type + 100 watts , 15 European , 20% +/- 5% + + + + + + + + + BBIE + Meter Property. Value_ Quantity. Quantity + The value of this meter property, expressed as a quantity. + 0..1 + Meter Property + Value + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Meter Property. Value Qualifier. Text + An additional value to qualify the value of the meter + 0..n + Meter Property + Value Qualifier + Text + Text. Type + + + + + + + + + + + ABIE + Meter Reading. Details + A class to describe a meter reading. + Meter Reading + + + + + + + + + BBIE + Meter Reading. Identifier + An identifier for this meter reading. + 0..1 + Meter Reading + Identifier + Identifier + Identifier. Type + 7411013716x + + + + + + + + + BBIE + Meter Reading. Meter Reading Type. Text + The type of this meter reading, expressed as text. + 0..1 + Meter Reading + Meter Reading Type + Text + Text. Type + Electricity + + + + + + + + + BBIE + Meter Reading. Meter Reading Type Code. Code + The type of this meter reading, expressed as a code. + 0..1 + Meter Reading + Meter Reading Type Code + Code + Code. Type + Electricity + + + + + + + + + BBIE + Meter Reading. Previous_ Meter Reading Date. Date + The date of the previous meter reading. + 1 + Meter Reading + Previous + Meter Reading Date + Date + Date. Type + 2006-09-01 + + + + + + + + + BBIE + Meter Reading. Previous_ Meter Quantity. Quantity + The quantity of the previous meter reading. + 1 + Meter Reading + Previous + Meter Quantity + Quantity + Quantity. Type + 122604.00 + + + + + + + + + BBIE + Meter Reading. Latest_ Meter Reading Date. Date + The date of the latest meter reading. + 1 + Meter Reading + Latest + Meter Reading Date + Date + Date. Type + 2006-09-01 + + + + + + + + + BBIE + Meter Reading. Latest_ Meter Quantity. Quantity + The quantity of the latest meter reading. + 1 + Meter Reading + Latest + Meter Quantity + Quantity + Quantity. Type + 128365.00 + + + + + + + + + BBIE + Meter Reading. Previous Meter Reading_ Method. Text + The method used for the previous meter reading, expressed as text. + 0..1 + Meter Reading + Previous Meter Reading + Method + Text + Text. Type + Manuel + + + + + + + + + BBIE + Meter Reading. Previous Meter Reading_ Method Code. Code + The method used for the previous meter reading, expressed as a code. + 0..1 + Meter Reading + Previous Meter Reading + Method Code + Code + Code. Type + Estimated + + + + + + + + + BBIE + Meter Reading. Latest Meter Reading_ Method. Text + The method used for the latest meter reading, expressed as text. + 0..1 + Meter Reading + Latest Meter Reading + Method + Text + Text. Type + Manuel + + + + + + + + + BBIE + Meter Reading. Latest Meter Reading_ Method Code. Code + The method used for the latest meter reading, expressed as a code. + 0..1 + Meter Reading + Latest Meter Reading + Method Code + Code + Code. Type + Estimated + + + + + + + + + BBIE + Meter Reading. Meter Reading_ Comments. Text + Text containing comments on this meter reading. + 0..n + Meter Reading + Meter Reading + Comments + Text + Text. Type + The last stated meterstand is estimated + + + + + + + + + BBIE + Meter Reading. Delivered_ Quantity. Quantity + Consumption in the period from PreviousMeterReadingDate to LatestMeterReadingDate. + 1 + Meter Reading + Delivered + Quantity + Quantity + Quantity. Type + + + + + + + + + + + ABIE + Miscellaneous Event. Details + A class to describe a miscellaneous event associated with a retail event. + Miscellaneous Event + + + + + + + + + BBIE + Miscellaneous Event. Miscellaneous Event Type Code. Code + A code signifying the type of this miscellaneous event. Examples are: ASSORTMENT_CHARGE DISASTER FORECAST_DECREASE FORECAST_INCREASE FREIGHT_FLOW_ALLOCATION INVENTORY_POLICY_CHANGE LOCATION_CLOSING LOCATION_OPENING OTHER OUT_OF_STOCK PACKAGING_LABELING_CHANGE PRICE_DECREASE PRICE_INCREASE STORE_FORMAT_OR_PLANOGRAM_CHANGE TEST_MARKET WEATHER + 1 + Miscellaneous Event + Miscellaneous Event Type Code + Code + Code. Type + + + + + + + + + ASBIE + Miscellaneous Event. Event Line Item + An event line item for this miscellaneous retail event. + 1..n + Miscellaneous Event + Event Line Item + Event Line Item + Event Line Item + + + + + + + + + + + ABIE + Monetary Total. Details + A class to define a monetary total. + Monetary Total + + + + + + + + + BBIE + Monetary Total. Line Extension Amount. Amount + The monetary amount of an extended transaction line, net of tax and settlement discounts, but inclusive of any applicable rounding amount. + 0..1 + Monetary Total + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Tax Exclusive Amount. Amount + The monetary amount of an extended transaction line, exclusive of taxes. + 0..1 + Monetary Total + Tax Exclusive Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Tax Inclusive Amount. Amount + The monetary amount including taxes; the sum of payable amount and prepaid amount. + 0..1 + Monetary Total + Tax Inclusive Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Allowance_ Total Amount. Amount + The total monetary amount of all allowances. + 0..1 + Monetary Total + Allowance + Total Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Charge_ Total Amount. Amount + The total monetary amount of all charges. + 0..1 + Monetary Total + Charge + Total Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Withholding Tax_ Total Amount. Amount + The total withholding tax amount. + 0..1 + Monetary Total + Withholding Tax + Total Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Prepaid Amount. Amount + The total prepaid monetary amount. + 0..1 + Monetary Total + Prepaid Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Payable_ Rounding Amount. Amount + The rounding amount (positive or negative) added to produce the line extension amount. + 0..1 + Monetary Total + Payable + Rounding Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Payable_ Amount. Amount + The amount of the monetary total to be paid. + 1 + Monetary Total + Payable + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Monetary Total. Payable_ Alternative Amount. Amount + The amount of the monetary total to be paid, expressed in an alternative currency. + 0..1 + Monetary Total + Payable + Alternative Amount + Amount + Amount. Type + + + + + + + + + + + ABIE + Notification Requirement. Details + A class to describe a notification requirement. + Notification Requirement + + + + + + + + + BBIE + Notification Requirement. Notification Type Code. Code + A code signifying the type of notification (e.g., pickup status). + 1 + Notification Requirement + Notification Type Code + Code + Code. Type + + + + + + + + + BBIE + Notification Requirement. Post Event Notification Duration. Measure + The length of time between the occurrence of a given event and the issuance of a notification. + 0..1 + Notification Requirement + Post Event Notification Duration + Measure + Measure. Type + + + + + + + + + BBIE + Notification Requirement. Pre Event Notification Duration. Measure + The length of time to elapse between the issuance of a notification and the occurrence of the event it relates to. + 0..1 + Notification Requirement + Pre Event Notification Duration + Measure + Measure. Type + + + + + + + + + ASBIE + Notification Requirement. Notify_ Party. Party + A party to be notified. + 0..n + Notification Requirement + Notify + Party + Party + Party + + + + + + + + + ASBIE + Notification Requirement. Notification_ Period. Period + A period during which a notification should be issued. + 0..n + Notification Requirement + Notification + Period + Period + Period + + + + + + + + + ASBIE + Notification Requirement. Notification_ Location. Location + A location at which a notification should be issued. + 0..n + Notification Requirement + Notification + Location + Location + Location + + + + + + + + + + + ABIE + On Account Payment. Details + A scheduled prepayment (on-account payment) for a estimated utility consumption + On Account Payment + + + + + + + + + BBIE + On Account Payment. Estimated_ Consumed Quantity. Quantity + The estimated consumed quantity covered by the payment. + 1 + On Account Payment + Estimated + Consumed Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + On Account Payment. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + On Account Payment + Note + Text + Text. Type + We make a reservation for price regulations. You will receive you next yearly statement about one year from today. + + + + + + + + + ASBIE + On Account Payment. Payment Terms + A specification of payment terms associated with this payment. + 1..n + On Account Payment + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + + + ABIE + Order Line. Details + A class to define a line in an order document (e.g., Order, Order Change, or Order Response) describing an item being ordered. + Order Line + + + + + + + + + BBIE + Order Line. Substitution Status Code. Code + A code signifying the substitution status of the item on this order line. The order line may indicate that the substitute is proposed by the buyer (in Order) or by the seller (in Order Response) or that a substitution has been made by the seller (in Order Response). + 0..1 + Order Line + Substitution Status Code + Code + Substitution Status + Substitution Status_ Code. Type + + + + + + + + + BBIE + Order Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Order Line + Note + Text + Text. Type + + + + + + + + + ASBIE + Order Line. Line Item + The line item itself. + 1 + Order Line + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Order Line. Seller Proposed Substitute_ Line Item. Line Item + In Order Response, a line item proposed by the seller describing a product that might substitute for the product described in this order line. + 0..n + Order Line + Seller Proposed Substitute + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Order Line. Seller Substituted_ Line Item. Line Item + In Order Response, a line item that has replaced the original order line item. The specified quantity and pricing may differ from those in the original line item, but when a line item is substituted by the seller, it is assumed that other information, such as shipment details, will remain the same. + 0..n + Order Line + Seller Substituted + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Order Line. Buyer Proposed Substitute_ Line Item. Line Item + A description of an item proposed by the buyer as a possible alternative to the item associated with this order line. + 0..n + Order Line + Buyer Proposed Substitute + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Order Line. Catalogue_ Line Reference. Line Reference + A reference to a catalogue line associated with this order line. + 0..1 + Order Line + Catalogue + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Order Line. Quotation_ Line Reference. Line Reference + A reference to a quotation line associated with this order line. + 0..1 + Order Line + Quotation + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Order Line. Order Line Reference + A reference to another order line, such as in a replacement order or another line on the same order that is related. + 0..n + Order Line + Order Line Reference + Order Line Reference + Order Line Reference + + + + + + + + + ASBIE + Order Line. Document Reference + A reference to a document associated with this order line. + 0..n + Order Line + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Order Line Reference. Details + A class to define a reference to an order line. + Order Line Reference + + + + + + + + + BBIE + Order Line Reference. Line Identifier. Identifier + An identifier for the referenced order line, assigned by the buyer. + 1 + Order Line Reference + Line Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Order Line Reference. Sales Order_ Line Identifier. Identifier + An identifier for the referenced order line, assigned by the seller. + 0..1 + Order Line Reference + Sales Order + Line Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Order Line Reference. UUID. Identifier + A universally unique identifier for this order line reference. + 0..1 + Order Line Reference + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Order Line Reference. Line Status Code. Code + A code signifying the status of the referenced order line with respect to its original state. + 0..1 + Order Line Reference + Line Status Code + Code + Line Status + Line Status_ Code. Type + + + + + + + + + ASBIE + Order Line Reference. Order Reference + A reference to the Order containing the referenced order line. + 0..1 + Order Line Reference + Order Reference + Order Reference + Order Reference + + + + + + + + + + + ABIE + Order Reference. Details + A class to define a reference to an Order. + Order Reference + + + + + + + + + BBIE + Order Reference. Identifier + An identifier for this order reference, assigned by the buyer. + 1 + Order Reference + Identifier + Identifier + Identifier. Type + PO-001 3333-44-123 + + + + + + + + + BBIE + Order Reference. Sales_ Order Identifier. Identifier + An identifier for this order reference, assigned by the seller. + 0..1 + Order Reference + Sales + Order Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Order Reference. Copy_ Indicator. Indicator + Indicates whether the referenced Order is a copy (true) or the original (false). + 0..1 + Order Reference + Copy + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Order Reference. UUID. Identifier + A universally unique identifier for this order reference. + 0..1 + Order Reference + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Order Reference. Issue Date. Date + The date on which the referenced Order was issued. + 0..1 + Order Reference + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Order Reference. Issue Time. Time + The time at which the referenced Order was issued. + 0..1 + Order Reference + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Order Reference. Customer_ Reference. Text + Text used for tagging purchasing card transactions. + 0..1 + Order Reference + Customer + Reference + Text + Text. Type + + + + + + + + + BBIE + Order Reference. Order Type Code. Code + A code signifying the type of the referenced Order. + 0..1 + Order Reference + Order Type Code + Code + Code. Type + + + + + + + + + ASBIE + Order Reference. Document Reference + A document associated with this reference to an Order. + 0..1 + Order Reference + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Ordered Shipment. Details + A class to describe an ordered shipment. + Ordered Shipment + + + + + + + + + ASBIE + Ordered Shipment. Shipment + The ordered shipment. + 1 + Ordered Shipment + Shipment + Shipment + Shipment + + + + + + + + + ASBIE + Ordered Shipment. Package + A package in this ordered shipment. + 0..n + Ordered Shipment + Package + Package + Package + + + + + + + + + + + ABIE + Package. Details + A class to describe a package. + Package + + + + + + + + + BBIE + Package. Identifier + An identifier for this package. + 0..1 + Package + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Package. Quantity + The quantity of items contained in this package. + 0..1 + Package + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Package. Returnable Material_ Indicator. Indicator + An indicator that the packaging material is returnable (true) or not (false). + 0..1 + Package + Returnable Material + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Package. Package Level Code. Code + A code signifying a level of packaging. + 0..1 + Package + Package Level Code + Code + Code. Type + + + + + + + + + BBIE + Package. Packaging Type Code. Code + A code signifying a type of packaging. + 0..1 + Package + Packaging Type Code + Code + Packaging Type + Packaging Type_ Code. Type + Package classification code + + + + + + + + + BBIE + Package. Packing Material. Text + Text describing the packaging material. + 0..n + Package + Packing Material + Text + Text. Type + + + + + + + + + BBIE + Package. Trace_ Identifier. Identifier + An identifier for use in tracing this package, such as the EPC number used in RFID. + 0..1 + Package + Trace + Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Package. Contained_ Package. Package + A package contained within this package. + 0..n + Package + Contained + Package + Package + Package + + + + + + + + + ASBIE + Package. Containing_ Transport Equipment. Transport Equipment + The piece of transport equipment containing this package. + 0..1 + Package + Containing + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + ASBIE + Package. Goods Item + A goods item included in this package. + 0..n + Package + Goods Item + Goods Item + Goods Item + + + + + + + + + ASBIE + Package. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of this package. + 0..n + Package + Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Package. Delivery Unit + A delivery unit within this package. + 0..n + Package + Delivery Unit + Delivery Unit + Delivery Unit + + + + + + + + + ASBIE + Package. Delivery + The delivery of this package. + 0..1 + Package + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Package. Pickup + The pickup of this package. + 0..1 + Package + Pickup + Pickup + Pickup + + + + + + + + + ASBIE + Package. Despatch + The despatch of this package. + 0..1 + Package + Despatch + Despatch + Despatch + + + + + + + + + + + ABIE + Participant Party. Details + A class to describe a participant party. + Participant Party + + + + + + + + + BBIE + Participant Party. Initiating Party_ Indicator. Indicator + An indicator that this party is playing the role of the initiator within a transaction (true) or not (false). + 0..1 + Participant Party + Initiating Party + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Participant Party. Private Party_ Indicator. Indicator + An indicator that this party is a private entity (true) or not (false). + 0..1 + Participant Party + Private Party + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Participant Party. Public Party_ Indicator. Indicator + An indicator that this party is a public (governmental) entity (true) or not (false). + 0..1 + Participant Party + Public Party + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Participant Party. Service Provider Party_ Indicator. Indicator + An indicator that this party is a service provider (true) or not (false). + 0..1 + Participant Party + Service Provider Party + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Participant Party. Party + The participant party itself. + 1 + Participant Party + Party + Party + Party + + + + + + + + + ASBIE + Participant Party. Legal_ Contact. Contact + A legal contact associated to this participant for sending legal notices. + 0..1 + Participant Party + Legal + Contact + Contact + Contact + + + + + + + + + ASBIE + Participant Party. Technical_ Contact. Contact + A technical contact associated to this participant. + 0..1 + Participant Party + Technical + Contact + Contact + Contact + + + + + + + + + ASBIE + Participant Party. Support_ Contact. Contact + A support contact associated to this participant. + 0..1 + Participant Party + Support + Contact + Contact + Contact + + + + + + + + + ASBIE + Participant Party. Commercial_ Contact. Contact + A commercial contact associated to this participant. + 0..1 + Participant Party + Commercial + Contact + Contact + Contact + + + + + + + + + + + ABIE + Party. Details + A class to describe an organization, sub-organization, or individual fulfilling a role in a business process. + Party + + + + + + + + + BBIE + Party. Mark Care_ Indicator. Indicator + An indicator that this party is "care of" (c/o) (true) or not (false). + 0..1 + Party + Mark Care + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Party. Mark Attention_ Indicator. Indicator + An indicator that this party is "for the attention of" (FAO) (true) or not (false). + 0..1 + Party + Mark Attention + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Party. Website_ URI. Identifier + The Uniform Resource Identifier (URI) that identifies this party's web site; i.e., the web site's Uniform Resource Locator (URL). + 0..1 + Party + Website + URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Party. Logo Reference. Identifier + An identifier for this party's logo. + 0..1 + Party + Logo Reference + Identifier + Identifier. Type + http://www2.coca-cola.com/images/logo.gif + + + + + + + + + BBIE + Party. Endpoint Identifier. Identifier + An identifier for the end point of the routing service (e.g., EAN Location Number, GLN). + 0..1 + Party + Endpoint Identifier + Identifier + Identifier. Type + 5790002221134 + + + + + + + + + BBIE + Party. Industry Classification Code. Code + This party's Industry Classification Code. + 0..1 + Party + Industry Classification Code + Code + Code. Type + Public authority , NAIC codes + + + + + + + + + ASBIE + Party. Party Identification + An identifier for this party. + 0..n + Party + Party Identification + Party Identification + Party Identification + + + + + + + + + ASBIE + Party. Party Name + A name for this party. + 0..n + Party + Party Name + Party Name + Party Name + + + + + + + + + ASBIE + Party. Language + The language associated with this party. + 0..1 + Party + Language + Language + Language + + + + + + + + + ASBIE + Party. Postal_ Address. Address + The party's postal address. + 0..1 + Party + Postal + Address + Address + Address + + + + + + + + + ASBIE + Party. Physical_ Location. Location + The physical location of this party. + 0..1 + Party + Physical + Location + Location + Location + + + + + + + + + ASBIE + Party. Party Tax Scheme + A tax scheme applying to this party. + 0..n + Party + Party Tax Scheme + Party Tax Scheme + Party Tax Scheme + + + + + + + + + ASBIE + Party. Party Legal Entity + A description of this party as a legal entity. + 0..n + Party + Party Legal Entity + Party Legal Entity + Party Legal Entity + + + + + + + + + ASBIE + Party. Contact + The primary contact for this party. + 0..1 + Party + Contact + Contact + Contact + + + + + + + + + ASBIE + Party. Person + A person associated with this party. + 0..n + Party + Person + Person + Person + + + + + + + + + ASBIE + Party. Agent_ Party. Party + A party who acts as an agent for this party. + 0..1 + Party + Agent + Party + Party + Party + Customs Broker + + + + + + + + + ASBIE + Party. Service Provider Party + A party providing a service to this party. + 0..n + Party + Service Provider Party + Service Provider Party + Service Provider Party + + + + + + + + + ASBIE + Party. Power Of Attorney + A power of attorney associated with this party. + 0..n + Party + Power Of Attorney + Power Of Attorney + Power Of Attorney + + + + + + + + + ASBIE + Party. Financial Account + The financial account associated with this party. + 0..1 + Party + Financial Account + Financial Account + Financial Account + + + + + + + + + ASBIE + Party. Additional_ Web Site. Web Site + An additional web site associated with this party (e.g. a satellite web site). + 0..n + Party + Additional + Web Site + Web Site + Web Site + + + + + + + + + ASBIE + Party. Social Media Profile + A social media profile associated with this party. + 0..n + Party + Social Media Profile + Social Media Profile + Social Media Profile + + + + + + + + + + + ABIE + Party Identification. Details + A class to define an identifier for a party. + Party Identification + + + + + + + + + BBIE + Party Identification. Identifier + An identifier for the party. + 1 + Party Identification + Identifier + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Party Legal Entity. Details + A class to describe a party as a legal entity. + Party Legal Entity + + + + + + + + + BBIE + Party Legal Entity. Registration_ Name. Name + The name of the party as registered with the relevant legal authority. + 0..1 + Party Legal Entity + Registration + Name + Name + Name. Type + Microsoft Corporation + + + + + + + + + BBIE + Party Legal Entity. Company Identifier. Identifier + An identifier for the party as registered within a company registration scheme. + 0..1 + Party Legal Entity + Company Identifier + Identifier + Identifier. Type + Business Registration Number, Company Number + 3556625 + + + + + + + + + BBIE + Party Legal Entity. Registration_ Date. Date + The registration date of the CompanyID. + 0..1 + Party Legal Entity + Registration + Date + Date + Date. Type + + + + + + + + + BBIE + Party Legal Entity. Registration Expiration_ Date. Date + The date upon which a registration expires (e.g., registration for an import/export license). + 0..1 + Party Legal Entity + Registration Expiration + Date + Date + Date. Type + + + + + + + + + BBIE + Party Legal Entity. Company Legal Form Code. Code + A code signifying the party's legal status. + 0..1 + Party Legal Entity + Company Legal Form Code + Code + Code. Type + Legal Status + + + + + + + + + BBIE + Party Legal Entity. Company Legal Form. Text + The company legal status, expressed as a text. + 0..1 + Party Legal Entity + Company Legal Form + Text + Text. Type + + + + + + + + + BBIE + Party Legal Entity. Sole Proprietorship Indicator. Indicator + An indicator that the company is owned and controlled by one person (true) or not (false). + 0..1 + Party Legal Entity + Sole Proprietorship Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Party Legal Entity. Company Liquidation Status Code. Code + A code signifying the party's liquidation status. + 0..1 + Party Legal Entity + Company Liquidation Status Code + Code + Code. Type + + + + + + + + + BBIE + Party Legal Entity. Corporate Stock_ Amount. Amount + The number of shares in the capital stock of a corporation. + 0..1 + Party Legal Entity + Corporate Stock + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Party Legal Entity. Fully Paid Shares Indicator. Indicator + An indicator that all shares of corporate stock have been paid by shareholders (true) or not (false). + 0..1 + Party Legal Entity + Fully Paid Shares Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Party Legal Entity. Registration_ Address. Address + The registered address of the party within a corporate registration scheme. + 0..1 + Party Legal Entity + Registration + Address + Address + Address + + + + + + + + + ASBIE + Party Legal Entity. Corporate Registration Scheme + The corporate registration scheme used to register the party. + 0..1 + Party Legal Entity + Corporate Registration Scheme + Corporate Registration Scheme + Corporate Registration Scheme + + + + + + + + + ASBIE + Party Legal Entity. Head Office_ Party. Party + The head office of the legal entity + 0..1 + Party Legal Entity + Head Office + Party + Party + Party + + + + + + + + + ASBIE + Party Legal Entity. Shareholder Party + A party owning shares in this legal entity. + 0..n + Party Legal Entity + Shareholder Party + Shareholder Party + Shareholder Party + + + + + + + + + + + ABIE + Party Name. Details + A class for defining the name of a party. + Party Name + + + + + + + + + BBIE + Party Name. Name + The name of the party. + 1 + Party Name + Name + Name + Name. Type + Microsoft + + + + + + + + + + + ABIE + Party Tax Scheme. Details + A class to describe a taxation scheme applying to a party. + Party Tax Scheme + + + + + + + + + BBIE + Party Tax Scheme. Registration_ Name. Name + The name of the party as registered with the relevant fiscal authority. + 0..1 + Party Tax Scheme + Registration + Name + Name + Name. Type + Microsoft Corporation + + + + + + + + + BBIE + Party Tax Scheme. Company Identifier. Identifier + An identifier for the party assigned for tax purposes by the taxation authority. + 0..1 + Party Tax Scheme + Company Identifier + Identifier + Identifier. Type + VAT Number + 3556625 + + + + + + + + + BBIE + Party Tax Scheme. Tax Level Code. Code + A code signifying the tax level applicable to the party within this taxation scheme. + 0..1 + Party Tax Scheme + Tax Level Code + Code + Code. Type + + + + + + + + + BBIE + Party Tax Scheme. Exemption Reason Code. Code + A reason for the party's exemption from tax, expressed as a code. + 0..1 + Party Tax Scheme + Exemption Reason Code + Code + Code. Type + + + + + + + + + BBIE + Party Tax Scheme. Exemption_ Reason. Text + A reason for the party's exemption from tax, expressed as text. + 0..n + Party Tax Scheme + Exemption + Reason + Text + Text. Type + + + + + + + + + ASBIE + Party Tax Scheme. Registration_ Address. Address + The address of the party as registered for tax purposes. + 0..1 + Party Tax Scheme + Registration + Address + Address + Address + + + + + + + + + ASBIE + Party Tax Scheme. Tax Scheme + The taxation scheme applicable to the party. + 1 + Party Tax Scheme + Tax Scheme + Tax Scheme + Tax Scheme + + + + + + + + + + + ABIE + Payment. Details + A class to describe a payment. + Payment + + + + + + + + + BBIE + Payment. Identifier + An identifier for this payment. + 0..1 + Payment + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment. Paid_ Amount. Amount + The amount of this payment. + 0..1 + Payment + Paid + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Payment. Received_ Date. Date + The date on which this payment was received. + 0..1 + Payment + Received + Date + Date + Date. Type + + + + + + + + + BBIE + Payment. Paid_ Date. Date + The date on which this payment was made. + 0..1 + Payment + Paid + Date + Date + Date. Type + + + + + + + + + BBIE + Payment. Paid_ Time. Time + The time at which this payment was made. + 0..1 + Payment + Paid + Time + Time + Time. Type + + + + + + + + + BBIE + Payment. Instruction Identifier. Identifier + An identifier for the payment instruction. + 0..1 + Payment + Instruction Identifier + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Payment Mandate. Details + A class to describe a payment mandate. + Payment Mandate + + + + + + + + + BBIE + Payment Mandate. Identifier + An identifier for this payment mandate. + 0..1 + Payment Mandate + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Mandate. Mandate Type Code. Code + A code signifying the type of this payment mandate. + 0..1 + Payment Mandate + Mandate Type Code + Code + Code. Type + + + + + + + + + BBIE + Payment Mandate. Maximum Payment Instructions. Numeric + The number of maximum payment instructions allowed within the validity period. + 0..1 + Payment Mandate + Maximum Payment Instructions + Numeric + Numeric. Type + + + + + + + + + BBIE + Payment Mandate. Maximum_ Paid Amount. Amount + The maximum amount to be paid within a single instruction. + 0..1 + Payment Mandate + Maximum + Paid Amount + Amount + Amount. Type + + + + + + + + + BBIE + Payment Mandate. Signature Identifier. Identifier + An identifier for a signature applied by a signatory party. + 0..1 + Payment Mandate + Signature Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Payment Mandate. Payer_ Party. Party + The payer party (if different from the debtor). + 0..1 + Payment Mandate + Payer + Party + Party + Party + + + + + + + + + ASBIE + Payment Mandate. Payer_ Financial Account. Financial Account + The payer's financial account. + 0..1 + Payment Mandate + Payer + Financial Account + Financial Account + Financial Account + + + + + + + + + ASBIE + Payment Mandate. Validity_ Period. Period + The period during which this mandate is valid. + 0..1 + Payment Mandate + Validity + Period + Period + Period + + + + + + + + + ASBIE + Payment Mandate. Payment Reversal_ Period. Period + The period of the reverse payment. + 0..1 + Payment Mandate + Payment Reversal + Period + Period + Period + + + + + + + + + ASBIE + Payment Mandate. Clause + A clause applicable to this payment mandate. + 0..n + Payment Mandate + Clause + Clause + Clause + + + + + + + + + + + ABIE + Payment Means. Details + A class to describe a means of payment. + Payment Means + + + + + + + + + BBIE + Payment Means. Identifier + An identifier for this means of payment. + 0..1 + Payment Means + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Means. Payment Means Code. Code + A code signifying the type of this means of payment. + 1 + Payment Means + Payment Means Code + Code + Payment Means + Payment Means_ Code. Type + + + + + + + + + BBIE + Payment Means. Payment Due Date. Date + The date on which payment is due for this means of payment. + 0..1 + Payment Means + Payment Due Date + Date + Date. Type + + + + + + + + + BBIE + Payment Means. Payment Channel Code. Code + A code signifying the payment channel for this means of payment. + 0..1 + Payment Means + Payment Channel Code + Code + Code. Type + + + + + + + + + BBIE + Payment Means. Instruction Identifier. Identifier + An identifier for the payment instruction. + 0..1 + Payment Means + Instruction Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Means. Instruction_ Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Payment Means + Instruction + Note + Text + Text. Type + + + + + + + + + BBIE + Payment Means. Payment Identifier. Identifier + An identifier for a payment made using this means of payment. + 0..n + Payment Means + Payment Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Payment Means. Card Account + A credit card, debit card, or charge card account that constitutes this means of payment. + 0..1 + Payment Means + Card Account + Card Account + Card Account + + + + + + + + + ASBIE + Payment Means. Payer_ Financial Account. Financial Account + The payer's financial account. + 0..1 + Payment Means + Payer + Financial Account + Financial Account + Financial Account + + + + + + + + + ASBIE + Payment Means. Payee_ Financial Account. Financial Account + The payee's financial account. + 0..1 + Payment Means + Payee + Financial Account + Financial Account + Financial Account + + + + + + + + + ASBIE + Payment Means. Credit Account + A credit account associated with this means of payment. + 0..1 + Payment Means + Credit Account + Credit Account + Credit Account + + + + + + + + + ASBIE + Payment Means. Payment Mandate + The payment mandate associated with this means of payment. + 0..1 + Payment Means + Payment Mandate + Payment Mandate + Payment Mandate + + + + + + + + + ASBIE + Payment Means. Trade Financing + A trade finance agreement applicable to this means of payment. + 0..1 + Payment Means + Trade Financing + Trade Financing + Trade Financing + + + + + + + + + + + ABIE + Payment Terms. Details + A class to describe a set of payment terms. + Payment Terms + + + + + + + + + BBIE + Payment Terms. Identifier + An identifier for this set of payment terms. + 0..1 + Payment Terms + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Terms. Payment Means Identifier. Identifier + An identifier for a means of payment associated with these payment terms. + 0..n + Payment Terms + Payment Means Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Terms. Prepaid Payment Reference Identifier. Identifier + An identifier for a reference to a prepaid payment. + 0..1 + Payment Terms + Prepaid Payment Reference Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Terms. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Payment Terms + Note + Text + Text. Type + + + + + + + + + BBIE + Payment Terms. Reference_ Event Code. Code + A code signifying the event during which these terms are offered. + 0..1 + Payment Terms + Reference + Event Code + Code + Code. Type + + + + + + + + + BBIE + Payment Terms. Settlement_ Discount Percent. Percent + The percentage for the settlement discount that is offered for payment under these payment terms. + 0..1 + Payment Terms + Settlement + Discount Percent + Percent + Percent. Type + + + + + + + + + BBIE + Payment Terms. Penalty_ Surcharge Percent. Percent + The penalty for payment after the settlement period, expressed as a percentage of the payment. + 0..1 + Payment Terms + Penalty + Surcharge Percent + Percent + Percent. Type + + + + + + + + + BBIE + Payment Terms. Payment Percent. Percent + The part of a payment, expressed as a percent, relevant for these payment terms. + 0..1 + Payment Terms + Payment Percent + Percent + Percent. Type + + + + + + + + + BBIE + Payment Terms. Amount + The monetary amount covered by these payment terms. + 0..1 + Payment Terms + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Payment Terms. Settlement_ Discount Amount. Amount + The amount of a settlement discount offered for payment under these payment terms. + 0..1 + Payment Terms + Settlement + Discount Amount + Amount + Amount. Type + + + + + + + + + BBIE + Payment Terms. Penalty_ Amount. Amount + The monetary amount of the penalty for payment after the settlement period. + 0..1 + Payment Terms + Penalty + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Payment Terms. Payment Terms Details URI. Identifier + The Uniform Resource Identifier (URI) of a document providing additional details regarding these payment terms. + 0..1 + Payment Terms + Payment Terms Details URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Payment Terms. Payment Due Date. Date + The due date for these payment terms. + 0..1 + Payment Terms + Payment Due Date + Date + Date. Type + + + + + + + + + BBIE + Payment Terms. Installment Due Date. Date + The due date for an installment payment for these payment terms. + 0..1 + Payment Terms + Installment Due Date + Date + Date. Type + + + + + + + + + BBIE + Payment Terms. Invoicing Party_ Reference. Text + A reference to the payment terms used by the invoicing party. This may have been requested of the payer by the payee to accompany its remittance. + 0..1 + Payment Terms + Invoicing Party + Reference + Text + Text. Type + + + + + + + + + ASBIE + Payment Terms. Settlement_ Period. Period + The period during which settlement may occur. + 0..1 + Payment Terms + Settlement + Period + Period + Period + + + + + + + + + ASBIE + Payment Terms. Penalty_ Period. Period + The period during which penalties may apply. + 0..1 + Payment Terms + Penalty + Period + Period + Period + + + + + + + + + ASBIE + Payment Terms. Exchange Rate + The currency exchange rate for purposes of these payment terms. + 0..1 + Payment Terms + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + ASBIE + Payment Terms. Validity_ Period. Period + The period during which these payment terms are valid. + 0..1 + Payment Terms + Validity + Period + Period + Period + + + + + + + + + + + ABIE + Performance Data Line. Details + A class to define a line in a Performance History. + Performance Data Line + + + + + + + + + BBIE + Performance Data Line. Identifier + An identifier for this performance data line. + 1 + Performance Data Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Performance Data Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Performance Data Line + Note + Text + Text. Type + + + + + + + + + BBIE + Performance Data Line. Performance Value. Quantity + The value of the reported attribute. + 1 + Performance Data Line + Performance Value + Quantity + Quantity. Type + + + + + + + + + BBIE + Performance Data Line. Performance Metric Type Code. Code + A code signifying the measure of performance applicable to the reported attribute. + 1 + Performance Data Line + Performance Metric Type Code + Code + Code. Type + + + + + + + + + ASBIE + Performance Data Line. Period + The period to which this performance data line applies. + 0..1 + Performance Data Line + Period + Period + Period + + + + + + + + + ASBIE + Performance Data Line. Item + The item whose performance is reported in this data line. + 0..1 + Performance Data Line + Item + Item + Item + + + + + + + + + + + ABIE + Period. Details + A class to describe a period of time. + Period + + + + + + + + + BBIE + Period. Start Date. Date + The date on which this period begins. + 0..1 + Period + Start Date + Date + Date. Type + + + + + + + + + BBIE + Period. Start Time. Time + The time at which this period begins. + 0..1 + Period + Start Time + Time + Time. Type + + + + + + + + + BBIE + Period. End Date. Date + The date on which this period ends. + 0..1 + Period + End Date + Date + Date. Type + + + + + + + + + BBIE + Period. End Time. Time + The time at which this period ends. + 0..1 + Period + End Time + Time + Time. Type + + + + + + + + + BBIE + Period. Duration. Measure + The duration of this period, expressed as an ISO 8601 code. + 0..1 + Period + Duration + Measure + Measure. Type + + + + + + + + + BBIE + Period. Description Code. Code + A description of this period, expressed as a code. + 0..n + Period + Description Code + Code + Code. Type + + + + + + + + + BBIE + Period. Description. Text + A description of this period, expressed as text. + 0..n + Period + Description + Text + Text. Type + + + + + + + + + + + ABIE + Person. Details + A class to describe a person. + Person + + + + + + + + + BBIE + Person. Identifier + An identifier for this person. + 0..1 + Person + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Person. First_ Name. Name + This person's given name. + 0..1 + Person + First + Name + Name + Name. Type + + + + + + + + + BBIE + Person. Family_ Name. Name + This person's family name. + 0..1 + Person + Family + Name + Name + Name. Type + + + + + + + + + BBIE + Person. Title. Text + This person's title of address (e.g., Mr, Ms, Dr, Sir). + 0..1 + Person + Title + Text + Text. Type + + + + + + + + + BBIE + Person. Middle_ Name. Name + This person's middle name(s) or initials. + 0..1 + Person + Middle + Name + Name + Name. Type + + + + + + + + + BBIE + Person. Other_ Name. Name + This person's second family name. + 0..1 + Person + Other + Name + Name + Name. Type + Delivery Dock + + + + + + + + + BBIE + Person. Name Suffix. Text + A suffix to this person's name (e.g., PhD, OBE, Jr). + 0..1 + Person + Name Suffix + Text + Text. Type + + + + + + + + + BBIE + Person. Job Title. Text + This person's job title (for a particular role) within an organization. + 0..1 + Person + Job Title + Text + Text. Type + + + + + + + + + BBIE + Person. Nationality. Identifier + An identifier for this person's nationality. + 0..1 + Person + Nationality + Identifier + Identifier. Type + + + + + + + + + BBIE + Person. Gender Code. Code + A code (e.g., ISO 5218) signifying the gender of this person. + 0..1 + Person + Gender Code + Code + Code. Type + + + + + + + + + BBIE + Person. Birth Date. Date + This person's date of birth. + 0..1 + Person + Birth Date + Date + Date. Type + + + + + + + + + BBIE + Person. Birthplace Name. Name + The name of the place where this person was born, expressed as text. + 0..1 + Person + Birthplace Name + Name + Name. Type + + + + + + + + + BBIE + Person. Organization_ Department. Text + The department or subdivision of an organization that this person belongs to (in a particular role). + 0..1 + Person + Organization + Department + Text + Text. Type + + + + + + + + + BBIE + Person. Role Code. Code + A code stating the person's role + 0..1 + Person + Role Code + Code + Code. Type + + + + + + + + + ASBIE + Person. Citizenship_ Country. Country + The country of the person's citizenship. + 0..1 + Person + Citizenship + Country + Country + Country + + + + + + + + + ASBIE + Person. Contact + Contact information for this person. + 0..1 + Person + Contact + Contact + Contact + + + + + + + + + ASBIE + Person. Financial Account + The financial account associated with this person. + 0..1 + Person + Financial Account + Financial Account + Financial Account + + + + + + + + + ASBIE + Person. Identity_ Document Reference. Document Reference + A reference to a document that can precisely identify this person (e.g., a driver's license). + 0..n + Person + Identity + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Person. Residence_ Address. Address + This person's address of residence. + 0..1 + Person + Residence + Address + Address + Address + + + + + + + + + + + ABIE + Physical Attribute. Details + A class to describe a physical attribute. + Physical Attribute + + + + + + + + + BBIE + Physical Attribute. Attribute Identifier. Identifier + An identifier for this physical attribute. + 1 + Physical Attribute + Attribute Identifier + Identifier + Identifier. Type + colour style + + + + + + + + + BBIE + Physical Attribute. Position Code. Code + A code signifying the position of this physical attribute. + 0..1 + Physical Attribute + Position Code + Code + Code. Type + + + + + + + + + BBIE + Physical Attribute. Description Code. Code + A description of the physical attribute, expressed as a code. + 0..1 + Physical Attribute + Description Code + Code + Code. Type + XXL , Small + + + + + + + + + BBIE + Physical Attribute. Description. Text + A description of the physical attribute, expressed as text. + 0..n + Physical Attribute + Description + Text + Text. Type + + + + + + + + + + + ABIE + Pickup. Details + A class to describe a pickup for delivery. + Pickup + Collection + + + + + + + + + BBIE + Pickup. Identifier + An identifier for this pickup. + 0..1 + Pickup + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Pickup. Actual_ Pickup Date. Date + The actual pickup date. + 0..1 + Pickup + Actual + Pickup Date + Date + Date. Type + + + + + + + + + BBIE + Pickup. Actual_ Pickup Time. Time + The actual pickup time. + 0..1 + Pickup + Actual + Pickup Time + Time + Time. Type + + + + + + + + + BBIE + Pickup. Earliest_ Pickup Date. Date + The earliest pickup date. + 0..1 + Pickup + Earliest + Pickup Date + Date + Date. Type + + + + + + + + + BBIE + Pickup. Earliest_ Pickup Time. Time + The earliest pickup time. + 0..1 + Pickup + Earliest + Pickup Time + Time + Time. Type + + + + + + + + + BBIE + Pickup. Latest_ Pickup Date. Date + The latest pickup date. + 0..1 + Pickup + Latest + Pickup Date + Date + Date. Type + + + + + + + + + BBIE + Pickup. Latest_ Pickup Time. Time + The latest pickup time. + 0..1 + Pickup + Latest + Pickup Time + Time + Time. Type + + + + + + + + + ASBIE + Pickup. Pickup_ Location. Location + The pickup location. + 0..1 + Pickup + Pickup + Location + Location + Location + + + + + + + + + ASBIE + Pickup. Pickup_ Party. Party + The party responsible for picking up a delivery. + 0..1 + Pickup + Pickup + Party + Party + Party + + + + + + + + + + + ABIE + Post Award Process. Details + A class to describe a post award process. These processes following the agreement on a contract for supply of goods or services ( for example, after the awarding of a tender). + Post Award Process + + + + + + + + + BBIE + Post Award Process. Electronic Catalogue Usage. Indicator + An indicator to specify whether an electronic catalogue will be used during the post award phase. + 0..1 + Post Award Process + Electronic Catalogue Usage + Indicator + Indicator. Type + + + + + + + + + BBIE + Post Award Process. Electronic Invoice Accepted. Indicator + An indicator on whether the electronic invoice is allowed for this process. + 0..1 + Post Award Process + Electronic Invoice Accepted + Indicator + Indicator. Type + + + + + + + + + BBIE + Post Award Process. Electronic Order Usage. Indicator + An indicator on whether electronic ordering shall be used in the post award process. + 0..1 + Post Award Process + Electronic Order Usage + Indicator + Indicator. Type + + + + + + + + + BBIE + Post Award Process. Electronic Payment Usage. Indicator + An indicator on whether electronic payment shall be used in the post award process. + 0..n + Post Award Process + Electronic Payment Usage + Indicator + Indicator. Type + + + + + + + + + + + ABIE + Power Of Attorney. Details + A class to describe a power of attorney. + Power Of Attorney + + + + + + + + + BBIE + Power Of Attorney. Identifier + An identifier for this power of attorney. + 0..1 + Power Of Attorney + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Power Of Attorney. Issue Date. Date + The date on which this power of attorney was issued. + 0..1 + Power Of Attorney + Issue Date + Date + Date. Type + + + + + + + + + BBIE + Power Of Attorney. Issue Time. Time + The time at which this power of attorney was issued. + 0..1 + Power Of Attorney + Issue Time + Time + Time. Type + + + + + + + + + BBIE + Power Of Attorney. Description. Text + Text describing this power of attorney. + 0..n + Power Of Attorney + Description + Text + Text. Type + + + + + + + + + ASBIE + Power Of Attorney. Notary_ Party. Party + The party notarizing this power of attorney. + 0..1 + Power Of Attorney + Notary + Party + Party + Party + + + + + + + + + ASBIE + Power Of Attorney. Agent_ Party. Party + The party who acts as an agent or fiduciary for the principal and who holds this power of attorney on behalf of the principal. + 1 + Power Of Attorney + Agent + Party + Party + Party + + + + + + + + + ASBIE + Power Of Attorney. Witness_ Party. Party + An association to a WitnessParty. + 0..n + Power Of Attorney + Witness + Party + Party + Party + + + + + + + + + ASBIE + Power Of Attorney. Mandate_ Document Reference. Document Reference + A reference to a mandate associated with this power of attorney. + 0..n + Power Of Attorney + Mandate + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Price. Details + A class to describe a price, expressed in a data structure containing multiple properties (compare with UnstructuredPrice). + Price + + + + + + + + + BBIE + Price. Price Amount. Amount + The amount of the price. + 1 + Price + Price Amount + Amount + Amount. Type + unit price + 23.45 + + + + + + + + + BBIE + Price. Base_ Quantity. Quantity + The quantity at which this price applies. + 0..1 + Price + Base + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Price. Price Change_ Reason. Text + A reason for a price change. + 0..n + Price + Price Change + Reason + Text + Text. Type + Clearance of old stock , New contract applies + + + + + + + + + BBIE + Price. Price Type Code. Code + The type of price, expressed as a code. + 0..1 + Price + Price Type Code + Code + Code. Type + + + + + + + + + BBIE + Price. Price Type. Text + The type of price, expressed as text. + 0..1 + Price + Price Type + Text + Text. Type + retail, wholesale, discount, contract + + + + + + + + + BBIE + Price. Orderable Unit Factor. Rate + The factor by which the base price unit can be converted to the orderable unit. + 0..1 + Price + Orderable Unit Factor + Rate + Rate. Type + Nails are priced by weight but ordered by quantity. So this would say how many nails per kilo + + + + + + + + + ASBIE + Price. Validity_ Period. Period + A period during which this price is valid. + 0..n + Price + Validity + Period + Period + Period + + + + + + + + + ASBIE + Price. Price List + Information about a price list applicable to this price. + 0..1 + Price + Price List + Price List + Price List + + + + + + + + + ASBIE + Price. Allowance Charge + An allowance or charge associated with this price. + 0..n + Price + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Price. Pricing_ Exchange Rate. Exchange Rate + The exchange rate applicable to this price, if it differs from the exchange rate applicable to the document as a whole. + 0..1 + Price + Pricing + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + + + ABIE + Price Extension. Details + A class to describe a price extension, calculated by multiplying the price per unit by the quantity of items. + Price Extension + + + + + + + + + BBIE + Price Extension. Amount + The amount of this price extension. + 1 + Price Extension + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Price Extension. Tax Total + A total amount of taxes of a particular kind applicable to this price extension. + 0..n + Price Extension + Tax Total + Tax Total + Tax Total + + + + + + + + + + + ABIE + Price List. Details + A class to describe a price list. + Price List + + + + + + + + + BBIE + Price List. Identifier + An identifier for this price list. + 0..1 + Price List + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Price List. Status Code. Code + A code signifying whether this price list is an original, copy, revision, or cancellation. + 0..1 + Price List + Status Code + Code + Code. Type + new - announcement only , new and available , deleted - announcement only + + + + + + + + + ASBIE + Price List. Validity_ Period. Period + A period during which this price list is valid. + 0..n + Price List + Validity + Period + Period + Period + + + + + + + + + ASBIE + Price List. Previous_ Price List. Price List + The previous price list. + 0..1 + Price List + Previous + Price List + Price List + Price List + + + + + + + + + + + ABIE + Pricing Reference. Details + A reference to the basis for pricing. This may be based on a catalogue or a quoted amount from a price list and include some alternative pricing conditions. + Pricing Reference + + + + + + + + + ASBIE + Pricing Reference. Original_ Item Location Quantity. Item Location Quantity + An original set of location-specific properties (e.g., price and quantity) associated with this item. + 0..1 + Pricing Reference + Original + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + ASBIE + Pricing Reference. Alternative Condition_ Price. Price + The price expressed in terms other than the actual price, e.g., the list price v. the contracted price, or the price in bags v. the price in kilos, or the list price in bags v. the contracted price in kilos. + 0..n + Pricing Reference + Alternative Condition + Price + Price + Price + + + + + + + + + + + ABIE + Process Justification. Details + A class to describe a justification for the choice of tendering process. + Process Justification + + + + + + + + + BBIE + Process Justification. Previous_ Cancellation Reason Code. Code + A code signifying the type of the previous tendering process (which is now being cancelled). + 0..1 + Process Justification + Previous + Cancellation Reason Code + Code + Code. Type + + + + + + + + + BBIE + Process Justification. Process_ Reason Code. Code + The reason why the contracting authority has followed a particular tendering procedure for the awarding of a contract, expressed as a code. + 0..1 + Process Justification + Process + Reason Code + Code + Code. Type + + + + + + + + + BBIE + Process Justification. Process_ Reason. Text + The reason why the contracting authority has followed a particular tendering procedure for the awarding of a contract, expressed as text. + 0..n + Process Justification + Process + Reason + Text + Text. Type + + + + + + + + + BBIE + Process Justification. Description. Text + Text providing justification for the selection of this process. + 0..n + Process Justification + Description + Text + Text. Type + + + + + + + + + + + ABIE + Procurement Project. Details + A class to describe a project to procure goods, works, or services. + Procurement Project + + + + + + + + + BBIE + Procurement Project. Identifier + An identifier for this procurement project. + 0..1 + Procurement Project + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Procurement Project. Name + A name of this procurement project. + 0..n + Procurement Project + Name + Name + Name. Type + + + + + + + + + BBIE + Procurement Project. Description. Text + Text describing this procurement project. + 0..n + Procurement Project + Description + Text + Text. Type + + + + + + + + + BBIE + Procurement Project. Procurement_ Type Code. Code + A code signifying the type of procurement project (e.g., goods, works, services). + 0..1 + Procurement Project + Procurement + Type Code + Code + Code. Type + + + + + + + + + BBIE + Procurement Project. Procurement Sub_ Type Code. Code + A code signifying the subcategory of the type of work for this project (e.g., land surveying, IT consulting). + 0..1 + Procurement Project + Procurement Sub + Type Code + Code + Code. Type + + + + + + + + + BBIE + Procurement Project. Quality Control Code. Code + The indication of whether or not the control quality is included in the works project. + 0..1 + Procurement Project + Quality Control Code + Code + Code. Type + + + + + + + + + BBIE + Procurement Project. Required_ Fee. Amount + The amount of the reimbursement fee for concession procurement projects. + 0..1 + Procurement Project + Required + Fee + Amount + Amount. Type + + + + + + + + + BBIE + Procurement Project. Fee_ Description. Text + Text describing the reimbursement fee for concession procurement projects. + 0..n + Procurement Project + Fee + Description + Text + Text. Type + + + + + + + + + BBIE + Procurement Project. Requested_ Delivery Date. Date + The requested delivery date for this procurement project. + 0..1 + Procurement Project + Requested + Delivery Date + Date + Date. Type + + + + + + + + + BBIE + Procurement Project. Estimated_ Overall Contract. Quantity + The estimated overall quantity for this procurement project. + 0..1 + Procurement Project + Estimated + Overall Contract + Quantity + Quantity. Type + + + + + + + + + BBIE + Procurement Project. Note. Text + Free-form text applying to the Procurement Project. This element may contain additional information about the lot/contract that is not contained explicitly in another structure. + 0..n + Procurement Project + Note + Text + Text. Type + + + + + + + + + ASBIE + Procurement Project. Requested Tender Total + Budget monetary amounts for the project as whole. + 0..1 + Procurement Project + Requested Tender Total + Requested Tender Total + Requested Tender Total + + + + + + + + + ASBIE + Procurement Project. Main_ Commodity Classification. Commodity Classification + An association to the main classification category for the deliverable requested. + 0..n + Procurement Project + Main + Commodity Classification + Commodity Classification + Commodity Classification + + + + + + + + + ASBIE + Procurement Project. Additional_ Commodity Classification. Commodity Classification + An association to additional classification categories for the deliverable requested. + 0..n + Procurement Project + Additional + Commodity Classification + Commodity Classification + Commodity Classification + + + + + + + + + ASBIE + Procurement Project. Realized_ Location. Location + A place where this procurement project will be physically realized. + 0..n + Procurement Project + Realized + Location + Location + Location + + + + + + + + + ASBIE + Procurement Project. Planned_ Period. Period + The period during which this procurement project is planned to take place. + 0..1 + Procurement Project + Planned + Period + Period + Period + + + + + + + + + ASBIE + Procurement Project. Contract Extension + The contract extension for this tendering process. + 0..1 + Procurement Project + Contract Extension + Contract Extension + Contract Extension + + + + + + + + + ASBIE + Procurement Project. Request For Tender Line + A good or service this project is intended to procure. + 0..n + Procurement Project + Request For Tender Line + Request For Tender Line + Request For Tender Line + + + + + + + + + + + ABIE + Procurement Project Lot. Details + A class to describe one of the parts of a procurement project that is being subdivided to allow the contracting party to award different lots to different economic operators under different contracts. + Procurement Project Lot + + + + + + + + + BBIE + Procurement Project Lot. Identifier + An identifier for this procurement project lot. + 1 + Procurement Project Lot + Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Procurement Project Lot. Tendering Terms + Tendering terms for this procurement project lot. + 0..1 + Procurement Project Lot + Tendering Terms + Tendering Terms + Tendering Terms + + + + + + + + + ASBIE + Procurement Project Lot. Procurement Project + A description of the procurement project to be divided. + 0..1 + Procurement Project Lot + Procurement Project + Procurement Project + Procurement Project + + + + + + + + + + + ABIE + Procurement Project Lot Reference. Details + A class to reference to a lot identifier. + Procurement Project Lot Reference + + + + + + + + + BBIE + Procurement Project Lot Reference. Identifier + An identifier for this procurement project lot. + 1 + Procurement Project Lot Reference + Identifier + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Project Reference. Details + A class to define a reference to a procurement project. + Project Reference + + + + + + + + + BBIE + Project Reference. Identifier + An identifier for the referenced project. + 1 + Project Reference + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Project Reference. UUID. Identifier + A universally unique identifier for the referenced project. + 0..1 + Project Reference + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Project Reference. Issue Date. Date + The date on which the referenced project was issued. + 0..1 + Project Reference + Issue Date + Date + Date. Type + + + + + + + + + ASBIE + Project Reference. Work Phase Reference + A specific phase of work in the referenced project. + 0..n + Project Reference + Work Phase Reference + Work Phase Reference + Work Phase Reference + + + + + + + + + + + ABIE + Promotional Event. Details + Agree can be renamed as PromotionalEvents + Promotional Event + + + + + + + + + BBIE + Promotional Event. Promotional Event Type Code. Code + A code signifying the type of this promotional event. Examples can be: Holiday, Seasonal Event, Store Closing, Trade Item Introduction + 1 + Promotional Event + Promotional Event Type Code + Code + Code. Type + + + + + + + + + BBIE + Promotional Event. Submission. Date + The date on which a proposal for this promotional event was submitted. + 0..1 + Promotional Event + Submission + Date + Date. Type + + + + + + + + + BBIE + Promotional Event. First Shipment Availibility Date. Date + The first day that products will be available to ship from buyer to seller if the proposal for this promotional event is accepted. + 0..1 + Promotional Event + First Shipment Availibility Date + Date + Date. Type + + + + + + + + + BBIE + Promotional Event. Latest_ Proposal Acceptance Date. Date + The deadline for acceptance of this promotional event. + 0..1 + Promotional Event + Latest + Proposal Acceptance Date + Date + Date. Type + + + + + + + + + ASBIE + Promotional Event. Promotional Specification + A specification for a promotional event. + 1..n + Promotional Event + Promotional Specification + Promotional Specification + Promotional Specification + + + + + + + + + + + ABIE + Promotional Event Line Item. Details + A class to describe a line item associated with a promotional event. + Promotional Event Line Item + + + + + + + + + BBIE + Promotional Event Line Item. Amount + The amount associated with this promotional event line item. + 1 + Promotional Event Line Item + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Promotional Event Line Item. Event Line Item + A line item describing the expected impacts associated with this promotional event for a specific product at a specific location. + 1 + Promotional Event Line Item + Event Line Item + Event Line Item + Event Line Item + + + + + + + + + + + ABIE + Promotional Specification. Details + A class to describe a promotional event as a set of item locations that share a set of promotional tactics. + Promotional Specification + + + + + + + + + BBIE + Promotional Specification. Specification Identifier. Identifier + An identifier for this promotional specification. + 0..1 + Promotional Specification + Specification Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Promotional Specification. Promotional Event Line Item + A line item for a promotional event involving a specific product at a specific location; it describes the expected impacts associated with the event and specifies the promotional price of the item." + 1..n + Promotional Specification + Promotional Event Line Item + Promotional Event Line Item + Promotional Event Line Item + + + + + + + + + ASBIE + Promotional Specification. Event Tactic + An event tactic associated with this promotion. + 0..n + Promotional Specification + Event Tactic + Event Tactic + Event Tactic + + + + + + + + + + + ABIE + Qualification Resolution. Details + A class to describe the acceptance or rejection of an economic operator in a tendering process. + Qualification Resolution + + + + + + + + + BBIE + Qualification Resolution. Admission Code. Code + An indicator that the economic operator has been accepted into the tendering process (true) or rejected from the tendering process (false). + 1 + Qualification Resolution + Admission Code + Code + Code. Type + + + + + + + + + BBIE + Qualification Resolution. Exclusion Reason. Text + Text describing a reason for an exclusion from the tendering process. + 0..n + Qualification Resolution + Exclusion Reason + Text + Text. Type + + + + + + + + + BBIE + Qualification Resolution. Resolution. Text + Text describing this qualification resolution. + 0..n + Qualification Resolution + Resolution + Text + Text. Type + + + + + + + + + BBIE + Qualification Resolution. Resolution Date. Date + The date on which this qualification resolution was formalized. + 1 + Qualification Resolution + Resolution Date + Date + Date. Type + + + + + + + + + BBIE + Qualification Resolution. Resolution Time. Time + The time at which this qualification resolution was formalized. + 0..1 + Qualification Resolution + Resolution Time + Time + Time. Type + + + + + + + + + ASBIE + Qualification Resolution. Procurement Project Lot + The Procurement project lot to which this tenderer is accepted or rejected. + 0..1 + Qualification Resolution + Procurement Project Lot + Procurement Project Lot + Procurement Project Lot + + + + + + + + + + + ABIE + Qualifying Party. Details + A class to describe the distinctive features or characteristics qualifying an economic operator to be a party in a tendering process (e.g., number of employees, number of operating units, type of business, technical and financial capabilities, completed projects). + Qualifying Party + + + + + + + + + BBIE + Qualifying Party. Participation. Percent + The extent to which this party is expected to participate in the tendering process, expressed as a percentage. + 0..1 + Qualifying Party + Participation + Percent + Percent. Type + + + + + + + + + BBIE + Qualifying Party. Personal Situation. Text + Text describing the personal situation of the qualifying party. + 0..n + Qualifying Party + Personal Situation + Text + Text. Type + + + + + + + + + BBIE + Qualifying Party. Operating Years. Quantity + The number of years that this qualifying party has been in operation. + 0..1 + Qualifying Party + Operating Years + Quantity + Quantity. Type + + + + + + + + + BBIE + Qualifying Party. Employee. Quantity + The number of people employed by this qualifying party. + 0..1 + Qualifying Party + Employee + Quantity + Quantity. Type + + + + + + + + + BBIE + Qualifying Party. Business Classification Evidence. Identifier + An identifier for an item of evidence to support the classification of this qualifying party. + 0..1 + Qualifying Party + Business Classification Evidence + Identifier + Identifier. Type + + + + + + + + + BBIE + Qualifying Party. Business Identity Evidence. Identifier + An identifier for an item of evidence to support the business identity of this qualifying party. + 0..1 + Qualifying Party + Business Identity Evidence + Identifier + Identifier. Type + + + + + + + + + BBIE + Qualifying Party. Tenderer Role Code. Code + A code stating the Tenderer Role. + 0..1 + Qualifying Party + Tenderer Role Code + Code + Code. Type + + + + + + + + + ASBIE + Qualifying Party. Business_ Classification Scheme. Classification Scheme + The classification scheme used for the business profile. + 0..1 + Qualifying Party + Business + Classification Scheme + Classification Scheme + Classification Scheme + + + + + + + + + ASBIE + Qualifying Party. Technical_ Capability. Capability + A technical capability of this qualifying party. + 0..n + Qualifying Party + Technical + Capability + Capability + Capability + + + + + + + + + ASBIE + Qualifying Party. Financial_ Capability. Capability + A financial capability of this qualifying party. + 0..n + Qualifying Party + Financial + Capability + Capability + Capability + + + + + + + + + ASBIE + Qualifying Party. Completed Task + A former task completed by this qualifying party. + 0..n + Qualifying Party + Completed Task + Completed Task + Completed Task + + + + + + + + + ASBIE + Qualifying Party. Declaration + A declaration by this qualifying party. of certain characteristics or capabilities in fulfilment of requirements specified in a call for tenders. + 0..n + Qualifying Party + Declaration + Declaration + Declaration + + + + + + + + + ASBIE + Qualifying Party. Party + The qualifying party itself. + 0..1 + Qualifying Party + Party + Party + Party + + + + + + + + + ASBIE + Qualifying Party. Economic Operator Role + A class to describe the tenderer contracting role. + 0..1 + Qualifying Party + Economic Operator Role + Economic Operator Role + Economic Operator Role + + + + + + + + + + + ABIE + Quotation Line. Details + A class to define a line in a Quotation. + Quotation Line + + + + + + + + + BBIE + Quotation Line. Identifier + An identifier for this quotation line. + 0..1 + Quotation Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Quotation Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Quotation Line + Note + Text + Text. Type + + + + + + + + + BBIE + Quotation Line. Quantity + The quantity of the item quoted. + 0..1 + Quotation Line + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Quotation Line. Line Extension Amount. Amount + The total amount for this quotation line, including allowance charges but net of taxes. + 0..1 + Quotation Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Quotation Line. Total_ Tax Amount. Amount + The total tax amount for this quotation line. + 0..1 + Quotation Line + Total + Tax Amount + Amount + Amount. Type + + + + + + + + + BBIE + Quotation Line. Request For Quotation Line Identifier. Identifier + An identifier for the line in the Request for Quotation to which this line is a response. + 0..1 + Quotation Line + Request For Quotation Line Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Quotation Line. Document Reference + A reference to a document associated with this quotation line. + 0..n + Quotation Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Quotation Line. Line Item + The item that is the subject of this quotation line. + 1 + Quotation Line + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Quotation Line. Seller Proposed Substitute_ Line Item. Line Item + An item proposed by the seller as a substitute for the item that is the subject of this quotation line. + 0..n + Quotation Line + Seller Proposed Substitute + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Quotation Line. Alternative_ Line Item. Line Item + An item proposed by the seller as an alternative to the item that is the subject of this quotation line. + 0..n + Quotation Line + Alternative + Line Item + Line Item + Line Item + + + + + + + + + ASBIE + Quotation Line. Request_ Line Reference. Line Reference + A reference to the line in the Request for Quotation to which this line is a response. + 0..1 + Quotation Line + Request + Line Reference + Line Reference + Line Reference + + + + + + + + + + + ABIE + Rail Transport. Details + A class defining details about a train wagon used as a means of transport. + Rail Transport + + + + + + + + + BBIE + Rail Transport. Train Identifier. Identifier + An identifier for the train used as the means of transport. + 1 + Rail Transport + Train Identifier + Identifier + Identifier. Type + Train Number (WCO ID 167) + + + + + + + + + BBIE + Rail Transport. Rail Car Identifier. Identifier + An identifier for the rail car on the train used as the means of transport. + 0..1 + Rail Transport + Rail Car Identifier + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Receipt Line. Details + A class to define a line in a Receipt Advice. + Receipt Line + + + + + + + + + BBIE + Receipt Line. Identifier + An identifier for this receipt line. + 1 + Receipt Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Receipt Line. UUID. Identifier + A universally unique identifier for this receipt line. + 0..1 + Receipt Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Receipt Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Receipt Line + Note + Text + Text. Type + + + + + + + + + BBIE + Receipt Line. Received_ Quantity. Quantity + The quantity received. + 0..1 + Receipt Line + Received + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Receipt Line. Short_ Quantity. Quantity + The quantity received short; the difference between the quantity reported despatched and the quantity actually received. + 0..1 + Receipt Line + Short + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Receipt Line. Shortage Action Code. Code + A code signifying the action that the delivery party wishes the despatch party to take as the result of a shortage. + 0..1 + Receipt Line + Shortage Action Code + Code + Code. Type + + + + + + + + + BBIE + Receipt Line. Rejected_ Quantity. Quantity + The quantity rejected. + 0..1 + Receipt Line + Rejected + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Receipt Line. Reject Reason Code. Code + The reason for a rejection, expressed as a code. + 0..1 + Receipt Line + Reject Reason Code + Code + Code. Type + + + + + + + + + BBIE + Receipt Line. Reject_ Reason. Text + The reason for a rejection, expressed as text. + 0..n + Receipt Line + Reject + Reason + Text + Text. Type + + + + + + + + + BBIE + Receipt Line. Reject Action Code. Code + A code signifying the action that the delivery party wishes the despatch party to take as the result of a rejection. + 0..1 + Receipt Line + Reject Action Code + Code + Code. Type + + + + + + + + + BBIE + Receipt Line. Quantity Discrepancy Code. Code + A code signifying the type of a discrepancy in quantity. + 0..1 + Receipt Line + Quantity Discrepancy Code + Code + Code. Type + + + + + + + + + BBIE + Receipt Line. Oversupply_ Quantity. Quantity + The quantity over-supplied, i.e., the quantity over and above the quantity ordered. + 0..1 + Receipt Line + Oversupply + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Receipt Line. Received_ Date. Date + The date on which the goods or services were received. + 0..1 + Receipt Line + Received + Date + Date + Date. Type + + + + + + + + + BBIE + Receipt Line. Timing Complaint Code. Code + A complaint about the timing of delivery, expressed as a code. + 0..1 + Receipt Line + Timing Complaint Code + Code + Code. Type + + + + + + + + + BBIE + Receipt Line. Timing Complaint. Text + A complaint about the timing of delivery, expressed as text. + 0..1 + Receipt Line + Timing Complaint + Text + Text. Type + + + + + + + + + ASBIE + Receipt Line. Order Line Reference + A reference to the order line associated with this receipt line. + 0..1 + Receipt Line + Order Line Reference + Order Line Reference + Order Line Reference + + + + + + + + + ASBIE + Receipt Line. Despatch_ Line Reference. Line Reference + A reference to a despatch line associated with this receipt line. + 0..n + Receipt Line + Despatch + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Receipt Line. Document Reference + A reference to a document associated with this receipt line. + 0..n + Receipt Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Receipt Line. Item + An item associated with this receipt line. + 0..n + Receipt Line + Item + Item + Item + + + + + + + + + ASBIE + Receipt Line. Shipment + A shipment associated with this receipt line. + 0..n + Receipt Line + Shipment + Shipment + Shipment + + + + + + + + + + + ABIE + Regulation. Details + A class to describe a regulation. + Regulation + Points to regulation at atomic level + + + + + + + + + BBIE + Regulation. Name + A name for this regulation. + 1 + Regulation + Name + Name + Name. Type + + + + + + + + + BBIE + Regulation. Legal Reference. Text + Text describing a legal reference. + 0..1 + Regulation + Legal Reference + Text + Text. Type + Art. 45 2 b + + + + + + + + + BBIE + Regulation. Ontology URI. Identifier + The Uniform Resource Identifier (URI) of an ontology related to this regulation. + 0..1 + Regulation + Ontology URI + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Related Item. Details + A class to describe the relationship to an item different from the item associated with the item line in which RelatedItem is used. + Related Item + + + + + + + + + BBIE + Related Item. Identifier + An identifier for the related item. + 0..1 + Related Item + Identifier + Identifier + Identifier. Type + First , Second + + + + + + + + + BBIE + Related Item. Quantity + The quantity that applies to the relationship. + 0..1 + Related Item + Quantity + Quantity + Quantity. Type + 6 , 10mg per Kilo + + + + + + + + + BBIE + Related Item. Description. Text + Text describing the relationship. + 0..n + Related Item + Description + Text + Text. Type + If used in wet conditions or extreme environments + + + + + + + + + + + ABIE + Reminder Line. Details + A class to define a line in a Reminder document. + Reminder Line + + + + + + + + + BBIE + Reminder Line. Identifier + An identifier for this reminder line. + 1 + Reminder Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Reminder Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Reminder Line + Note + Text + Text. Type + + + + + + + + + BBIE + Reminder Line. UUID. Identifier + A universally unique identifier for this reminder line. + 0..1 + Reminder Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Reminder Line. Balance Brought Forward_ Indicator. Indicator + An indication that this reminder line contains a balance brought forward (true) or does not (false). + 0..1 + Reminder Line + Balance Brought Forward + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Reminder Line. Debit_ Line Amount. Amount + The amount debited on this reminder line. + 0..1 + Reminder Line + Debit + Line Amount + Amount + Amount. Type + + + + + + + + + BBIE + Reminder Line. Credit_ Line Amount. Amount + The amount credited on this reminder line. + 0..1 + Reminder Line + Credit + Line Amount + Amount + Amount. Type + + + + + + + + + BBIE + Reminder Line. Accounting Cost Code. Code + The buyer's accounting cost centre for this reminder line, expressed as a code. + 0..1 + Reminder Line + Accounting Cost Code + Code + Code. Type + + + + + + + + + BBIE + Reminder Line. Accounting Cost. Text + The buyer's accounting cost centre for this reminder line, expressed as text. + 0..1 + Reminder Line + Accounting Cost + Text + Text. Type + + + + + + + + + BBIE + Reminder Line. Penalty_ Surcharge Percent. Percent + The penalty for late payment, expressed as a percentage. + 0..1 + Reminder Line + Penalty + Surcharge Percent + Percent + Percent. Type + + + + + + + + + BBIE + Reminder Line. Amount + The amount on this reminder line. + 0..1 + Reminder Line + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Reminder Line. Payment Purpose Code. Code + A code signifying the business purpose for this payment. + 0..1 + Reminder Line + Payment Purpose Code + Code + Code. Type + + + + + + + + + ASBIE + Reminder Line. Reminder_ Period. Period + A period to which this reminder line applies. + 0..n + Reminder Line + Reminder + Period + Period + Period + + + + + + + + + ASBIE + Reminder Line. Billing Reference + A reference to a billing document associated with this reminder line. + 0..n + Reminder Line + Billing Reference + Billing Reference + Billing Reference + + + + + + + + + ASBIE + Reminder Line. Exchange Rate + The rate of exchange between the currency of the Reminder and the currency of the document described in the BillingReference. + 0..1 + Reminder Line + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + + + ABIE + Remittance Advice Line. Details + A class to define a line in a Remittance Advice. + Remittance Advice Line + + + + + + + + + BBIE + Remittance Advice Line. Identifier + An identifier for this remittance advice line. + 1 + Remittance Advice Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Remittance Advice Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Remittance Advice Line + Note + Text + Text. Type + + + + + + + + + BBIE + Remittance Advice Line. UUID. Identifier + A universally unique identifier for this remittance advice line. + 0..1 + Remittance Advice Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Remittance Advice Line. Debit_ Line Amount. Amount + The amount debited on this remittance advice line. + 0..1 + Remittance Advice Line + Debit + Line Amount + Amount + Amount. Type + + + + + + + + + BBIE + Remittance Advice Line. Credit_ Line Amount. Amount + The amount credited on this remittance advice line. + 0..1 + Remittance Advice Line + Credit + Line Amount + Amount + Amount. Type + + + + + + + + + BBIE + Remittance Advice Line. Balance Amount. Amount + The monetary balance associated with this remittance advice line. + 0..1 + Remittance Advice Line + Balance Amount + Amount + Amount. Type + + + + + + + + + BBIE + Remittance Advice Line. Payment Purpose Code. Code + A code signifying the business purpose for this payment. + 0..1 + Remittance Advice Line + Payment Purpose Code + Code + Code. Type + + + + + + + + + BBIE + Remittance Advice Line. Invoicing Party_ Reference. Text + A reference to the order for payment used by the invoicing party. This may have been requested of the payer by the payee to accompany its remittance. + 0..1 + Remittance Advice Line + Invoicing Party + Reference + Text + Text. Type + + + + + + + + + ASBIE + Remittance Advice Line. Accounting_ Supplier Party. Supplier Party + The Accounting Supplier Party related to the remittance information reported on this Remittance Advice Line. + 0..1 + Remittance Advice Line + Accounting + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Remittance Advice Line. Accounting_ Customer Party. Customer Party + The Accounting Customer Party related to the remittance information reported on this Remittance Advice Line. + 0..1 + Remittance Advice Line + Accounting + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Remittance Advice Line. Buyer_ Customer Party. Customer Party + The buyer associated with this remittance advice line. + 0..1 + Remittance Advice Line + Buyer + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Remittance Advice Line. Seller_ Supplier Party. Supplier Party + The seller/supplier associated with this remittance advice line. + 0..1 + Remittance Advice Line + Seller + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Remittance Advice Line. Originator_ Customer Party. Customer Party + The originating party. + 0..1 + Remittance Advice Line + Originator + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Remittance Advice Line. Payee_ Party. Party + The payee. + 0..1 + Remittance Advice Line + Payee + Party + Party + Party + + + + + + + + + ASBIE + Remittance Advice Line. Invoice_ Period. Period + An invoice period to which this remittance advice line applies. + 0..n + Remittance Advice Line + Invoice + Period + Period + Period + + + + + + + + + ASBIE + Remittance Advice Line. Billing Reference + A reference to a billing document associated with this remittance advice line. + 0..n + Remittance Advice Line + Billing Reference + Billing Reference + Billing Reference + + + + + + + + + ASBIE + Remittance Advice Line. Document Reference + A reference to a document associated with this remittance advice line. + 0..n + Remittance Advice Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Remittance Advice Line. Exchange Rate + The rate of exchange between the currency of the Remittance Advice and the currency of the document described in the BillingReference. + 0..1 + Remittance Advice Line + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + + + ABIE + Renewal. Details + A class to describe the renewal of a commercial arrangement, such as a contract or licence fee. + Renewal + + + + + + + + + BBIE + Renewal. Amount + The monetary amount of this renewal. + 0..1 + Renewal + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Renewal. Period + The period for which the arrangement is now valid + 0..1 + Renewal + Period + Period + Period + + + + + + + + + + + ABIE + Request For Quotation Line. Details + A class to define a line in a Request for Quotation. + Request For Quotation Line + + + + + + + + + BBIE + Request For Quotation Line. Identifier + An identifier for this line in the request for quotation. + 0..1 + Request For Quotation Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Request For Quotation Line. UUID. Identifier + A universally unique identifier for this line in the request for quotation. + 0..1 + Request For Quotation Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Request For Quotation Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Request For Quotation Line + Note + Text + Text. Type + + + + + + + + + BBIE + Request For Quotation Line. Optional_ Line Item Indicator. Indicator + An indication whether this line is optional (true) or not (false) for purposes of this request for quotation. + 0..1 + Request For Quotation Line + Optional + Line Item Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Request For Quotation Line. Privacy Code. Code + A code signifying the level of confidentiality of this request for quotation line. + 0..1 + Request For Quotation Line + Privacy Code + Code + Code. Type + + + + + + + + + BBIE + Request For Quotation Line. Security Classification Code. Code + A code signifying the security classification of this request for quotation line. + 0..1 + Request For Quotation Line + Security Classification Code + Code + Code. Type + + + + + + + + + ASBIE + Request For Quotation Line. Document Reference + A document associated with this request for quotation line. + 0..n + Request For Quotation Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Request For Quotation Line. Line Item + A description of the item for which a quotation is requested. + 1 + Request For Quotation Line + Line Item + Line Item + Line Item + + + + + + + + + + + ABIE + Request For Tender Line. Details + A class to define a line in a Request for Tender describing an item of goods or a service solicited in the Request for Tender. + Request For Tender Line + + + + + + + + + BBIE + Request For Tender Line. Identifier + An identifier for this request for tender line. + 0..1 + Request For Tender Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Request For Tender Line. UUID. Identifier + A universally unique identifier for this request for tender line. + 0..1 + Request For Tender Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Request For Tender Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Request For Tender Line + Note + Text + Text. Type + + + + + + + + + BBIE + Request For Tender Line. Quantity + The quantity of the item for which a tender is requested in this line. + 0..1 + Request For Tender Line + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Request For Tender Line. Minimum_ Quantity. Quantity + The minimum quantity of the item associated with this request for tender line. + 0..1 + Request For Tender Line + Minimum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Request For Tender Line. Maximum_ Quantity. Quantity + The maximum quantity of the item associated with this request for tender line. + 0..1 + Request For Tender Line + Maximum + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Request For Tender Line. Tax Included_ Indicator. Indicator + Indicates whether the amounts are taxes included (true) or not (false). + 0..1 + Request For Tender Line + Tax Included + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Request For Tender Line. Minimum_ Amount. Amount + The minimum amount allowed for this deliverable. + 0..1 + Request For Tender Line + Minimum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Request For Tender Line. Maximum_ Amount. Amount + The maximum amount allowed for this deliverable. + 0..1 + Request For Tender Line + Maximum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Request For Tender Line. Estimated_ Amount. Amount + The estimated total amount of the deliverable. + 0..1 + Request For Tender Line + Estimated + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Request For Tender Line. Document Reference + A reference to a document associated with this request for tender line. + 0..n + Request For Tender Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Request For Tender Line. Delivery_ Period. Period + An applicable period for the deliverable or set of deliverables in this tendering process. + 0..n + Request For Tender Line + Delivery + Period + Period + Period + + + + + + + + + ASBIE + Request For Tender Line. Required_ Item Location Quantity. Item Location Quantity + Properties of the item specified in this request for tender line that are dependent on location and quantity. + 0..n + Request For Tender Line + Required + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + ASBIE + Request For Tender Line. Warranty Validity_ Period. Period + The period during which a warranty to be associated with this request for tender line must apply. + 0..1 + Request For Tender Line + Warranty Validity + Period + Period + Period + + + + + + + + + ASBIE + Request For Tender Line. Item + An item for which a tender is requested. + 1 + Request For Tender Line + Item + Item + Item + + + + + + + + + ASBIE + Request For Tender Line. Sub_ Request For Tender Line. Request For Tender Line + A subsidiary request for tender line. + 0..n + Request For Tender Line + Sub + Request For Tender Line + Request For Tender Line + Request For Tender Line + + + + + + + + + + + ABIE + Requested Tender Total. Details + A class defining budgeted monetary amounts. + Requested Tender Total + + + + + + + + + BBIE + Requested Tender Total. Estimated_ Overall Contract. Amount + The estimated overall monetary amount of a contract. + 0..1 + Requested Tender Total + Estimated + Overall Contract + Amount + Amount. Type + + + + + + + + + BBIE + Requested Tender Total. Total_ Amount. Amount + The monetary amount of the total budget including net amount, taxes, and material and instalment costs. + 0..1 + Requested Tender Total + Total + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Requested Tender Total. Tax Included_ Indicator. Indicator + Indicates whether the amounts are taxes included (true) or not (false). + 0..1 + Requested Tender Total + Tax Included + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Requested Tender Total. Minimum_ Amount. Amount + The minimum monetary amount of the budget. + 0..1 + Requested Tender Total + Minimum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Requested Tender Total. Maximum_ Amount. Amount + The maximum monetary amount of the budget. + 0..1 + Requested Tender Total + Maximum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Requested Tender Total. Monetary Scope. Text + A description of the monetary scope of the budget. + 0..n + Requested Tender Total + Monetary Scope + Text + Text. Type + + + + + + + + + BBIE + Requested Tender Total. Average_ Subsequent Contract. Amount + The average monetary amount for the subsequent contracts following this budget amount. + 0..1 + Requested Tender Total + Average + Subsequent Contract + Amount + Amount. Type + + + + + + + + + ASBIE + Requested Tender Total. Applicable_ Tax Category. Tax Category + Describes the categories of taxes that apply to the budget amount. + 0..n + Requested Tender Total + Applicable + Tax Category + Tax Category + Tax Category + + + + + + + + + + + ABIE + Response. Details + A class to describe an application-level response to a document. + Response + + + + + + + + + BBIE + Response. Reference. Identifier + An identifier for the section (or line) of the document to which this response applies. + 0..1 + Response + Reference + Identifier + Identifier. Type + + + + + + + + + BBIE + Response. Response Code. Code + A code signifying the type of response. + 0..1 + Response + Response Code + Code + Code. Type + + + + + + + + + BBIE + Response. Description. Text + Text describing this response. + 0..n + Response + Description + Text + Text. Type + + + + + + + + + BBIE + Response. Effective Date. Date + The date upon which this response is valid. + 0..1 + Response + Effective Date + Date + Date. Type + + + + + + + + + BBIE + Response. Effective Time. Time + The time at which this response is valid. + 0..1 + Response + Effective Time + Time + Time. Type + + + + + + + + + ASBIE + Response. Status + A status report associated with this response. + 0..n + Response + Status + Status + Status + + + + + + + + + + + ABIE + Response Value. Details + A class to describe the criterion requirement response value. + Response Value + + + + + + + + + BBIE + Response Value. Identifier + An identifier to refer to the criterion requirement response value. + 0..1 + Response Value + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Response Value. Description. Text + A description of the response value to the criterion requirement. + 0..n + Response Value + Description + Text + Text. Type + + + + + + + + + BBIE + Response Value. Response Text. Text + A text or name used as a reply to the criterion requirement. + 0..n + Response Value + Response Text + Text + Text. Type + + + + + + + + + BBIE + Response Value. Response Amount. Amount + An amount used as a reply to the criterion requirement. + 0..1 + Response Value + Response Amount + Amount + Amount. Type + + + + + + + + + BBIE + Response Value. Response Binary Object. Binary Object + A binary graphic, picture, sound or video object used as a reply to the criterion requirement. + 0..1 + Response Value + Response Binary Object + Binary Object + Binary Object. Type + + + + + + + + + BBIE + Response Value. Response Code. Code + A code used as a reply to the criterion requirement. + 0..1 + Response Value + Response Code + Code + Code. Type + + + + + + + + + BBIE + Response Value. Response Date. Date + A date used as a reply to the criterion requirement. + 0..1 + Response Value + Response Date + Date + Date. Type + + + + + + + + + BBIE + Response Value. Response Identifier. Identifier + An identifier used as a reply to the criterion requirement. + 0..1 + Response Value + Response Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Response Value. Response Indicator. Indicator + An indicator used as a reply to the criterion requirement. + 0..1 + Response Value + Response Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Response Value. Response Measure. Measure + A measure used as a reply to the criterion requirement. + 0..1 + Response Value + Response Measure + Measure + Measure. Type + + + + + + + + + BBIE + Response Value. Response Numeric. Numeric + A number, rate or percent used as a reply to the criterion requirement. + 0..1 + Response Value + Response Numeric + Numeric + Numeric. Type + + + + + + + + + BBIE + Response Value. Response Quantity. Quantity + A quantity used as a reply to the criterion requirement. + 0..1 + Response Value + Response Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Response Value. Response Time. Time + A time used as a reply to the criterion requirement. + 0..1 + Response Value + Response Time + Time + Time. Type + + + + + + + + + BBIE + Response Value. Response URI. Identifier + A URI value used as a reply to the criterion requirement. + 0..1 + Response Value + Response URI + Identifier + Identifier. Type + + + + + + + + + + + ABIE + Result Of Verification. Details + A class to describe the result of an attempt to verify a signature. + Result Of Verification + + + + + + + + + BBIE + Result Of Verification. Validator. Identifier + An identifier for the organization, person, service, or server that verified the signature. + 0..1 + Result Of Verification + Validator + Identifier + Identifier. Type + + + + + + + + + BBIE + Result Of Verification. Validation_ Result Code. Code + A code signifying the result of the verification. + 0..1 + Result Of Verification + Validation + Result Code + Code + Code. Type + + + + + + + + + BBIE + Result Of Verification. Validation Date. Date + The date upon which verification took place. + 0..1 + Result Of Verification + Validation Date + Date + Date. Type + + + + + + + + + BBIE + Result Of Verification. Validation Time. Time + The time at which verification took place. + 0..1 + Result Of Verification + Validation Time + Time + Time. Type + + + + + + + + + BBIE + Result Of Verification. Validate_ Process. Text + The verification process. + 0..1 + Result Of Verification + Validate + Process + Text + Text. Type + + + + + + + + + BBIE + Result Of Verification. Validate_ Tool. Text + The tool used to verify the signature. + 0..1 + Result Of Verification + Validate + Tool + Text + Text. Type + + + + + + + + + BBIE + Result Of Verification. Validate_ Tool Version. Text + The version of the tool used to verify the signature. + 0..1 + Result Of Verification + Validate + Tool Version + Text + Text. Type + + + + + + + + + ASBIE + Result Of Verification. Signatory_ Party. Party + The signing party. + 0..1 + Result Of Verification + Signatory + Party + Party + Party + + + + + + + + + + + ABIE + Retail Planned Impact. Details + A class to describe a planned effect of a retail event (e.g., a promotion or a change in inventory policy) upon supply or demand. + Retail Planned Impact + + + + + + + + + BBIE + Retail Planned Impact. Amount + Estimated monetary value of the planned event as an impact + 1 + Retail Planned Impact + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Retail Planned Impact. Forecast_ Purpose Code. Code + It will have impact on either Sales forecast or Order Forecast + 1 + Retail Planned Impact + Forecast + Purpose Code + Code + Code. Type + + + + + + + + + BBIE + Retail Planned Impact. Forecast Type Code. Code + A code signifying the type of forecast. Examples of values are: BASE PROMOTIONAL SEASONAL TOTAL + 1 + Retail Planned Impact + Forecast Type Code + Code + Code. Type + + + + + + + + + ASBIE + Retail Planned Impact. Period + The period to which this impact applies. + 0..1 + Retail Planned Impact + Period + Period + Period + + + + + + + + + + + ABIE + Road Transport. Details + A class for identifying a vehicle used for road transport. + Road Transport + + + + + + + + + BBIE + Road Transport. License Plate Identifier. Identifier + The license plate identifier of this vehicle. + 1 + Road Transport + License Plate Identifier + Identifier + Identifier. Type + Vehicle registration number (WCO ID 167) + + + + + + + + + + + ABIE + Sales Item. Details + A class to describe information related to an item in a sales context + Sales Item + + + + + + + + + BBIE + Sales Item. Quantity + The quantity the given information are related to + 1 + Sales Item + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Sales Item. Activity Property + A class to describe the activity (for example "sales", "movement", ...) related to the item. + 0..n + Sales Item + Activity Property + Activity Property + Activity Property + + + + + + + + + ASBIE + Sales Item. Tax Exclusive_ Price. Price + A price for this sales item, exclusive of tax. + 0..n + Sales Item + Tax Exclusive + Price + Price + Price + + + + + + + + + ASBIE + Sales Item. Tax Inclusive_ Price. Price + A price for this sales item, including tax. + 0..n + Sales Item + Tax Inclusive + Price + Price + Price + + + + + + + + + ASBIE + Sales Item. Item + The sales item itself. + 1 + Sales Item + Item + Item + Item + + + + + + + + + + + ABIE + Secondary Hazard. Details + A class to describe a secondary hazard associated with a hazardous item. + Secondary Hazard + + + + + + + + + BBIE + Secondary Hazard. Identifier + An identifier for this secondary hazard. + 0..1 + Secondary Hazard + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Secondary Hazard. Placard Notation. Text + Text of the placard notation corresponding to the hazard class of this secondary hazard. Can also be the hazard identification number of the orange placard (upper part) required on the means of transport. + 0..1 + Secondary Hazard + Placard Notation + Text + Text. Type + 5.1 + + + + + + + + + BBIE + Secondary Hazard. Placard Endorsement. Text + Text of the placard endorsement for this secondary hazard that is to be shown on the shipping papers for a hazardous item. Can also be used for the number of the orange placard (lower part) required on the means of transport. + 0..1 + Secondary Hazard + Placard Endorsement + Text + Text. Type + 2 + + + + + + + + + BBIE + Secondary Hazard. Emergency Procedures Code. Code + A code signifying the emergency procedures for this secondary hazard. + 0..1 + Secondary Hazard + Emergency Procedures Code + Code + Code. Type + EMG code, EMS Page Number + + + + + + + + + BBIE + Secondary Hazard. Extension. Text + Additional information about the hazardous substance, which can be used (for example) to specify the type of regulatory requirements that apply to this secondary hazard. + 0..n + Secondary Hazard + Extension + Text + Text. Type + N.O.S. or a Waste Characteristics Code in conjunction with an EPA Waste Stream code + + + + + + + + + + + ABIE + Service Frequency. Details + A class to specify which day of the week a transport service is operational. + Service Frequency + + + + + + + + + BBIE + Service Frequency. Week Day. Code + A day of the week, expressed as code. + 1 + Service Frequency + Week Day + Code + Week Day + Week Day_ Code. Type + + + + + + + + + + + ABIE + Service Level Agreement. Details + A class to describe a service level agreement which regulates the quality, availability and responsibilities of digital services. + Service Level Agreement + SLA + + + + + + + + + BBIE + Service Level Agreement. Identifier + An identifier for this service level agreement. + 0..1 + Service Level Agreement + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Service Level Agreement. Service Type Code. Code + A specific type of service subject to this service level agreement. + 0..1 + Service Level Agreement + Service Type Code + Code + Code. Type + AP, SMP + + + + + + + + + BBIE + Service Level Agreement. Service Type. Text + A specific type of service subject to this service level agreement, expressed as text. + 0..n + Service Level Agreement + Service Type + Text + Text. Type + + + + + + + + + BBIE + Service Level Agreement. Availability_ Time Percent. Percent + The availability percentage (e.g. 98.5% of the time). + 0..1 + Service Level Agreement + Availability + Time Percent + Percent + Percent. Type + Time Service Factor + 98.5 + + + + + + + + + BBIE + Service Level Agreement. Monday Availability_ Indicator. Indicator + Indicates whether this service is available on monday (true) or not (false). + 0..1 + Service Level Agreement + Monday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Tuesday Availability_ Indicator. Indicator + Indicates whether this service is available on tuesday (true) or not (false). + 0..1 + Service Level Agreement + Tuesday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Wednesday Availability_ Indicator. Indicator + Indicates whether this service is available on wednesday (true) or not (false). + 0..1 + Service Level Agreement + Wednesday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Thursday Availability_ Indicator. Indicator + Indicates whether this service is available on thursday (true) or not (false). + 0..1 + Service Level Agreement + Thursday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Friday Availability_ Indicator. Indicator + Indicates whether this service is available on friday (true) or not (false). + 0..1 + Service Level Agreement + Friday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Saturday Availability_ Indicator. Indicator + Indicates whether this service is available on saturday (true) or not (false). + 0..1 + Service Level Agreement + Saturday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Sunday Availability_ Indicator. Indicator + Indicates whether this service is available on sunday (true) or not (false). + 0..1 + Service Level Agreement + Sunday Availability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Service Level Agreement. Minimum_ Response Time Duration. Measure + The response time for aknowledgment (e.g. to send a receipt to a sending Access Point within 300 seconds). + 0..1 + Service Level Agreement + Minimum + Response Time Duration + Measure + Measure. Type + 300 + + + + + + + + + BBIE + Service Level Agreement. Minimum_ Down Time Schedule Duration. Measure + The minimum down time schedule for programmed maintenance (e.g. scheduled 3 days before). + 0..1 + Service Level Agreement + Minimum + Down Time Schedule Duration + Measure + Measure. Type + 3 + + + + + + + + + BBIE + Service Level Agreement. Maximum_ Incident Notification Duration. Measure + The maximum length of time between the occurrence of an incident and the issuance of a notification (e.g. within 4 hours). + 0..1 + Service Level Agreement + Maximum + Incident Notification Duration + Measure + Measure. Type + 4 + + + + + + + + + BBIE + Service Level Agreement. Maximum_ Data Loss Duration. Measure + The maximum data loss permitted (e.g. last 24 hours). + 0..1 + Service Level Agreement + Maximum + Data Loss Duration + Measure + Measure. Type + 24 + + + + + + + + + BBIE + Service Level Agreement. Mean_ Time To Recover Duration. Measure + The time taken to recover after an outage of service (e.g. 3 hours). + 0..1 + Service Level Agreement + Mean + Time To Recover Duration + Measure + Measure. Type + MTTR + 3 + + + + + + + + + ASBIE + Service Level Agreement. Service Availability_ Period. Period + The period for which the service is available. + 0..n + Service Level Agreement + Service Availability + Period + Period + Period + Uptime + + + + + + + + + ASBIE + Service Level Agreement. Service Maintenance_ Period. Period + The period of time designated in advance by the technical staff, during which preventive maintenance that could cause disruption of service may be performed. + 0..n + Service Level Agreement + Service Maintenance + Period + Period + Period + Downtime + + + + + + + + + + + ABIE + Service Provider Party. Details + A class to describe a party contracting to provide services, such as transportation, finance, etc. + Service Provider Party + + + + + + + + + BBIE + Service Provider Party. Identifier + An identifier for this service provider. + 0..1 + Service Provider Party + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Service Provider Party. Service Type Code. Code + The type of service provided, expressed as a code. + 0..1 + Service Provider Party + Service Type Code + Code + Code. Type + + + + + + + + + BBIE + Service Provider Party. Service Type. Text + The type of service provided, expressed as text. + 0..n + Service Provider Party + Service Type + Text + Text. Type + + + + + + + + + ASBIE + Service Provider Party. Party + The party providing the service. + 1 + Service Provider Party + Party + Party + Party + + + + + + + + + ASBIE + Service Provider Party. Seller_ Contact. Contact + The contact for the service provider. + 0..1 + Service Provider Party + Seller + Contact + Contact + Contact + + + + + + + + + + + ABIE + Shareholder Party. Details + A class to describe a shareholder party. + Shareholder Party + + + + + + + + + BBIE + Shareholder Party. Partecipation. Percent + The shareholder participation, expressed as a percentage. + 0..1 + Shareholder Party + Partecipation + Percent + Percent. Type + + + + + + + + + ASBIE + Shareholder Party. Party + The shareholder party. + 0..1 + Shareholder Party + Party + Party + Party + + + + + + + + + + + ABIE + Shipment. Details + A class defining an identifiable collection of one or more goods items to be transported between the seller party and the buyer party. This information may be defined within a commercial contract. A shipment can be transported in different consignments (e.g., split for logistical purposes). + Shipment + + + + + + + + + BBIE + Shipment. Identifier + An identifier for this shipment. + 1 + Shipment + Identifier + Identifier + Identifier. Type + Waybill Number + + + + + + + + + BBIE + Shipment. Shipping Priority Level Code. Code + A code signifying the priority or level of service required for this shipment. + 0..1 + Shipment + Shipping Priority Level Code + Code + Code. Type + Service Level, Service Priority + + + + + + + + + BBIE + Shipment. Handling Code. Code + The handling required for this shipment, expressed as a code. + 0..1 + Shipment + Handling Code + Code + Code. Type + Special Handling + + + + + + + + + BBIE + Shipment. Handling_ Instructions. Text + The handling required for this shipment, expressed as text. + 0..n + Shipment + Handling + Instructions + Text + Text. Type + + + + + + + + + BBIE + Shipment. Information. Text + Free-form text pertinent to this shipment, conveying information that is not contained explicitly in other structures. + 0..n + Shipment + Information + Text + Text. Type + + + + + + + + + BBIE + Shipment. Gross_ Weight. Measure + The total gross weight of a shipment; the weight of the goods plus packaging plus transport equipment. + 0..1 + Shipment + Gross + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Shipment. Net_ Weight. Measure + The net weight of this shipment, excluding packaging. + 0..1 + Shipment + Net + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Shipment. Net Net_ Weight. Measure + The total net weight of this shipment, excluding packaging and transport equipment. + 0..1 + Shipment + Net Net + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Shipment. Gross_ Volume. Measure + The total volume of the goods in this shipment, including packaging. + 0..1 + Shipment + Gross + Volume + Measure + Measure. Type + + + + + + + + + BBIE + Shipment. Net_ Volume. Measure + The total volume of the goods in this shipment, excluding packaging and transport equipment. + 0..1 + Shipment + Net + Volume + Measure + Measure. Type + + + + + + + + + BBIE + Shipment. Total_ Goods Item Quantity. Quantity + The total number of goods items in this shipment. + 0..1 + Shipment + Total + Goods Item Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Shipment. Total_ Transport Handling Unit Quantity. Quantity + The number of pieces of transport handling equipment (pallets, boxes, cases, etc.) in this shipment. + 0..1 + Shipment + Total + Transport Handling Unit Quantity + Quantity + Quantity. Type + Number of THUs + + + + + + + + + BBIE + Shipment. Insurance_ Value. Amount + The amount covered by insurance for this shipment. + 0..1 + Shipment + Insurance + Value + Amount + Amount. Type + Value Insured + + + + + + + + + BBIE + Shipment. Declared Customs_ Value. Amount + The total declared value for customs purposes of those goods in this shipment that are subject to the same customs procedure and have the same tariff/statistical heading, country information, and duty regime. + 0..1 + Shipment + Declared Customs + Value + Amount + Amount. Type + + + + + + + + + BBIE + Shipment. Declared For Carriage_ Value. Amount + The value of this shipment, declared by the shipper or his agent solely for the purpose of varying the carrier's level of liability from that provided in the contract of carriage, in case of loss or damage to goods or delayed delivery. + 0..1 + Shipment + Declared For Carriage + Value + Amount + Amount. Type + Declared value for carriage, Interest in delivery + + + + + + + + + BBIE + Shipment. Declared Statistics_ Value. Amount + The value, declared for statistical purposes, of those goods in this shipment that have the same statistical heading. + 0..1 + Shipment + Declared Statistics + Value + Amount + Amount. Type + Statistical Value + + + + + + + + + BBIE + Shipment. Free On Board_ Value. Amount + The monetary amount that has to be or has been paid as calculated under the applicable trade delivery. + 0..1 + Shipment + Free On Board + Value + Amount + Amount. Type + FOB Value + + + + + + + + + BBIE + Shipment. Special_ Instructions. Text + Special instructions relating to this shipment. + 0..n + Shipment + Special + Instructions + Text + Text. Type + + + + + + + + + BBIE + Shipment. Delivery_ Instructions. Text + Delivery instructions relating to this shipment. + 0..n + Shipment + Delivery + Instructions + Text + Text. Type + + + + + + + + + BBIE + Shipment. Split Consignment_ Indicator. Indicator + An indicator that the consignment has been split in transit (true) or not (false). + 0..1 + Shipment + Split Consignment + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Shipment. Consignment_ Quantity. Quantity + The total number of consignments within this shipment. + 0..1 + Shipment + Consignment + Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Shipment. Consignment + A consignment covering this shipment. + 0..n + Shipment + Consignment + Consignment + Consignment + + + + + + + + + ASBIE + Shipment. Goods Item + A goods item included in this shipment. + 0..n + Shipment + Goods Item + Goods Item + Goods Item + + + + + + + + + ASBIE + Shipment. Shipment Stage + A stage in the transport movement of this shipment. + 0..n + Shipment + Shipment Stage + Shipment Stage + Shipment Stage + + + + + + + + + ASBIE + Shipment. Delivery + The delivery of this shipment. + 0..1 + Shipment + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Shipment. Transport Handling Unit + A transport handling unit associated with this shipment. + 0..n + Shipment + Transport Handling Unit + Transport Handling Unit + Transport Handling Unit + + + + + + + + + ASBIE + Shipment. Return_ Address. Address + The address to which a shipment should be returned. + 0..1 + Shipment + Return + Address + Address + Address + + + + + + + + + ASBIE + Shipment. Origin_ Address. Address + The region in which the goods have been produced or manufactured, according to criteria laid down for the purposes of application of the customs tariff, or of quantitative restrictions, or of any other measure related to trade. + 0..1 + Shipment + Origin + Address + Address + Address + + + + + + + + + ASBIE + Shipment. First Arrival Port_ Location. Location + The first arrival location of a shipment. This would be a port for sea, an airport for air, a terminal for rail, or a border post for land crossing. + 0..1 + Shipment + First Arrival Port + Location + Location + Location + + + + + + + + + ASBIE + Shipment. Last Exit Port_ Location. Location + The final exporting location for a shipment. This would be a port for sea, an airport for air, a terminal for rail, or a border post for land crossing. + 0..1 + Shipment + Last Exit Port + Location + Location + Location + + + + + + + + + ASBIE + Shipment. Export_ Country. Country + The country from which the goods were originally exported, without any commercial transaction taking place in intermediate countries. + 0..1 + Shipment + Export + Country + Country + Country + Country of exportation (WCO ID 062) + + + + + + + + + ASBIE + Shipment. Freight_ Allowance Charge. Allowance Charge + A cost incurred by the shipper in moving goods, by whatever means, from one place to another under the terms of the contract of carriage. In addition to transport costs, this may include such elements as packing, documentation, loading, unloading, and insurance to the extent that they relate to the freight costs. + 0..n + Shipment + Freight + Allowance Charge + Allowance Charge + Allowance Charge + Freight Costs + + + + + + + + + + + ABIE + Shipment Stage. Details + A class to describe one stage of movement in a transport of goods. + Shipment Stage + + + + + + + + + BBIE + Shipment Stage. Identifier + An identifier for this shipment stage. + 0..1 + Shipment Stage + Identifier + Identifier + Identifier. Type + 1 , 2 , etc.. + + + + + + + + + BBIE + Shipment Stage. Transport Mode Code. Code + A code signifying the method of transport used for this shipment stage. + 0..1 + Shipment Stage + Transport Mode Code + Code + Transport Mode + Transport Mode_ Code. Type + + + + + + + + + BBIE + Shipment Stage. Transport Means Type Code. Code + A code signifying the kind of transport means (truck, vessel, etc.) used for this shipment stage. + 0..1 + Shipment Stage + Transport Means Type Code + Code + Code. Type + + + + + + + + + BBIE + Shipment Stage. Transit_ Direction Code. Code + A code signifying the direction of transit in this shipment stage. + 0..1 + Shipment Stage + Transit + Direction Code + Code + Code. Type + + + + + + + + + BBIE + Shipment Stage. Pre Carriage_ Indicator. Indicator + An indicator that this stage takes place before the main carriage of the shipment (true) or not (false). + 0..1 + Shipment Stage + Pre Carriage + Indicator + Indicator + Indicator. Type + Truck delivery to wharf + + + + + + + + + BBIE + Shipment Stage. On Carriage_ Indicator. Indicator + An indicator that this stage takes place after the main carriage of the shipment (true) or not (false). + 0..1 + Shipment Stage + On Carriage + Indicator + Indicator + Indicator. Type + Truck delivery from wharf + + + + + + + + + BBIE + Shipment Stage. Estimated_ Delivery Date. Date + The estimated date of delivery in this shipment stage. + 0..1 + Shipment Stage + Estimated + Delivery Date + Date + Date. Type + + + + + + + + + BBIE + Shipment Stage. Estimated_ Delivery Time. Time + The estimated time of delivery in this shipment stage. + 0..1 + Shipment Stage + Estimated + Delivery Time + Time + Time. Type + + + + + + + + + BBIE + Shipment Stage. Required_ Delivery Date. Date + The delivery date required by the buyer in this shipment stage. + 0..1 + Shipment Stage + Required + Delivery Date + Date + Date. Type + + + + + + + + + BBIE + Shipment Stage. Required_ Delivery Time. Time + The delivery time required by the buyer in this shipment stage. + 0..1 + Shipment Stage + Required + Delivery Time + Time + Time. Type + + + + + + + + + BBIE + Shipment Stage. Loading_ Sequence Identifier. Identifier + An identifier for the loading sequence (of consignments) associated with this shipment stage. + 0..1 + Shipment Stage + Loading + Sequence Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Shipment Stage. Successive_ Sequence Identifier. Identifier + Identifies the successive loading sequence (of consignments) associated with a shipment stage. + 0..1 + Shipment Stage + Successive + Sequence Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Shipment Stage. Instructions. Text + Text of instructions applicable to a shipment stage. + 0..n + Shipment Stage + Instructions + Text + Text. Type + + + + + + + + + BBIE + Shipment Stage. Demurrage_ Instructions. Text + Text of instructions relating to demurrage (the case in which a vessel is prevented from loading or discharging cargo within the stipulated laytime). + 0..n + Shipment Stage + Demurrage + Instructions + Text + Text. Type + + + + + + + + + BBIE + Shipment Stage. Crew Quantity. Quantity + The total number of crew aboard a transport means. + 0..1 + Shipment Stage + Crew Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Shipment Stage. Passenger Quantity. Quantity + The total number of passengers aboard a transport means. + 0..1 + Shipment Stage + Passenger Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Shipment Stage. Transit_ Period. Period + The period during which this shipment stage actually took place. + 0..1 + Shipment Stage + Transit + Period + Period + Period + + + + + + + + + ASBIE + Shipment Stage. Carrier_ Party. Party + A carrier party responsible for this shipment stage. + 0..n + Shipment Stage + Carrier + Party + Party + Party + + + + + + + + + ASBIE + Shipment Stage. Transport Means + The means of transport used in this shipment stage. + 0..1 + Shipment Stage + Transport Means + Transport Means + Transport Means + + + + + + + + + ASBIE + Shipment Stage. Loading Port_ Location. Location + The location of loading for a shipment stage. + 0..1 + Shipment Stage + Loading Port + Location + Location + Location + + + + + + + + + ASBIE + Shipment Stage. Unloading Port_ Location. Location + The location of unloading for a shipment stage. + 0..1 + Shipment Stage + Unloading Port + Location + Location + Location + + + + + + + + + ASBIE + Shipment Stage. Transship Port_ Location. Location + The location of transshipment relating to a shipment stage. + 0..1 + Shipment Stage + Transship Port + Location + Location + Location + + + + + + + + + ASBIE + Shipment Stage. Loading_ Transport Event. Transport Event + The loading of goods in this shipment stage. + 0..1 + Shipment Stage + Loading + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Examination_ Transport Event. Transport Event + The examination of shipments in this shipment stage. + 0..1 + Shipment Stage + Examination + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Availability_ Transport Event. Transport Event + The making available of shipments in this shipment stage. + 0..1 + Shipment Stage + Availability + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Exportation_ Transport Event. Transport Event + The export event associated with this shipment stage. + 0..1 + Shipment Stage + Exportation + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Discharge_ Transport Event. Transport Event + The discharge event associated with this shipment stage. + 0..1 + Shipment Stage + Discharge + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Warehousing_ Transport Event. Transport Event + The warehousing event associated with this shipment stage. + 0..1 + Shipment Stage + Warehousing + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Takeover_ Transport Event. Transport Event + The receiver's takeover of the goods in this shipment stage. + 0..1 + Shipment Stage + Takeover + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Optional Takeover_ Transport Event. Transport Event + The optional takeover of the goods in this shipment stage. + 0..1 + Shipment Stage + Optional Takeover + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Dropoff_ Transport Event. Transport Event + The dropping off of goods in this shipment stage. + 0..1 + Shipment Stage + Dropoff + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Actual Pickup_ Transport Event. Transport Event + The pickup of goods in this shipment stage. + 0..1 + Shipment Stage + Actual Pickup + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Delivery_ Transport Event. Transport Event + The delivery of goods in this shipment stage. + 0..1 + Shipment Stage + Delivery + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Receipt_ Transport Event. Transport Event + The receipt of goods in this shipment stage. + 0..1 + Shipment Stage + Receipt + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Storage_ Transport Event. Transport Event + The storage of goods in this shipment stage. + 0..1 + Shipment Stage + Storage + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Acceptance_ Transport Event. Transport Event + The acceptance of goods in this shipment stage. + 0..1 + Shipment Stage + Acceptance + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Terminal Operator_ Party. Party + A terminal operator associated with this shipment stage. + 0..1 + Shipment Stage + Terminal Operator + Party + Party + Party + + + + + + + + + ASBIE + Shipment Stage. Customs Agent_ Party. Party + A customs agent associated with this shipment stage. + 0..1 + Shipment Stage + Customs Agent + Party + Party + Party + + + + + + + + + ASBIE + Shipment Stage. Estimated Transit_ Period. Period + The estimated transit period of this shipment stage. + 0..1 + Shipment Stage + Estimated Transit + Period + Period + Period + + + + + + + + + ASBIE + Shipment Stage. Freight_ Allowance Charge. Allowance Charge + A freight allowance charge for this shipment stage. + 0..n + Shipment Stage + Freight + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Shipment Stage. Freight Charge_ Location. Location + The location associated with a freight charge related to this shipment stage. + 0..1 + Shipment Stage + Freight Charge + Location + Location + Location + + + + + + + + + ASBIE + Shipment Stage. Detention_ Transport Event. Transport Event + The detention of a transport means during loading and unloading operations. + 0..n + Shipment Stage + Detention + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Requested Departure_ Transport Event. Transport Event + The departure requested by the party requesting a transportation service. + 0..1 + Shipment Stage + Requested Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Requested Arrival_ Transport Event. Transport Event + The arrival requested by the party requesting a transportation service. + 0..1 + Shipment Stage + Requested Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Requested Waypoint_ Transport Event. Transport Event + A waypoint requested by the party requesting a transportation service. + 0..n + Shipment Stage + Requested Waypoint + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Planned Departure_ Transport Event. Transport Event + The departure planned by the party providing a transportation service. + 0..1 + Shipment Stage + Planned Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Planned Arrival_ Transport Event. Transport Event + The arrival planned by the party providing a transportation service. + 0..1 + Shipment Stage + Planned Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Planned Waypoint_ Transport Event. Transport Event + A waypoint planned by the party providing a transportation service. + 0..n + Shipment Stage + Planned Waypoint + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Actual Departure_ Transport Event. Transport Event + The actual departure from a specific location during a transportation service. + 0..1 + Shipment Stage + Actual Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Actual Waypoint_ Transport Event. Transport Event + The location of an actual waypoint during a transportation service. + 0..1 + Shipment Stage + Actual Waypoint + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Actual Arrival_ Transport Event. Transport Event + The actual arrival at a specific location during a transportation service. + 0..1 + Shipment Stage + Actual Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Transport Event + A significant occurrence in the course of this shipment of goods. + 0..n + Shipment Stage + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Estimated Departure_ Transport Event. Transport Event + Describes an estimated departure at a location during a transport service. + 0..1 + Shipment Stage + Estimated Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Estimated Arrival_ Transport Event. Transport Event + Describes an estimated arrival at a location during a transport service. + 0..1 + Shipment Stage + Estimated Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Shipment Stage. Passenger_ Person. Person + A person who travels in a conveyance without participating in its operation. + 0..n + Shipment Stage + Passenger + Person + Person + Person + + + + + + + + + ASBIE + Shipment Stage. Driver_ Person. Person + Describes a person responsible for driving the transport means. + 0..n + Shipment Stage + Driver + Person + Person + Person + + + + + + + + + ASBIE + Shipment Stage. Reporting_ Person. Person + Describes a person being responsible for providing the required administrative reporting relating to a transport. + 0..1 + Shipment Stage + Reporting + Person + Person + Person + + + + + + + + + ASBIE + Shipment Stage. Crew Member_ Person. Person + A person operating or serving aboard a transport means. + 0..n + Shipment Stage + Crew Member + Person + Person + Person + + + + + + + + + ASBIE + Shipment Stage. Security Officer_ Person. Person + The person on board the vessel, accountable to the master, designated by the company as responsible for the security of the ship, including implementation and maintenance of the ship security plan and for the liaison with the company security officer and the port facility security officers. + 0..1 + Shipment Stage + Security Officer + Person + Person + Person + + + + + + + + + ASBIE + Shipment Stage. Master_ Person. Person + The person responsible for the ship's safe and efficient operation, including cargo operations, navigation, crew management and for ensuring that the vessel complies with local and international laws, as well as company and flag state policies. + 0..1 + Shipment Stage + Master + Person + Person + Person + + + + + + + + + ASBIE + Shipment Stage. Ships Surgeon_ Person. Person + The person responsible for the health of the people aboard a ship at sea. + 0..1 + Shipment Stage + Ships Surgeon + Person + Person + Person + + + + + + + + + + + ABIE + Signature. Details + A class to define a signature. + Signature + + + + + + + + + BBIE + Signature. Identifier + An identifier for this signature. + 1 + Signature + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Signature. Note. Text + Free-form text conveying information that is not contained explicitly in other structures; in particular, information regarding the circumstances in which the signature is being used. + 0..n + Signature + Note + Text + Text. Type + + + + + + + + + BBIE + Signature. Validation Date. Date + The date upon which this signature was verified. + 0..1 + Signature + Validation Date + Date + Date. Type + + + + + + + + + BBIE + Signature. Validation Time. Time + The time at which this signature was verified. + 0..1 + Signature + Validation Time + Time + Time. Type + + + + + + + + + BBIE + Signature. Validator. Identifier + An identifier for the organization, person, service, or server that verified this signature. + 0..1 + Signature + Validator + Identifier + Identifier. Type + + + + + + + + + BBIE + Signature. Canonicalization Method. Text + The method used to perform XML canonicalization of this signature. + 0..1 + Signature + Canonicalization Method + Text + Text. Type + + + + + + + + + BBIE + Signature. Signature Method. Text + Text describing the method of signature. + 0..1 + Signature + Signature Method + Text + Text. Type + + + + + + + + + ASBIE + Signature. Signatory_ Party. Party + The signing party. + 0..1 + Signature + Signatory + Party + Party + Party + + + + + + + + + ASBIE + Signature. Digital Signature_ Attachment. Attachment + The actual encoded signature (e.g., in XMLDsig format). + 0..1 + Signature + Digital Signature + Attachment + Attachment + Attachment + + + + + + + + + ASBIE + Signature. Original_ Document Reference. Document Reference + A reference to the document that the signature applies to. For evidentiary purposes, this may be the document image that the signatory party saw when applying their signature. + 0..1 + Signature + Original + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Social Media Profile. Details + A class to describe a social media profile. + Social Media Profile + + + + + + + + + BBIE + Social Media Profile. Identifier + An identifier for a specific social media. + 0..1 + Social Media Profile + Identifier + Identifier + Identifier. Type + FB + + + + + + + + + BBIE + Social Media Profile. Name + The common name of the social media. + 0..1 + Social Media Profile + Name + Name + Name. Type + Facebook + + + + + + + + + BBIE + Social Media Profile. Social Media Type Code. Code + A code that specifies the type of social media. + 0..1 + Social Media Profile + Social Media Type Code + Code + Code. Type + BusinessNetwork, SocialNetwork, ... + + + + + + + + + BBIE + Social Media Profile. URI. Identifier + The Uniform Resource Identifier (URI) of a party profile in the social media; i.e., its Uniform Resource Locator (URL). + 1 + Social Media Profile + URI + Identifier + Identifier. Type + https://www.facebook.com/oasis.open/ + + + + + + + + + + + ABIE + Statement Line. Details + A class to define a line in a Statement of account. + Statement Line + + + + + + + + + BBIE + Statement Line. Identifier + An identifier for this statement line. + 1 + Statement Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Statement Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Statement Line + Note + Text + Text. Type + + + + + + + + + BBIE + Statement Line. UUID. Identifier + A universally unique identifier for this statement line. + 0..1 + Statement Line + UUID + Identifier + Identifier. Type + + + + + + + + + BBIE + Statement Line. Balance Brought Forward_ Indicator. Indicator + An indication that this statement line contains an outstanding balance from the previous bill(s) (true) or does not (false). + 0..1 + Statement Line + Balance Brought Forward + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Statement Line. Debit_ Line Amount. Amount + The amount debited on this statement line. + 0..1 + Statement Line + Debit + Line Amount + Amount + Amount. Type + + + + + + + + + BBIE + Statement Line. Credit_ Line Amount. Amount + The amount credited on this statement line. + 0..1 + Statement Line + Credit + Line Amount + Amount + Amount. Type + + + + + + + + + BBIE + Statement Line. Balance Amount. Amount + The balance amount on this statement line. + 0..1 + Statement Line + Balance Amount + Amount + Amount. Type + + + + + + + + + BBIE + Statement Line. Payment Purpose Code. Code + A code signifying the business purpose for this payment. + 0..1 + Statement Line + Payment Purpose Code + Code + Code. Type + + + + + + + + + ASBIE + Statement Line. Payment Means + A means of payment associated with this statement line. + 0..1 + Statement Line + Payment Means + Payment Means + Payment Means + + + + + + + + + ASBIE + Statement Line. Payment Terms + A specification of payment terms associated with this statement line. + 0..n + Statement Line + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Statement Line. Buyer_ Customer Party. Customer Party + The buyer associated with this statement line. + 0..1 + Statement Line + Buyer + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Statement Line. Seller_ Supplier Party. Supplier Party + The seller/supplier associated with this statement line. + 0..1 + Statement Line + Seller + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Statement Line. Originator_ Customer Party. Customer Party + The originating party. + 0..1 + Statement Line + Originator + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Statement Line. Accounting_ Customer Party. Customer Party + The Accounting Customer Party related to the statement information reported on this Statement Line. + 0..1 + Statement Line + Accounting + Customer Party + Customer Party + Customer Party + + + + + + + + + ASBIE + Statement Line. Accounting_ Supplier Party. Supplier Party + The Accounting Supplier Party related to the statement information reported on this Statement Line. + 0..1 + Statement Line + Accounting + Supplier Party + Supplier Party + Supplier Party + + + + + + + + + ASBIE + Statement Line. Payee_ Party. Party + The payee. + 0..1 + Statement Line + Payee + Party + Party + Party + + + + + + + + + ASBIE + Statement Line. Invoice_ Period. Period + An invoice period to which this statement line applies. + 0..n + Statement Line + Invoice + Period + Period + Period + + + + + + + + + ASBIE + Statement Line. Billing Reference + A reference to a billing document associated with this statement line. + 0..n + Statement Line + Billing Reference + Billing Reference + Billing Reference + + + + + + + + + ASBIE + Statement Line. Document Reference + A reference to a document associated with this statement line. + 0..n + Statement Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Statement Line. Exchange Rate + The rate of exchange between the currency of the Statement and the currency of the document described in the BillingReference. + 0..1 + Statement Line + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + ASBIE + Statement Line. Allowance Charge + A charge or discount price component associated with this statement line. + 0..n + Statement Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Statement Line. Collected_ Payment. Payment + A collected payment. + 0..n + Statement Line + Collected + Payment + Payment + Payment + + + + + + + + + + + ABIE + Status. Details + A class to describe the condition or position of an object. + Status + + + + + + + + + BBIE + Status. Condition Code. Code + Specifies the status condition of the related object. + 0..1 + Status + Condition Code + Code + Code. Type + + + + + + + + + BBIE + Status. Reference Date. Date + The reference date for this status. + 0..1 + Status + Reference Date + Date + Date. Type + + + + + + + + + BBIE + Status. Reference Time. Time + The reference time for this status. + 0..1 + Status + Reference Time + Time + Time. Type + + + + + + + + + BBIE + Status. Description. Text + Text describing this status. + 0..n + Status + Description + Text + Text. Type + + + + + + + + + BBIE + Status. Status Reason Code. Code + The reason for this status condition or position, expressed as a code. + 0..1 + Status + Status Reason Code + Code + Code. Type + + + + + + + + + BBIE + Status. Status_ Reason. Text + The reason for this status condition or position, expressed as text. + 0..n + Status + Status + Reason + Text + Text. Type + + + + + + + + + BBIE + Status. Sequence Identifier. Identifier + A sequence identifier for this status. + 0..1 + Status + Sequence Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Status. Text + Provides any textual information related to this status. + 0..n + Status + Text + Text + Text. Type + + + + + + + + + BBIE + Status. Indication_ Indicator. Indicator + Specifies an indicator relevant to a specific status. + 0..1 + Status + Indication + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Status. Percent + A percentage meaningful in the context of this status. + 0..1 + Status + Percent + Percent + Percent. Type + + + + + + + + + BBIE + Status. Reliability Percent. Percent + The reliability of this status, expressed as a percentage. + 0..1 + Status + Reliability Percent + Percent + Percent. Type + + + + + + + + + ASBIE + Status. Condition + Measurements that quantify the condition of the objects covered by the status. + 0..n + Status + Condition + Condition + Condition + + + + + + + + + + + ABIE + Stock Availability Report Line. Details + A class to define a line in a Stock Availability Report describing the availability of an item of sale. + Stock Availability Report Line + + + + + + + + + BBIE + Stock Availability Report Line. Identifier + An identifier for this stock availability line. + 1 + Stock Availability Report Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Stock Availability Report Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Stock Availability Report Line + Note + Text + Text. Type + + + + + + + + + BBIE + Stock Availability Report Line. Quantity + The quantity of the item currently in stock. + 1 + Stock Availability Report Line + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Stock Availability Report Line. Value. Amount + The monetary value of the quantity of the item currently in stock. + 0..1 + Stock Availability Report Line + Value + Amount + Amount. Type + + + + + + + + + BBIE + Stock Availability Report Line. Availability Date. Date + The date from which the item will be available. A date identical to or earlier than the IssueDate of the Stock Availability Report means that the item is available now + 0..1 + Stock Availability Report Line + Availability Date + Date + Date. Type + + + + + + + + + BBIE + Stock Availability Report Line. Availability Status Code. Code + A code signifying the level of availability of the item. + 0..1 + Stock Availability Report Line + Availability Status Code + Code + Code. Type + + + + + + + + + ASBIE + Stock Availability Report Line. Item + The item associated with this stock availability report line. + 1 + Stock Availability Report Line + Item + Item + Item + + + + + + + + + + + ABIE + Stowage. Details + A class to describe a location on board a means of transport where specified goods or transport equipment have been stowed or are to be stowed. + Stowage + + + + + + + + + BBIE + Stowage. Location Identifier. Identifier + An identifier for the location. + 0..1 + Stowage + Location Identifier + Identifier + Identifier. Type + Cell Location, coded + + + + + + + + + BBIE + Stowage. Location. Text + Text describing the location. + 0..n + Stowage + Location + Text + Text. Type + Cell Location + + + + + + + + + ASBIE + Stowage. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of this stowage. + 0..n + Stowage + Measurement + Dimension + Dimension + Dimension + + + + + + + + + + + ABIE + Subcontract Terms. Details + A class to describe subcontract terms for a tendering process. + Subcontract Terms + + + + + + + + + BBIE + Subcontract Terms. Rate + The precise percentage allowed to be subcontracted. + 0..1 + Subcontract Terms + Rate + Rate + Rate. Type + + + + + + + + + BBIE + Subcontract Terms. Unknown_ Price. Indicator + An indicator that the subcontract price is known (true) or not (false). + 0..1 + Subcontract Terms + Unknown + Price + Indicator + Indicator. Type + + + + + + + + + BBIE + Subcontract Terms. Description. Text + Text describing the subcontract terms. + 0..n + Subcontract Terms + Description + Text + Text. Type + + + + + + + + + BBIE + Subcontract Terms. Amount + The monetary amount assigned to the subcontracted task. + 0..1 + Subcontract Terms + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Subcontract Terms. Subcontracting Conditions Code. Code + A code specifying the conditions for subcontracting. + 0..1 + Subcontract Terms + Subcontracting Conditions Code + Code + Code. Type + + + + + + + + + BBIE + Subcontract Terms. Maximum_ Percent. Percent + The maximum percentage allowed to be subcontracted. + 0..1 + Subcontract Terms + Maximum + Percent + Percent + Percent. Type + + + + + + + + + BBIE + Subcontract Terms. Minimum_ Percent. Percent + The minimum percentage allowed to be subcontracted. + 0..1 + Subcontract Terms + Minimum + Percent + Percent + Percent. Type + + + + + + + + + + + ABIE + Subscriber Consumption. Details + The consumption for a specific party for given consumption point provided by a numbers of suppliers. An enterprise can have one utility statement for several parties (e.g. a ministry of defence receiving a telephone bill). In this way each subscriber consumption represent a sub utility statement. + Subscriber Consumption + + + + + + + + + BBIE + Subscriber Consumption. Consumption Identifier. Identifier + The identifier tor this specification. + 0..1 + Subscriber Consumption + Consumption Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Subscriber Consumption. Specification Type Code. Code + The code which specifies the type of this specification, e.g. an on account specification or the yearly specification. + 0..1 + Subscriber Consumption + Specification Type Code + Code + Code. Type + + + + + + + + + BBIE + Subscriber Consumption. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Subscriber Consumption + Note + Text + Text. Type + This is how we have calculating your yearly statement + + + + + + + + + BBIE + Subscriber Consumption. Total Metered Quantity. Quantity + The total quantity consumed, as calculated from meter readings. + 0..1 + Subscriber Consumption + Total Metered Quantity + Quantity + Quantity. Type + 2000.0 + + + + + + + + + ASBIE + Subscriber Consumption. Subscriber_ Party. Party + The party subscribing to the utility. + 0..1 + Subscriber Consumption + Subscriber + Party + Party + Party + + + + + + + + + ASBIE + Subscriber Consumption. Utility_ Consumption Point. Consumption Point + The point at which the utility is consumed. + 1 + Subscriber Consumption + Utility + Consumption Point + Consumption Point + Consumption Point + + + + + + + + + ASBIE + Subscriber Consumption. On Account Payment + The planned prepayments (on account) regarding this subscription. + 0..n + Subscriber Consumption + On Account Payment + On Account Payment + On Account Payment + + + + + + + + + ASBIE + Subscriber Consumption. Consumption + The consumption in case the consumption is from one and only one supplier. + 0..1 + Subscriber Consumption + Consumption + Consumption + Consumption + + + + + + + + + ASBIE + Subscriber Consumption. Supplier Consumption + The consumption in case the consumption is from more than one supplier. + 0..n + Subscriber Consumption + Supplier Consumption + Supplier Consumption + Supplier Consumption + + + + + + + + + + + ABIE + Supplier Consumption. Details + The consumption in case the consumption is for one and only one supplier. + Supplier Consumption + + + + + + + + + BBIE + Supplier Consumption. Description. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Supplier Consumption + Description + Text + Text. Type + This is what you pay for electricity to DONG Energy North Utility + + + + + + + + + ASBIE + Supplier Consumption. Utility Supplier_ Party. Party + The party supplying the utility. + 0..1 + Supplier Consumption + Utility Supplier + Party + Party + Party + + + + + + + + + ASBIE + Supplier Consumption. Utility Customer_ Party. Party + The utility customer. + 0..1 + Supplier Consumption + Utility Customer + Party + Party + Party + + + + + + + + + ASBIE + Supplier Consumption. Consumption + The consumption regarding this supplier + 1 + Supplier Consumption + Consumption + Consumption + Consumption + + + + + + + + + ASBIE + Supplier Consumption. Contract + A contract setting forth conditions regulating the consumption. + 0..1 + Supplier Consumption + Contract + Contract + Contract + + + + + + + + + ASBIE + Supplier Consumption. Consumption Line + The consumption of a utility product. + 1..n + Supplier Consumption + Consumption Line + Consumption Line + Consumption Line + + + + + + + + + + + ABIE + Supplier Party. Details + A class to describe a supplier party. + Supplier Party + + + + + + + + + BBIE + Supplier Party. Customer Assigned_ Account Identifier. Identifier + An identifier for this supplier party, assigned by the customer. + 0..1 + Supplier Party + Customer Assigned + Account Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Supplier Party. Additional_ Account Identifier. Identifier + An additional identifier for this supplier party. + 0..n + Supplier Party + Additional + Account Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Supplier Party. Data Sending Capability. Text + Text describing the supplier's ability to send invoice data via a purchase card provider (e.g., VISA, MasterCard, American Express). + 0..1 + Supplier Party + Data Sending Capability + Text + Text. Type + + + + + + + + + ASBIE + Supplier Party. Party + The supplier party itself. + 0..1 + Supplier Party + Party + Party + Party + + + + + + + + + ASBIE + Supplier Party. Despatch_ Contact. Contact + A contact at this supplier party for despatches (pickups). + 0..1 + Supplier Party + Despatch + Contact + Contact + Contact + + + + + + + + + ASBIE + Supplier Party. Accounting_ Contact. Contact + A contact at this supplier party for accounting. + 0..1 + Supplier Party + Accounting + Contact + Contact + Contact + + + + + + + + + ASBIE + Supplier Party. Seller_ Contact. Contact + The primary contact for this supplier party. + 0..1 + Supplier Party + Seller + Contact + Contact + Contact + + + + + + + + + + + ABIE + Tax Category. Details + A class to describe one of the tax categories within a taxation scheme (e.g., High Rate VAT, Low Rate VAT). + Tax Category + + + + + + + + + BBIE + Tax Category. Identifier + An identifier for this tax category. + 0..1 + Tax Category + Identifier + Identifier + Identifier. Type + http://www.unece.org/uncefact/codelist/standard/UNECE_DutyorTaxorFeeCategoryCode_D09B.xsd + + + + + + + + + BBIE + Tax Category. Name + The name of this tax category. + 0..1 + Tax Category + Name + Name + Name. Type + Luxury Goods , Wine Equalization , Exempt + + + + + + + + + BBIE + Tax Category. Percent + The tax rate for this category, expressed as a percentage. + 0..1 + Tax Category + Percent + Percent + Percent. Type + + + + + + + + + BBIE + Tax Category. Base Unit Measure. Measure + A Unit of Measures used as the basic for the tax calculation applied at a certain rate per unit. + 0..1 + Tax Category + Base Unit Measure + Measure + Measure. Type + + + + + + + + + BBIE + Tax Category. Per Unit_ Amount. Amount + Where a tax is applied at a certain rate per unit, the rate per unit applied. + 0..1 + Tax Category + Per Unit + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Category. Tax Exemption Reason Code. Code + The reason for tax being exempted, expressed as a code. + 0..1 + Tax Category + Tax Exemption Reason Code + Code + Code. Type + http://www.unece.org/uncefact/codelist/standard/UNECE_DutyTaxFeeTypeCode_D09B.xsd + + + + + + + + + BBIE + Tax Category. Tax Exemption Reason. Text + The reason for tax being exempted, expressed as text. + 0..n + Tax Category + Tax Exemption Reason + Text + Text. Type + + + + + + + + + BBIE + Tax Category. Tier Range. Text + Where a tax is tiered, the range of taxable amounts that determines the rate of tax applicable to this tax category. + 0..1 + Tax Category + Tier Range + Text + Text. Type + + + + + + + + + BBIE + Tax Category. Tier Rate. Percent + Where a tax is tiered, the tax rate that applies within the specified range of taxable amounts for this tax category. + 0..1 + Tax Category + Tier Rate + Percent + Percent. Type + + + + + + + + + ASBIE + Tax Category. Tax Scheme + The taxation scheme within which this tax category is defined. + 1 + Tax Category + Tax Scheme + Tax Scheme + Tax Scheme + + + + + + + + + + + ABIE + Tax Scheme. Details + A class to describe a taxation scheme (e.g., VAT, State tax, County tax). + Tax Scheme + + + + + + + + + BBIE + Tax Scheme. Identifier + An identifier for this taxation scheme. + 0..1 + Tax Scheme + Identifier + Identifier + Identifier. Type + http://www.unece.org/uncefact/codelist/standard/EDIFICASEU_TaxExemptionReason_D09B.xsd + + + + + + + + + BBIE + Tax Scheme. Name + The name of this taxation scheme. + 0..1 + Tax Scheme + Name + Name + Name. Type + Value Added Tax , Wholesale Tax , Sales Tax , State Tax + + + + + + + + + BBIE + Tax Scheme. Tax Type Code. Code + A code signifying the type of tax. + 0..1 + Tax Scheme + Tax Type Code + Code + Code. Type + Consumption , Sales + + + + + + + + + BBIE + Tax Scheme. Currency Code. Code + A code signifying the currency in which the tax is collected and reported. + 0..1 + Tax Scheme + Currency Code + Code + Currency + Currency_ Code. Type + + + + + + + + + ASBIE + Tax Scheme. Jurisdiction Region_ Address. Address + A geographic area in which this taxation scheme applies. + 0..n + Tax Scheme + Jurisdiction Region + Address + Address + Address + + + + + + + + + + + ABIE + Tax Subtotal. Details + A class to define the subtotal for a particular tax category within a particular taxation scheme, such as standard rate within VAT. + Tax Subtotal + + + + + + + + + BBIE + Tax Subtotal. Taxable_ Amount. Amount + The net amount to which the tax percent (rate) is applied to calculate the tax amount. + 0..1 + Tax Subtotal + Taxable + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Subtotal. Tax Amount. Amount + The amount of this tax subtotal. + 1 + Tax Subtotal + Tax Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Subtotal. Calculation Sequence. Numeric + The number of this tax subtotal in the sequence of subtotals corresponding to the order in which multiple taxes are applied. If all taxes are applied to the same taxable amount (i.e., their order of application is inconsequential), then CalculationSequenceNumeric is 1 for all tax subtotals applied to a given amount. + 0..1 + Tax Subtotal + Calculation Sequence + Numeric + Numeric. Type + + + + + + + + + BBIE + Tax Subtotal. Transaction Currency_ Tax Amount. Amount + The amount of this tax subtotal, expressed in the currency used for invoicing. + 0..1 + Tax Subtotal + Transaction Currency + Tax Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Subtotal. Percent + The tax rate of the tax category applied to this tax subtotal, expressed as a percentage. + 0..1 + Tax Subtotal + Percent + Percent + Percent. Type + + + + + + + + + BBIE + Tax Subtotal. Base Unit Measure. Measure + The unit of measure on which the tax calculation is based + 0..1 + Tax Subtotal + Base Unit Measure + Measure + Measure. Type + + + + + + + + + BBIE + Tax Subtotal. Per Unit_ Amount. Amount + Where a tax is applied at a certain rate per unit, the rate per unit applied. + 0..1 + Tax Subtotal + Per Unit + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Subtotal. Tier Range. Text + Where a tax is tiered, the range of taxable amounts that determines the rate of tax applicable to this tax subtotal. + 0..1 + Tax Subtotal + Tier Range + Text + Text. Type + + + + + + + + + BBIE + Tax Subtotal. Tier Rate. Percent + Where a tax is tiered, the tax rate that applies within a specified range of taxable amounts for this tax subtotal. + 0..1 + Tax Subtotal + Tier Rate + Percent + Percent. Type + + + + + + + + + ASBIE + Tax Subtotal. Tax Category + The tax category applicable to this subtotal. + 1 + Tax Subtotal + Tax Category + Tax Category + Tax Category + + + + + + + + + + + ABIE + Tax Total. Details + A class to describe the total tax for a particular taxation scheme. + Tax Total + + + + + + + + + BBIE + Tax Total. Tax Amount. Amount + The total tax amount for a particular taxation scheme, e.g., VAT; the sum of the tax subtotals for each tax category within the taxation scheme. + 1 + Tax Total + Tax Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Total. Rounding Amount. Amount + The rounding amount (positive or negative) added to the calculated tax total to produce the rounded TaxAmount. + 0..1 + Tax Total + Rounding Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tax Total. Tax Evidence_ Indicator. Indicator + An indicator that this total is recognized as legal evidence for taxation purposes (true) or not (false). + 0..1 + Tax Total + Tax Evidence + Indicator + Indicator + Indicator. Type + default is negative + + + + + + + + + BBIE + Tax Total. Tax Included_ Indicator. Indicator + An indicator that tax is included in the calculation (true) or not (false). + 0..1 + Tax Total + Tax Included + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Tax Total. Tax Subtotal + One of the subtotals the sum of which equals the total tax amount for a particular taxation scheme. + 0..n + Tax Total + Tax Subtotal + Tax Subtotal + Tax Subtotal + + + + + + + + + + + ABIE + Telecommunications Service. Details + A class to describe a telecommunications service (e.g., a telephone call or a video on demand service). + Telecommunications Service + + + + + + + + + BBIE + Telecommunications Service. Identifier + An identifier for this telecommunications service. + 0..1 + Telecommunications Service + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Telecommunications Service. Call_ Date. Date + In the case of a telephone call, the date of the call. + 1 + Telecommunications Service + Call + Date + Date + Date. Type + 2008-01-01 + + + + + + + + + BBIE + Telecommunications Service. Call_ Time. Time + In the case of a telephone call, the time of the call. + 1 + Telecommunications Service + Call + Time + Time + Time. Type + 00:01:00 + + + + + + + + + BBIE + Telecommunications Service. Service Number Called. Text + In the case of a telephone call, the phone number called. + 1 + Telecommunications Service + Service Number Called + Text + Text. Type + 12345679 + + + + + + + + + BBIE + Telecommunications Service. Telecommunications Service Category. Text + The telecommunications category, expressed as text. + 0..1 + Telecommunications Service + Telecommunications Service Category + Text + Text. Type + Subscription + + + + + + + + + BBIE + Telecommunications Service. Telecommunications Service Category Code. Code + The telecommunications category, expressed as a code. + 0..1 + Telecommunications Service + Telecommunications Service Category Code + Code + Code. Type + Subscription + + + + + + + + + BBIE + Telecommunications Service. Movie Title. Text + The title of a movie delivered via this telecommunications service. + 0..1 + Telecommunications Service + Movie Title + Text + Text. Type + The Matrix + + + + + + + + + BBIE + Telecommunications Service. Roaming Partner Name. Name + Statement of the roaming partner name. + 0..1 + Telecommunications Service + Roaming Partner Name + Name + Name. Type + + + + + + + + + BBIE + Telecommunications Service. Pay Per View. Text + A pay-per-view delivered via this telecommunications service. + 0..1 + Telecommunications Service + Pay Per View + Text + Text. Type + + + + + + + + + BBIE + Telecommunications Service. Quantity + The number of calls. + 0..1 + Telecommunications Service + Quantity + Quantity + Quantity. Type + 5761 + + + + + + + + + BBIE + Telecommunications Service. Telecommunications Service Call. Text + The telecommunications call described as a text + 0..1 + Telecommunications Service + Telecommunications Service Call + Text + Text. Type + CallAttempt + + + + + + + + + BBIE + Telecommunications Service. Telecommunications Service Call Code. Code + The telecommunications call described as a code + 0..1 + Telecommunications Service + Telecommunications Service Call Code + Code + Code. Type + CallAttempt + + + + + + + + + BBIE + Telecommunications Service. Call Base_ Amount. Amount + The amount to be payed as the base for one call + 0..1 + Telecommunications Service + Call Base + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Telecommunications Service. Call Extension_ Amount. Amount + The amount to be payed for the call + 0..1 + Telecommunications Service + Call Extension + Amount + Amount + Amount. Type + 542.44 + + + + + + + + + ASBIE + Telecommunications Service. Price + The price for using the telecommunication service + 0..1 + Telecommunications Service + Price + Price + Price + + + + + + + + + ASBIE + Telecommunications Service. Country + The country to which the service is provided. In case of a telephone call it is the country where the receiver is located. + 0..1 + Telecommunications Service + Country + Country + Country + + + + + + + + + ASBIE + Telecommunications Service. Exchange Rate + A exchanges rates used in the pricing e.g.. when phone calls has crossed border lines. + 0..n + Telecommunications Service + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + ASBIE + Telecommunications Service. Allowance Charge + An allowance or charge that applies to the UtilityStatement as a whole. + 0..n + Telecommunications Service + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Telecommunications Service. Tax Total + A total amount of taxes of a particular kind applicable to this telecommunications service. + 0..n + Telecommunications Service + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Telecommunications Service. Call_ Duty. Duty + In the case of a telephone call, a duty on this call. + 0..n + Telecommunications Service + Call + Duty + Duty + Duty + + + + + + + + + ASBIE + Telecommunications Service. Time_ Duty. Duty + A duty on a consumption of time. + 0..n + Telecommunications Service + Time + Duty + Duty + Duty + + + + + + + + + + + ABIE + Telecommunications Supply. Details + A class describing the supply of a telecommunication service, e.g., providing telephone calls. + Telecommunications Supply + + + + + + + + + BBIE + Telecommunications Supply. Telecommunications Supply Type. Text + The type of telecommunications supply, expressed as text. + 0..1 + Telecommunications Supply + Telecommunications Supply Type + Text + Text. Type + Itemized tele Statement + + + + + + + + + BBIE + Telecommunications Supply. Telecommunications Supply Type Code. Code + The type of telecommunications supply, expressed as a code. + 0..1 + Telecommunications Supply + Telecommunications Supply Type Code + Code + Code. Type + TeleExtended + + + + + + + + + BBIE + Telecommunications Supply. Privacy Code. Code + A code signifying the level of confidentiality of this information for this telecommunication supply. + 1 + Telecommunications Supply + Privacy Code + Code + Code. Type + CompanyLevel + + + + + + + + + BBIE + Telecommunications Supply. Description. Text + Text describing the telecommunications supply. + 0..n + Telecommunications Supply + Description + Text + Text. Type + Extended conversation Statement January quarter 2008. + + + + + + + + + BBIE + Telecommunications Supply. Total_ Amount. Amount + The total amount associated with this telecommunications supply. + 0..1 + Telecommunications Supply + Total + Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Telecommunications Supply. Telecommunications Supply Line + Outlines the provided telecommunication supply + 1..n + Telecommunications Supply + Telecommunications Supply Line + Telecommunications Supply Line + Telecommunications Supply Line + + + + + + + + + + + ABIE + Telecommunications Supply Line. Details + A class that outlines the telecommunication supply in details + Telecommunications Supply Line + + + + + + + + + BBIE + Telecommunications Supply Line. Identifier + An identifier for this telecommunications supply line. + 1 + Telecommunications Supply Line + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + BBIE + Telecommunications Supply Line. Phone Number. Text + The phone number used for this telecommunication supply line + 1 + Telecommunications Supply Line + Phone Number + Text + Text. Type + 12345678 + + + + + + + + + BBIE + Telecommunications Supply Line. Description. Text + The description of the telecommunication supply line + 0..n + Telecommunications Supply Line + Description + Text + Text. Type + Additional informations + + + + + + + + + BBIE + Telecommunications Supply Line. Line Extension Amount. Amount + An amount specifying the cost of this telecommunication line + 0..1 + Telecommunications Supply Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Telecommunications Supply Line. Exchange Rate + Exchanges rates used to calculate the amount for this line. + 0..n + Telecommunications Supply Line + Exchange Rate + Exchange Rate + Exchange Rate + + + + + + + + + ASBIE + Telecommunications Supply Line. Allowance Charge + An allowance or charge that applies to this telecommunication supply line. + 0..n + Telecommunications Supply Line + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Telecommunications Supply Line. Tax Total + A total amount of taxes of a particular kind applicable to this telecommunications supply line + 0..n + Telecommunications Supply Line + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Telecommunications Supply Line. Telecommunications Service + A telecommunications service (e.g., a telephone call). + 1..n + Telecommunications Supply Line + Telecommunications Service + Telecommunications Service + Telecommunications Service + + + + + + + + + + + ABIE + Temperature. Details + A class to describe a measurement of temperature. + Temperature + + + + + + + + + BBIE + Temperature. Attribute Identifier. Identifier + An identifier for this temperature measurement. + 1 + Temperature + Attribute Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Temperature. Measure + The value of this temperature measurement. + 1 + Temperature + Measure + Measure + Measure. Type + + + + + + + + + BBIE + Temperature. Description. Text + Text describing this temperature measurement. + 0..n + Temperature + Description + Text + Text. Type + at sea level + + + + + + + + + + + ABIE + Tender Line. Details + A class to define a line in a Tender. + Tender Line + + + + + + + + + BBIE + Tender Line. Identifier + An identifier for this tender line. + 0..1 + Tender Line + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tender Line. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Tender Line + Note + Text + Text. Type + + + + + + + + + BBIE + Tender Line. Quantity + The quantity of the item quoted in this tender line. + 0..1 + Tender Line + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Tender Line. Line Extension Amount. Amount + The total amount for this tender line, including allowance charges but net of taxes. + 0..1 + Tender Line + Line Extension Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tender Line. Total_ Tax Amount. Amount + The total tax amount for this tender line. + 0..1 + Tender Line + Total + Tax Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tender Line. Orderable_ Unit. Text + Text describing a unit in which the item described in this tender line can be ordered. + 0..1 + Tender Line + Orderable + Unit + Text + Text. Type + + + + + + + + + BBIE + Tender Line. Content Unit. Quantity + The unit of measure and quantity of the orderable unit. + 0..1 + Tender Line + Content Unit + Quantity + Quantity. Type + If order unit measure identifier is each , then content unit quantity is 1 . + + + + + + + + + BBIE + Tender Line. Order Quantity Increment. Numeric + The number of items that can set the order quantity increments. + 0..1 + Tender Line + Order Quantity Increment + Numeric + Numeric. Type + + + + + + + + + BBIE + Tender Line. Minimum_ Order Quantity. Quantity + The minimum number of items described in this tender line that can be ordered. + 0..1 + Tender Line + Minimum + Order Quantity + Quantity + Quantity. Type + 10 boxes + + + + + + + + + BBIE + Tender Line. Maximum_ Order Quantity. Quantity + The maximum number of items described in this tender line that can be ordered. + 0..1 + Tender Line + Maximum + Order Quantity + Quantity + Quantity. Type + 1 tonne + + + + + + + + + BBIE + Tender Line. Warranty_ Information. Text + Text about a warranty (provided by WarrantyParty) for the good or service described in this tender line. + 0..n + Tender Line + Warranty + Information + Text + Text. Type + Unless specified otherwise and in addition to any rights the Customer may have under statute, Dell warrants to the Customer that Dell branded Products (excluding third party products and software), will be free from defects in materials and workmanship affecting normal use for a period of one year from invoice date ( Standard Warranty ). + + + + + + + + + BBIE + Tender Line. Pack Level Code. Code + A mutually agreed code signifying the level of packaging associated with the item described in this tender line. + 0..1 + Tender Line + Pack Level Code + Code + Code. Type + Consumer Unit, Trading Unit + level 2 , Group 4 + + + + + + + + + ASBIE + Tender Line. Document Reference + A reference to a document associated with this tender line. + 0..n + Tender Line + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tender Line. Item + The item associated with this tender line. + 0..1 + Tender Line + Item + Item + Item + + + + + + + + + ASBIE + Tender Line. Offered_ Item Location Quantity. Item Location Quantity + A set of location-specific properties (e.g., price, quantity, lead time) associated with the item described in this tender line. + 0..n + Tender Line + Offered + Item Location Quantity + Item Location Quantity + Item Location Quantity + + + + + + + + + ASBIE + Tender Line. Replacement_ Related Item. Related Item + A catalogue item that may be a replacement for the item described in this tender line. + 0..n + Tender Line + Replacement + Related Item + Related Item + Related Item + + + + + + + + + ASBIE + Tender Line. Warranty_ Party. Party + The party responsible for any warranty described in this tender line. + 0..1 + Tender Line + Warranty + Party + Party + Party + + + + + + + + + ASBIE + Tender Line. Warranty Validity_ Period. Period + The period for which a warranty associated with the item described in this tender line is valid. + 0..1 + Tender Line + Warranty Validity + Period + Period + Period + + + + + + + + + ASBIE + Tender Line. Sub_ Tender Line. Tender Line + An association to a Sub Tender Line + 0..n + Tender Line + Sub + Tender Line + Tender Line + Tender Line + + + + + + + + + ASBIE + Tender Line. Call For Tenders_ Line Reference. Line Reference + Reference to a Line on a Call For Tenders document. + 0..1 + Tender Line + Call For Tenders + Line Reference + Line Reference + Line Reference + + + + + + + + + ASBIE + Tender Line. Call For Tenders_ Document Reference. Document Reference + A class defining references to a Call For Tenders document. + 0..1 + Tender Line + Call For Tenders + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Tender Preparation. Details + A class to describe directions for preparing a tender. + Tender Preparation + + + + + + + + + BBIE + Tender Preparation. Tender Envelope Identifier. Identifier + An identifier for the tender envelope to be used with the tender. + 1 + Tender Preparation + Tender Envelope Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tender Preparation. Tender Envelope Type Code. Code + A code signifying the type of tender envelope (economical or objective criteria versus technical or subjective criteria). + 0..1 + Tender Preparation + Tender Envelope Type Code + Code + Code. Type + + + + + + + + + BBIE + Tender Preparation. Description. Text + Text describing the tender envelope. + 0..n + Tender Preparation + Description + Text + Text. Type + + + + + + + + + BBIE + Tender Preparation. Open Tender Identifier. Identifier + An identifier for the open tender associated with this tender preparation. + 0..1 + Tender Preparation + Open Tender Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Tender Preparation. Procurement Project Lot + The procurement project lot associated with a particular tenderer. + 0..n + Tender Preparation + Procurement Project Lot + Procurement Project Lot + Procurement Project Lot + + + + + + + + + ASBIE + Tender Preparation. Document_ Tender Requirement. Tender Requirement + A reference to the template for a required document in a tendering process. + 0..n + Tender Preparation + Document + Tender Requirement + Tender Requirement + Tender Requirement + Curricula required, Experience required, .... + + + + + + + + + ASBIE + Tender Preparation. Tender_ Encryption Data. Encryption Data + A reference to the details of the encryption process used for the tender. + 0..n + Tender Preparation + Tender + Encryption Data + Encryption Data + Encryption Data + + + + + + + + + + + ABIE + Tender Requirement. Details + A template for a required document in a tendering process. + Tender Requirement + + + + + + + + + BBIE + Tender Requirement. Name + A name of this tender requirement. + 1 + Tender Requirement + Name + Name + Name. Type + + + + + + + + + BBIE + Tender Requirement. Description. Text + Text describing this tender requirement. + 0..n + Tender Requirement + Description + Text + Text. Type + + + + + + + + + ASBIE + Tender Requirement. Template_ Document Reference. Document Reference + A reference to the template for a required document. + 0..1 + Tender Requirement + Template + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Tender Result. Details + A class to describe the awarding of a tender in a tendering process. + Tender Result + + + + + + + + + BBIE + Tender Result. Award Identifier. Identifier + An identifier for this tender result. + 0..1 + Tender Result + Award Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tender Result. Tender_ Result Code. Code + A code signifying the result of the tendering process. + 0..1 + Tender Result + Tender + Result Code + Code + Code. Type + + + + + + + + + BBIE + Tender Result. Description. Text + Text describing the result of the tendering process. + 0..n + Tender Result + Description + Text + Text. Type + + + + + + + + + BBIE + Tender Result. Advertisement. Amount + The monetary value of the advertisement for this tendering process. + 0..1 + Tender Result + Advertisement + Amount + Amount. Type + + + + + + + + + BBIE + Tender Result. Award Date. Date + The date on which this result was formalized. + 1 + Tender Result + Award Date + Date + Date. Type + + + + + + + + + BBIE + Tender Result. Award Time. Time + The time at which this result was formalized. + 0..1 + Tender Result + Award Time + Time + Time. Type + + + + + + + + + BBIE + Tender Result. Received_ Tender Quantity. Quantity + The total number of tenders received in this tendering process. + 0..1 + Tender Result + Received + Tender Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Tender Result. Lower_ Tender Amount. Amount + The least expensive tender received in the tendering process. + 0..1 + Tender Result + Lower + Tender Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tender Result. Higher_ Tender Amount. Amount + The most expensive tender received in this tendering process. + 0..1 + Tender Result + Higher + Tender Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tender Result. Start Date. Date + The date on which the awarded contract begins. + 0..1 + Tender Result + Start Date + Date + Date. Type + + + + + + + + + BBIE + Tender Result. Received_ Electronic Tender Quantity. Quantity + The number of electronic tenders received. + 0..1 + Tender Result + Received + Electronic Tender Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Tender Result. Received_ Foreign Tender Quantity. Quantity + The number of foreing tenders received. + 0..1 + Tender Result + Received + Foreign Tender Quantity + Quantity + Quantity. Type + + + + + + + + + ASBIE + Tender Result. Contract + A contract governing this tender result. + 0..1 + Tender Result + Contract + Contract + Contract + + + + + + + + + ASBIE + Tender Result. Awarded_ Tendered Project. Tendered Project + The awarded tendered project associated with this tender result. + 0..1 + Tender Result + Awarded + Tendered Project + Tendered Project + Tendered Project + + + + + + + + + ASBIE + Tender Result. Contract Formalization_ Period. Period + The period during which a contract associated with the awarded project is to be formalized. + 0..1 + Tender Result + Contract Formalization + Period + Period + Period + + + + + + + + + ASBIE + Tender Result. Subcontract Terms + Subcontract terms for this tender result. + 0..n + Tender Result + Subcontract Terms + Subcontract Terms + Subcontract Terms + + + + + + + + + ASBIE + Tender Result. Winning Party + A party that is identified as the awarded by a tender result. + 0..n + Tender Result + Winning Party + Winning Party + Winning Party + + + + + + + + + + + ABIE + Tendered Project. Details + A class to describe a tendered project or project lot. + Tendered Project + + + + + + + + + BBIE + Tendered Project. Variant. Identifier + An identifier for this variant of a tendered project. + 0..1 + Tendered Project + Variant + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendered Project. Fee. Amount + The fee amount for tendered projects. + 0..1 + Tendered Project + Fee + Amount + Amount. Type + + + + + + + + + BBIE + Tendered Project. Fee_ Description. Text + Text describing the fee amount for tendered projects. + 0..n + Tendered Project + Fee + Description + Text + Text. Type + + + + + + + + + BBIE + Tendered Project. Tender Envelope Identifier. Identifier + An identifier for the tender envelope this tendered project belongs to. + 0..1 + Tendered Project + Tender Envelope Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendered Project. Tender Envelope Type Code. Code + A code signifying the type of tender envelope this tendered project belongs to. + 0..1 + Tendered Project + Tender Envelope Type Code + Code + Code. Type + + + + + + + + + ASBIE + Tendered Project. Procurement Project Lot + The procurement project lot to which this Tender Line refers to. If there are no lots, this should not be defined. + 0..1 + Tendered Project + Procurement Project Lot + Procurement Project Lot + Procurement Project Lot + + + + + + + + + ASBIE + Tendered Project. Evidence_ Document Reference. Document Reference + A reference to a non-structured evidentiary document supporting this tendered project. + 0..n + Tendered Project + Evidence + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendered Project. Tax Total + A total amount of taxes of a particular kind applicable to the monetary total for this tendered project. + 0..n + Tendered Project + Tax Total + Tax Total + Tax Total + + + + + + + + + ASBIE + Tendered Project. Legal_ Monetary Total. Monetary Total + The total amount for this tendered project. + 0..1 + Tendered Project + Legal + Monetary Total + Monetary Total + Monetary Total + + + + + + + + + ASBIE + Tendered Project. Tender Line + A line in the tender for this tendered project. + 0..n + Tendered Project + Tender Line + Tender Line + Tender Line + + + + + + + + + ASBIE + Tendered Project. Awarding Criterion Response + An association to an Awarding Criterion Response. + 0..n + Tendered Project + Awarding Criterion Response + Awarding Criterion Response + Awarding Criterion Response + + + + + + + + + + + ABIE + Tenderer Party Qualification. Details + A class to describe the qualifications of a tenderer party. + Tenderer Party Qualification + + + + + + + + + ASBIE + Tenderer Party Qualification. Interested_ Procurement Project Lot. Procurement Project Lot + The procurement project lot the party is interested in. + 0..n + Tenderer Party Qualification + Interested + Procurement Project Lot + Procurement Project Lot + Procurement Project Lot + + + + + + + + + ASBIE + Tenderer Party Qualification. Main_ Qualifying Party. Qualifying Party + The qualifications of the main tenderer party. + 1 + Tenderer Party Qualification + Main + Qualifying Party + Qualifying Party + Qualifying Party + + + + + + + + + ASBIE + Tenderer Party Qualification. Additional_ Qualifying Party. Qualifying Party + The qualifications of a tenderer party other than the main tenderer party when bidding as a consortium. + 0..n + Tenderer Party Qualification + Additional + Qualifying Party + Qualifying Party + Qualifying Party + + + + + + + + + + + ABIE + Tenderer Qualification Request. Details + The evaluation that the Contracting Authority party requests to fulfill to the tenderers. + Tenderer Qualification Request + + + + + + + + + BBIE + Tenderer Qualification Request. Company Legal Form Code. Code + The legal status requested for potential tenderers, expressed as a code. + 0..1 + Tenderer Qualification Request + Company Legal Form Code + Code + Code. Type + + + + + + + + + BBIE + Tenderer Qualification Request. Company Legal Form. Text + The legal status requested for potential tenderers, expressed as text + 0..1 + Tenderer Qualification Request + Company Legal Form + Text + Text. Type + + + + + + + + + BBIE + Tenderer Qualification Request. Personal Situation. Text + Text describing the personal situation of the economic operators in this tendering process. + 0..n + Tenderer Qualification Request + Personal Situation + Text + Text. Type + + + + + + + + + BBIE + Tenderer Qualification Request. Operating Years. Quantity + Textual description of the legal form required for potential tenderers. + 0..1 + Tenderer Qualification Request + Operating Years + Quantity + Quantity. Type + + + + + + + + + BBIE + Tenderer Qualification Request. Employee. Quantity + Textual description of the legal form required for potential tenderers. + 0..1 + Tenderer Qualification Request + Employee + Quantity + Quantity. Type + + + + + + + + + BBIE + Tenderer Qualification Request. Description. Text + Text describing the evaluation requirements for this tenderer. + 0..n + Tenderer Qualification Request + Description + Text + Text. Type + + + + + + + + + ASBIE + Tenderer Qualification Request. Required Business_ Classification Scheme. Classification Scheme + A classification scheme for the business profile. + 0..n + Tenderer Qualification Request + Required Business + Classification Scheme + Classification Scheme + Classification Scheme + + + + + + + + + ASBIE + Tenderer Qualification Request. Technical_ Evaluation Criterion. Evaluation Criterion + A technical evaluation criterion required for an economic operator in a tendering process. + 0..n + Tenderer Qualification Request + Technical + Evaluation Criterion + Evaluation Criterion + Evaluation Criterion + + + + + + + + + ASBIE + Tenderer Qualification Request. Financial_ Evaluation Criterion. Evaluation Criterion + A financial evaluation criterion required for an economic operator in a tendering process. + 0..n + Tenderer Qualification Request + Financial + Evaluation Criterion + Evaluation Criterion + Evaluation Criterion + + + + + + + + + ASBIE + Tenderer Qualification Request. Specific_ Tenderer Requirement. Tenderer Requirement + A requirement to be met by a tenderer. + 0..n + Tenderer Qualification Request + Specific + Tenderer Requirement + Tenderer Requirement + Tenderer Requirement + Preregistration in a Business Registry + + + + + + + + + ASBIE + Tenderer Qualification Request. Economic Operator Role + A class to describe the tenderer contracting role. + 0..n + Tenderer Qualification Request + Economic Operator Role + Economic Operator Role + Economic Operator Role + + + + + + + + + + + ABIE + Tenderer Requirement. Details + A class to describe an action or statement required of an economic operator participating in a tendering process. + Tenderer Requirement + + + + + + + + + BBIE + Tenderer Requirement. Name + A name of this tenderer requirement. + 0..n + Tenderer Requirement + Name + Name + Name. Type + + + + + + + + + BBIE + Tenderer Requirement. Tenderer Requirement_ Type Code. Code + A code signifying this requirement. + 0..1 + Tenderer Requirement + Tenderer Requirement + Type Code + Code + Code. Type + + + + + + + + + BBIE + Tenderer Requirement. Description. Text + Text describing this requirement. + 0..n + Tenderer Requirement + Description + Text + Text. Type + + + + + + + + + BBIE + Tenderer Requirement. Legal Reference. Text + The legal reference of the exclusion criterion. + 0..1 + Tenderer Requirement + Legal Reference + Text + Text. Type + Art. 45 2 b + + + + + + + + + ASBIE + Tenderer Requirement. Suggested_ Evidence. Evidence + An item of evidence that should be submitted to satisfy this requirement. + 0..n + Tenderer Requirement + Suggested + Evidence + Evidence + Evidence + + + + + + + + + + + ABIE + Tendering Criterion. Details + A class to describe an item of criterion support for representations of capabilities or the ability to meet tendering requirements, which an economic operator must provide for acceptance into a tendering process. + Tendering Criterion + + + + + + + + + BBIE + Tendering Criterion. Identifier + An identifier for this item of criterion support. + 0..1 + Tendering Criterion + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Criterion. Criterion Type Code. Code + A code signifying the type of criterion. + 0..1 + Tendering Criterion + Criterion Type Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion. Name + The name of the criterion. + 0..1 + Tendering Criterion + Name + Name + Name. Type + + + + + + + + + BBIE + Tendering Criterion. Description. Text + The textual description for this criterion. + 0..n + Tendering Criterion + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Criterion. Weight Numeric. Numeric + A weighting to provide for automatic scoring of the criterion. + 0..1 + Tendering Criterion + Weight Numeric + Numeric + Numeric. Type + + + + + + + + + BBIE + Tendering Criterion. Fulfilment Indicator. Indicator + An indication that this criterion has been fulfilled. + 0..1 + Tendering Criterion + Fulfilment Indicator + Indicator + Indicator. Type + TRUE means fulfilled, FALSE means not fulfilled + + + + + + + + + BBIE + Tendering Criterion. Fulfilment Indicator Type Code. Code + A code signifying how this criterion has been fulfilled. + + 0..1 + Tendering Criterion + Fulfilment Indicator Type Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion. Evaluation Method Type Code. Code + A code signifying the type of Evaluation. + 0..1 + Tendering Criterion + Evaluation Method Type Code + Code + Code. Type + Weight + + + + + + + + + BBIE + Tendering Criterion. Weighting Consideration Description. Text + The textual description of the Weighting Description + 0..n + Tendering Criterion + Weighting Consideration Description + Text + Text. Type + + + + + + + + + ASBIE + Tendering Criterion. Sub_ Tendering Criterion. Tendering Criterion + One or more tendering subcriteria. + 0..n + Tendering Criterion + Sub + Tendering Criterion + Tendering Criterion + Tendering Criterion + + + + + + + + + ASBIE + Tendering Criterion. Legislation + The legislation reference for the criterion. + 0..n + Tendering Criterion + Legislation + Legislation + Legislation + + + + + + + + + ASBIE + Tendering Criterion. Tendering Criterion Property Group + The sets of properties that can be used to fulfil the tendering criterion. + 1..n + Tendering Criterion + Tendering Criterion Property Group + Tendering Criterion Property Group + Tendering Criterion Property Group + + + + + + + + + + + ABIE + Tendering Criterion Property. Details + A class to describe the criterion properties. + Tendering Criterion Property + + + + + + + + + BBIE + Tendering Criterion Property. Identifier + An identifier to refer to the criterion property. + 0..1 + Tendering Criterion Property + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Criterion Property. Name + The name of the criterion property. + 0..1 + Tendering Criterion Property + Name + Name + Name. Type + + + + + + + + + BBIE + Tendering Criterion Property. Description. Text + A description of the criterion property. + 0..n + Tendering Criterion Property + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Criterion Property. Type Code. Code + A mutually agreed code signifying the type of the property. + 0..1 + Tendering Criterion Property + Type Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion Property. Value Data Type Code. Code + The data type of the numeric value and any constraints on the data type metadata. + 0..1 + Tendering Criterion Property + Value Data Type Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion Property. Value Unit Code. Code + The unit of measure of the numeric value as a quantity or measure. + 0..1 + Tendering Criterion Property + Value Unit Code + Code + Unit Of Measure + Unit Of Measure_ Code. Type + + + + + + + + + BBIE + Tendering Criterion Property. Value Currency Code. Code + The currency of the numeric value as an amount. + 0..1 + Tendering Criterion Property + Value Currency Code + Code + Currency + Currency_ Code. Type + + + + + + + + + BBIE + Tendering Criterion Property. Expected_ Amount. Amount + The expected amount that the responder has to provide in the criterion response. + 0..1 + Tendering Criterion Property + Expected + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tendering Criterion Property. Expected_ Identifier. Identifier + The expected identifier that the responder has to provide in the criterion response. + 0..1 + Tendering Criterion Property + Expected + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Criterion Property. Expected_ Code. Code + The expected code that the responder has to provide in the criterion response. + 0..1 + Tendering Criterion Property + Expected + Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion Property. Expected_ Value. Numeric + The expected value that the responder has to provide in the criterion response. + 0..1 + Tendering Criterion Property + Expected + Value + Numeric + Numeric. Type + + + + + + + + + BBIE + Tendering Criterion Property. Expected_ Description. Text + The description of the of the expected + 0..1 + Tendering Criterion Property + Expected + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Criterion Property. Maximum_ Amount. Amount + The maximum amount the response must have. + 0..1 + Tendering Criterion Property + Maximum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tendering Criterion Property. Minimum_ Amount. Amount + The minimum amount the response must have. + 0..1 + Tendering Criterion Property + Minimum + Amount + Amount + Amount. Type + + + + + + + + + BBIE + Tendering Criterion Property. Maximum_ Value. Numeric + The maximum value the response must have. + 0..1 + Tendering Criterion Property + Maximum + Value + Numeric + Numeric. Type + + + + + + + + + BBIE + Tendering Criterion Property. Minimum_ Value. Numeric + The minimum value the response must have. + 0..1 + Tendering Criterion Property + Minimum + Value + Numeric + Numeric. Type + + + + + + + + + BBIE + Tendering Criterion Property. Translation Type Code. Code + The type of Transation that the requirement shall be translated for example certified translation + 0..1 + Tendering Criterion Property + Translation Type Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion Property. Certification Level Description. Text + The description of the level of the expected certification + 0..n + Tendering Criterion Property + Certification Level Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Criterion Property. Copy Quality Type Code. Code + The type of Copy quality, expressed as a code. + 0..1 + Tendering Criterion Property + Copy Quality Type Code + Code + Code. Type + + + + + + + + + ASBIE + Tendering Criterion Property. Applicable_ Period. Period + The period to which this criterion property shall apply. + 0..n + Tendering Criterion Property + Applicable + Period + Period + Period + + + + + + + + + ASBIE + Tendering Criterion Property. Template_ Evidence. Evidence + An evidence that can be used to meet this criterion property. + 0..n + Tendering Criterion Property + Template + Evidence + Evidence + Evidence + + + + + + + + + + + ABIE + Tendering Criterion Property Group. Details + A class to describe a group of tendering criteria + Tendering Criterion Property Group + + + + + + + + + BBIE + Tendering Criterion Property Group. Identifier + An identifier for the group of criteria. + 0..1 + Tendering Criterion Property Group + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Criterion Property Group. Name + The name of the group. + 0..1 + Tendering Criterion Property Group + Name + Name + Name. Type + + + + + + + + + BBIE + Tendering Criterion Property Group. Description. Text + The textual description for this group. + 0..n + Tendering Criterion Property Group + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Criterion Property Group. Property Group Type Code. Code + A code signifying the type of the property group + 0..1 + Tendering Criterion Property Group + Property Group Type Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Criterion Property Group. Fulfilment Indicator. Indicator + An indication that this group of criteria have been fulfilled. + 0..1 + Tendering Criterion Property Group + Fulfilment Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Criterion Property Group. Fulfilment Indicator Type Code. Code + A code signifying how this group of criteria have been fulfilled. + 0..1 + Tendering Criterion Property Group + Fulfilment Indicator Type Code + Code + Code. Type + + + + + + + + + ASBIE + Tendering Criterion Property Group. Tendering Criterion Property + All the criteria properties comprising the tendering criterion. + 1..n + Tendering Criterion Property Group + Tendering Criterion Property + Tendering Criterion Property + Tendering Criterion Property + + + + + + + + + ASBIE + Tendering Criterion Property Group. Subsidiary_ Tendering Criterion Property Group. Tendering Criterion Property Group + Subsidiary tendering criteria groups comprising this tendering criterion. + 0..n + Tendering Criterion Property Group + Subsidiary + Tendering Criterion Property Group + Tendering Criterion Property Group + Tendering Criterion Property Group + + + + + + + + + + + ABIE + Tendering Criterion Response. Details + A class to describe a response to a criterion property. + Tendering Criterion Response + + + + + + + + + BBIE + Tendering Criterion Response. Identifier + An identifier for this criterion property response. + 0..1 + Tendering Criterion Response + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Criterion Response. Name + The name of the criterion property response + 0..1 + Tendering Criterion Response + Name + Name + Name. Type + + + + + + + + + BBIE + Tendering Criterion Response. Description. Text + A description of the criterion response + 0..n + Tendering Criterion Response + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Criterion Response. Validated Criterion Property Identifier. Identifier + An identifier for this item of criterion support. + 0..1 + Tendering Criterion Response + Validated Criterion Property Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Criterion Response. Confidentiality Level Code. Code + A code specifying the confidentiality level of the response to this criterion. + 0..1 + Tendering Criterion Response + Confidentiality Level Code + Code + Code. Type + + + + + + + + + ASBIE + Tendering Criterion Response. Response Value + The criterion requirement property values. + 0..n + Tendering Criterion Response + Response Value + Response Value + Response Value + + + + + + + + + ASBIE + Tendering Criterion Response. Applicable_ Period. Period + The period to which this criterion property response applies. + 0..n + Tendering Criterion Response + Applicable + Period + Period + Period + + + + + + + + + ASBIE + Tendering Criterion Response. Evidence Supplied + A reference to the evidence supporting this criterion property response. + 0..n + Tendering Criterion Response + Evidence Supplied + Evidence Supplied + Evidence Supplied + + + + + + + + + + + ABIE + Tendering Process. Details + A class to describe the process of a formal offer and response to execute work or supply goods at a stated price. + Tendering Process + + + + + + + + + BBIE + Tendering Process. Identifier + An identifier for this tendering process. + 0..1 + Tendering Process + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Process. Original_ Contracting System. Identifier + When reopening a tendering process, the identifier of the original framework agreement or dynamic purchasing system. + 0..1 + Tendering Process + Original + Contracting System + Identifier + Identifier. Type + + + + + + + + + BBIE + Tendering Process. Description. Text + Text describing the tendering process. + 0..n + Tendering Process + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Process. Negotiation_ Description. Text + Text describing the negotiation to be followed during the tendering process. + 0..n + Tendering Process + Negotiation + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Process. Procedure Code. Code + A code signifying the type of this tendering procedure. + 0..1 + Tendering Process + Procedure Code + Code + Code. Type + Open, Restricted, Negotiated + + + + + + + + + BBIE + Tendering Process. Urgency Code. Code + A code signifying the urgency of this tendering process. + 0..1 + Tendering Process + Urgency Code + Code + Code. Type + Urgent, Normal, Emergency + + + + + + + + + BBIE + Tendering Process. Expense Code. Code + A code signifying the type of expense for this tendering process. + 0..1 + Tendering Process + Expense Code + Code + Code. Type + Normal, Anticipated + + + + + + + + + BBIE + Tendering Process. Part Presentation Code. Code + A code signifying the type of presentation of tenders required (e.g., one lot, multiple lots, or all the lots). + 0..1 + Tendering Process + Part Presentation Code + Code + Code. Type + One Lot, Multiple Lots, All Lots + + + + + + + + + BBIE + Tendering Process. Contracting System Code. Code + A code signifying the type of contracting system (e.g., framework agreement, dynamic purchasing system). If the procedure is individual (nonrepetitive), this code should be omitted. + 0..1 + Tendering Process + Contracting System Code + Code + Code. Type + Framework Agreement, Dynamic Purchasing System + + + + + + + + + BBIE + Tendering Process. Submission Method Code. Code + A code signifying the method to be followed in submitting tenders. + 0..1 + Tendering Process + Submission Method Code + Code + Code. Type + Manual, Electronically, etc. + + + + + + + + + BBIE + Tendering Process. Candidate Reduction_ Constraint. Indicator + An indicator that the number of candidates participating in this process has been reduced (true) or not (false). + 0..1 + Tendering Process + Candidate Reduction + Constraint + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Process. Government Agreement_ Constraint. Indicator + An indicator that the project associated with this tendering process is constrained by a government procurement agreement (true) or not (false). + 0..1 + Tendering Process + Government Agreement + Constraint + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Process. Access Tools_ URI. Identifier + The URI where the tools for electronic communication related with the tendering process can be found. + 0..1 + Tendering Process + Access Tools + URI + Identifier + Identifier. Type + + + + + + + + + ASBIE + Tendering Process. Document Availability_ Period. Period + The period during which documents relating to this tendering process must be completed. + 0..1 + Tendering Process + Document Availability + Period + Period + Period + + + + + + + + + ASBIE + Tendering Process. Tender Submission Deadline_ Period. Period + The period during which tenders must be delivered. + 0..1 + Tendering Process + Tender Submission Deadline + Period + Period + Period + + + + + + + + + ASBIE + Tendering Process. Invitation Submission_ Period. Period + The period during which invitations to tender must be completed and delivered. + 0..1 + Tendering Process + Invitation Submission + Period + Period + Period + + + + + + + + + ASBIE + Tendering Process. Participation Request Reception_ Period. Period + The period during which requests for participation must be completed and delivered. + 0..1 + Tendering Process + Participation Request Reception + Period + Period + Period + + + + + + + + + ASBIE + Tendering Process. Notice_ Document Reference. Document Reference + A reference to a notice pertaining to this tendering process. + 0..n + Tendering Process + Notice + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Process. Additional_ Document Reference. Document Reference + A reference to an additional document. + 0..n + Tendering Process + Additional + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Process. Process Justification + A justification for the selection of this tendering process. + 0..n + Tendering Process + Process Justification + Process Justification + Process Justification + + + + + + + + + ASBIE + Tendering Process. Economic Operator Short List + A set of criteria used to create a short list of candidates. + 0..n + Tendering Process + Economic Operator Short List + Economic Operator Short List + Economic Operator Short List + + + + + + + + + ASBIE + Tendering Process. Open Tender_ Event. Event + Textual description of the legal form required for potential tenderers. + 0..n + Tendering Process + Open Tender + Event + Event + Event + + + + + + + + + ASBIE + Tendering Process. Auction Terms + The terms to be fulfilled by tenderers if an auction is to be executed before the awarding of a tender. + 0..1 + Tendering Process + Auction Terms + Auction Terms + Auction Terms + + + + + + + + + ASBIE + Tendering Process. Framework Agreement + A tendering framework agreement. + 0..1 + Tendering Process + Framework Agreement + Framework Agreement + Framework Agreement + + + + + + + + + ASBIE + Tendering Process. Contracting System + A reference to a contracting system. Only when the procedure is repetitive. + 0..n + Tendering Process + Contracting System + Contracting System + Contracting System + + + + + + + + + + + ABIE + Tendering Terms. Details + A class to describe tendering terms for a tendering process. + Tendering Terms + + + + + + + + + BBIE + Tendering Terms. Awarding Method Type Code. Code + A code signifying the awarding method in a tendering process (e.g., a method favoring the tender with the lowest price or the tender that is most economically advantageous). + 0..1 + Tendering Terms + Awarding Method Type Code + Code + Code. Type + Price, Multiple criteria + + + + + + + + + BBIE + Tendering Terms. Price Evaluation Code. Code + Textual description of the legal form required for potential tenderers. + 0..1 + Tendering Terms + Price Evaluation Code + Code + Code. Type + Unit prices, global price + + + + + + + + + BBIE + Tendering Terms. Maximum Variant_ Quantity. Quantity + Maximum number of variants the tenderer is allowed to present for this tendering project. + 0..1 + Tendering Terms + Maximum Variant + Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Tendering Terms. Variant_ Constraint. Indicator + An indicator that variants are allowed and unconstrained in number (true) or not allowed (false). + 0..1 + Tendering Terms + Variant + Constraint + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Terms. Accepted Variants_ Description. Text + Text specifying the things for which variants are accepted. + 0..n + Tendering Terms + Accepted Variants + Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Terms. Price Revision_ Formula Description. Text + Text describing the formula for price revision. + 0..n + Tendering Terms + Price Revision + Formula Description + Text + Text. Type + + + + + + + + + BBIE + Tendering Terms. Funding_ Program Code. Code + The program that funds the tendering process (e.g., "National", "European"), expressed as a code. + 0..1 + Tendering Terms + Funding + Program Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Terms. Funding_ Program. Text + The program that funds the tendering process (e.g., EU 6th Framework Program) expressed as text. + 0..n + Tendering Terms + Funding + Program + Text + Text. Type + + + + + + + + + BBIE + Tendering Terms. Maximum_ Advertisement. Amount + The maximum advertised monetary value of the tendering process. + 0..1 + Tendering Terms + Maximum + Advertisement + Amount + Amount. Type + + + + + + + + + BBIE + Tendering Terms. Note. Text + Free-form text conveying information that is not contained explicitly in other structures. + 0..n + Tendering Terms + Note + Text + Text. Type + + + + + + + + + BBIE + Tendering Terms. Payment Frequency Code. Code + A code signifying the frequency of payment in the contract associated with the tendering process. + 0..1 + Tendering Terms + Payment Frequency Code + Code + Code. Type + + + + + + + + + BBIE + Tendering Terms. Economic Operator Registry_ URI. Identifier + The Uniform Resource Identifier (URI) of an electronic registry of economic operators. + 0..1 + Tendering Terms + Economic Operator Registry + URI + Identifier + Identifier. Type + Web site + + + + + + + + + BBIE + Tendering Terms. Required Curricula. Indicator + An indicator that tenderers are required to provide a curriculum vitae for each participant in the project (true) or are not so required (false). + 0..1 + Tendering Terms + Required Curricula + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Terms. Other_ Conditions. Indicator + Indicates whether other conditions exist (true) or not (false). If the indicator is true, the description may be provided. + 0..1 + Tendering Terms + Other + Conditions + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Terms. Recurring_ Procurement. Indicator + Indicates whether the procurement is recurring (true) or not (false). + 0..1 + Tendering Terms + Recurring + Procurement + Indicator + Indicator. Type + + + + + + + + + BBIE + Tendering Terms. Estimated Timing_ Further Publication. Text + The description of the estimated timing for further notices to be published. + 0..n + Tendering Terms + Estimated Timing + Further Publication + Text + Text. Type + + + + + + + + + BBIE + Tendering Terms. Additional_ Conditions. Text + Other existing conditions. + 0..n + Tendering Terms + Additional + Conditions + Text + Text. Type + + + + + + + + + BBIE + Tendering Terms. Latest_ Security Clearance Date. Date + The end date until which the candidates can obtain the necessary level of security clearance. + 0..1 + Tendering Terms + Latest + Security Clearance Date + Date + Date. Type + + + + + + + + + BBIE + Tendering Terms. Documentation Fee Amount. Amount + The amount to be paid to obtain the contract documents and additional documentation. + 0..1 + Tendering Terms + Documentation Fee Amount + Amount + Amount. Type + + + + + + + + + ASBIE + Tendering Terms. Penalty_ Clause. Clause + The penalty clauses + 0..n + Tendering Terms + Penalty + Clause + Clause + Clause + + + + + + + + + ASBIE + Tendering Terms. Required_ Financial Guarantee. Financial Guarantee + A financial guarantee of a tenderer or bid submitter's actual entry into a contract in the event that it is the successful bidder. + 0..n + Tendering Terms + Required + Financial Guarantee + Financial Guarantee + Financial Guarantee + + + + + + + + + ASBIE + Tendering Terms. Procurement Legislation_ Document Reference. Document Reference + A reference to a document providing references to procurement legislation applicable to the tendering process. + 0..1 + Tendering Terms + Procurement Legislation + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Fiscal Legislation_ Document Reference. Document Reference + A reference to a document providing references to fiscal legislation applicable to the tendering process. + 0..1 + Tendering Terms + Fiscal Legislation + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Environmental Legislation_ Document Reference. Document Reference + A reference to a document providing references to environmental legislation applicable to the tendering process. + 0..1 + Tendering Terms + Environmental Legislation + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Employment Legislation_ Document Reference. Document Reference + A reference to a document providing references to employment legislation applicable to the tendering process. + 0..1 + Tendering Terms + Employment Legislation + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Contractual_ Document Reference. Document Reference + A reference to a document that will become part of the awarded contract. + 0..n + Tendering Terms + Contractual + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Call For Tenders_ Document Reference. Document Reference + A reference to the Call for Tender associated with these tendering terms. + 0..1 + Tendering Terms + Call For Tenders + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Warranty Validity_ Period. Period + The period during which a warranty for work, service, or goods associated with these tendering terms is valid. + 0..1 + Tendering Terms + Warranty Validity + Period + Period + Period + + + + + + + + + ASBIE + Tendering Terms. Payment Terms + A specification of payment terms associated with the tendering process. + 0..n + Tendering Terms + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Tendering Terms. Tenderer Qualification Request + Required set of qualifications for a tenderer in this tendering process. + 0..n + Tendering Terms + Tenderer Qualification Request + Tenderer Qualification Request + Tenderer Qualification Request + + + + + + + + + ASBIE + Tendering Terms. Allowed_ Subcontract Terms. Subcontract Terms + Subcontract terms for the tendering process. + 0..n + Tendering Terms + Allowed + Subcontract Terms + Subcontract Terms + Subcontract Terms + + + + + + + + + ASBIE + Tendering Terms. Tender Preparation + Directions for preparing a tender for the+D2057 tendering process. + 0..n + Tendering Terms + Tender Preparation + Tender Preparation + Tender Preparation + Curricula required, Experience required, .... + + + + + + + + + ASBIE + Tendering Terms. Contract Execution Requirement + A requirement relating to execution of the contract that will be awarded as a result of the tendering process. + 0..n + Tendering Terms + Contract Execution Requirement + Contract Execution Requirement + Contract Execution Requirement + + + + + + + + + ASBIE + Tendering Terms. Awarding Terms + The terms in the tendering process for awarding the contract for a project. + 0..1 + Tendering Terms + Awarding Terms + Awarding Terms + Awarding Terms + + + + + + + + + ASBIE + Tendering Terms. Additional Information_ Party. Party + A party that has additional information about the tendering process. + 0..1 + Tendering Terms + Additional Information + Party + Party + Party + + + + + + + + + ASBIE + Tendering Terms. Document Provider_ Party. Party + The party that has the contract documents for the tendering process. + 0..1 + Tendering Terms + Document Provider + Party + Party + Party + + + + + + + + + ASBIE + Tendering Terms. Tender Recipient_ Party. Party + The party to which tenders should be presented. + 0..1 + Tendering Terms + Tender Recipient + Party + Party + Party + + + + + + + + + ASBIE + Tendering Terms. Contract Responsible_ Party. Party + The party responsible for the execution of the contract. + 0..1 + Tendering Terms + Contract Responsible + Party + Party + Party + + + + + + + + + ASBIE + Tendering Terms. Tender Evaluation_ Party. Party + A party in the contracting authority responsible for evaluating tenders received. + 0..n + Tendering Terms + Tender Evaluation + Party + Party + Party + + + + + + + + + ASBIE + Tendering Terms. Tender Validity_ Period. Period + The period during which tenders submitted for this tendering process must remain valid. + 0..1 + Tendering Terms + Tender Validity + Period + Period + Period + + + + + + + + + ASBIE + Tendering Terms. Contract Acceptance_ Period. Period + The period of time during which the contracting authority may accept a contract. + 0..1 + Tendering Terms + Contract Acceptance + Period + Period + Period + + + + + + + + + ASBIE + Tendering Terms. Appeal Terms + Information about the terms to present for an appeal against a tender award. + 0..1 + Tendering Terms + Appeal Terms + Appeal Terms + Appeal Terms + + + + + + + + + ASBIE + Tendering Terms. Language + One of the default languages specified for the tendering process. + 0..n + Tendering Terms + Language + Language + Language + + + + + + + + + ASBIE + Tendering Terms. Budget Account Line + A budget account line associated with the tendering process. + 0..n + Tendering Terms + Budget Account Line + Budget Account Line + Budget Account Line + + + + + + + + + ASBIE + Tendering Terms. Replaced Notice_ Document Reference. Document Reference + A class defining a reference to the notice that is being replaced. + 0..1 + Tendering Terms + Replaced Notice + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Tendering Terms. Lot Distribution + List of specific ways to tender to the lots of the procurement project. + 0..1 + Tendering Terms + Lot Distribution + Lot Distribution + Lot Distribution + + + + + + + + + ASBIE + Tendering Terms. Post Award Process + Information about the post-award process. + 0..1 + Tendering Terms + Post Award Process + Post Award Process + Post Award Process + + + + + + + + + ASBIE + Tendering Terms. Economic Operator Short List + A set of criteria used to create a short list of candidates. + 0..1 + Tendering Terms + Economic Operator Short List + Economic Operator Short List + Economic Operator Short List + + + + + + + + + + + ABIE + Trade Financing. Details + A class to describe a trade financing instrument. + Trade Financing + + + + + + + + + BBIE + Trade Financing. Identifier + An identifier for this trade financing instrument. + 0..1 + Trade Financing + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Trade Financing. Financing Instrument Code. Code + A code signifying the type of this financing instrument. + 0..1 + Trade Financing + Financing Instrument Code + Code + Code. Type + Factoring , Invoice Financing , Pre-shipment Financing , Letter of Credit , Irrevocable Letter of Credit . + + + + + + + + + + ASBIE + Trade Financing. Contract_ Document Reference. Document Reference + A reference to a contract document. + 0..1 + Trade Financing + Contract + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Trade Financing. Document Reference + A reference to a document associated with this trade financing instrument. + 0..n + Trade Financing + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Trade Financing. Financing_ Party. Party + The financing party (bank or other enabled party). + 1 + Trade Financing + Financing + Party + Party + Party + + + + + + + + + ASBIE + Trade Financing. Financing_ Financial Account. Financial Account + An internal bank account used by the bank or its first agent to manage the line of credit granted to the financing requester. + 0..1 + Trade Financing + Financing + Financial Account + Financial Account + Financial Account + + + + + + + + + ASBIE + Trade Financing. Clause + A clause applicable to this trade financing instrument. + 0..n + Trade Financing + Clause + Clause + Clause + + + + + + + + + + + ABIE + Trading Terms. Details + A class for describing the terms of a trade agreement. + Trading Terms + + + + + + + + + BBIE + Trading Terms. Information. Text + Text describing the terms of a trade agreement. + 0..n + Trading Terms + Information + Text + Text. Type + Unless credit terms have been expressly agreed by Dell, payment for the products or services shall be made in full before physical delivery of products or services. Customer shall pay for all shipping and handling charges. + + + + + + + + + BBIE + Trading Terms. Reference. Text + A reference quoting the basis of the terms + 0..1 + Trading Terms + Reference + Text + Text. Type + http://www1.ap.dell.com/content/topics/topic.aspx/ap/policy/en/au/sales_terms_au + + + + + + + + + ASBIE + Trading Terms. Applicable_ Address. Address + The address at which these trading terms apply. + 0..1 + Trading Terms + Applicable + Address + Address + Address + + + + + + + + + + + ABIE + Transaction Conditions. Details + A class to describe purchasing, sales, or payment conditions. + Transaction Conditions + Payment Conditions, Sales Conditions + + + + + + + + + BBIE + Transaction Conditions. Identifier + An identifier for conditions of the transaction, typically purchase/sales conditions. + 0..1 + Transaction Conditions + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Transaction Conditions. Action Code. Code + A code signifying a type of action relating to sales or payment conditions. + 0..1 + Transaction Conditions + Action Code + Code + Code. Type + + + + + + + + + BBIE + Transaction Conditions. Description. Text + Text describing the transaction conditions. + 0..n + Transaction Conditions + Description + Text + Text. Type + + + + + + + + + ASBIE + Transaction Conditions. Document Reference + A document associated with these transaction conditions. + 0..n + Transaction Conditions + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Transport Equipment. Details + A class to describe a piece of equipment used to transport goods. + Transport Equipment + Shipping Container, Sea Container, Rail Wagon, Pallet, Trailer, Unit Load Device, ULD + + + + + + + + + BBIE + Transport Equipment. Identifier + An identifier for this piece of transport equipment. + 0..1 + Transport Equipment + Identifier + Identifier + Identifier. Type + OCLU 1234567 + + + + + + + + + BBIE + Transport Equipment. Referenced_ Consignment Identifier. Identifier + An identifier for the consignment contained by this piece of transport equipment. + 0..n + Transport Equipment + Referenced + Consignment Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Transport Equipment. Transport Equipment Type Code. Code + A code signifying the type of this piece of transport equipment. + 0..1 + Transport Equipment + Transport Equipment Type Code + Code + Transport Equipment Type + Transport Equipment Type_ Code. Type + + + + + + + + + BBIE + Transport Equipment. Provider Type Code. Code + A code signifying the type of provider of this piece of transport equipment. + 0..1 + Transport Equipment + Provider Type Code + Code + Code. Type + + + + + + + + + BBIE + Transport Equipment. Owner Type Code. Code + A code signifying the type of owner of this piece of transport equipment. + 0..1 + Transport Equipment + Owner Type Code + Code + Code. Type + + + + + + + + + BBIE + Transport Equipment. Size Type Code. Code + A code signifying the size and type of this piece of piece of transport equipment. When the piece of transport equipment is a shipping container, it is recommended to use ContainerSizeTypeCode for validation. + 0..1 + Transport Equipment + Size Type Code + Code + Code. Type + Container Size Type Code + + + + + + + + + BBIE + Transport Equipment. Disposition Code. Code + A code signifying the current disposition of this piece of transport equipment. + 0..1 + Transport Equipment + Disposition Code + Code + Code. Type + Status + + + + + + + + + BBIE + Transport Equipment. Fullness Indication Code. Code + A code signifying whether this piece of transport equipment is full, partially full, or empty. + 0..1 + Transport Equipment + Fullness Indication Code + Code + Code. Type + + + + + + + + + BBIE + Transport Equipment. Refrigeration On_ Indicator. Indicator + An indicator that this piece of transport equipment's refrigeration is on (true) or off (false). + 0..1 + Transport Equipment + Refrigeration On + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Information. Text + Additional information about this piece of transport equipment. + 0..n + Transport Equipment + Information + Text + Text. Type + + + + + + + + + BBIE + Transport Equipment. Returnability_ Indicator. Indicator + An indicator that this piece of transport equipment is returnable (true) or not (false). + 0..1 + Transport Equipment + Returnability + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Legal Status_ Indicator. Indicator + An indication of the legal status of this piece of transport equipment with respect to the Container Convention Code. + 0..1 + Transport Equipment + Legal Status + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Air Flow Percent. Percent + The percent of the airflow within this piece of transport equipment. + 0..1 + Transport Equipment + Air Flow Percent + Percent + Percent. Type + + + + + + + + + BBIE + Transport Equipment. Humidity Percent. Percent + The percent humidity within this piece of transport equipment. + 0..1 + Transport Equipment + Humidity Percent + Percent + Percent. Type + + + + + + + + + BBIE + Transport Equipment. Animal Food_ Approved Indicator. Indicator + An indicator that this piece of transport equipment is approved for animal food (true) or not (false). + 0..1 + Transport Equipment + Animal Food + Approved Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Human Food_ Approved Indicator. Indicator + An indicator that this piece of transport equipment is approved for human food (true) or not (false). + 0..1 + Transport Equipment + Human Food + Approved Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Dangerous Goods_ Approved Indicator. Indicator + An indicator that this piece of transport equipment is approved for dangerous goods (true) or not (false). + 0..1 + Transport Equipment + Dangerous Goods + Approved Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Refrigerated_ Indicator. Indicator + An indicator that this piece of transport equipment is refrigerated (true) or not (false). + 0..1 + Transport Equipment + Refrigerated + Indicator + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Characteristics. Text + Characteristics of this piece of transport equipment. + 0..1 + Transport Equipment + Characteristics + Text + Text. Type + + + + + + + + + BBIE + Transport Equipment. Damage_ Remarks. Text + Damage associated with this piece of transport equipment. + 0..n + Transport Equipment + Damage + Remarks + Text + Text. Type + + + + + + + + + BBIE + Transport Equipment. Description. Text + Text describing this piece of transport equipment. + 0..n + Transport Equipment + Description + Text + Text. Type + + + + + + + + + BBIE + Transport Equipment. Special_ Transport Requirements. Text + Special transport requirements expressed as text. + 0..n + Transport Equipment + Special + Transport Requirements + Text + Text. Type + + + + + + + + + BBIE + Transport Equipment. Gross_ Weight. Measure + The gross weight of this piece of transport equipment. + 0..1 + Transport Equipment + Gross + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Transport Equipment. Gross_ Volume. Measure + The gross volume of this piece of transport equipment. + 0..1 + Transport Equipment + Gross + Volume + Measure + Measure. Type + + + + + + + + + BBIE + Transport Equipment. Tare_ Weight. Measure + The weight of this piece of transport equipment when empty. + 0..1 + Transport Equipment + Tare + Weight + Measure + Measure. Type + + + + + + + + + BBIE + Transport Equipment. Tracking Device Code. Code + A code signifying the tracking device for this piece of transport equipment. + 0..1 + Transport Equipment + Tracking Device Code + Code + Code. Type + + + + + + + + + BBIE + Transport Equipment. Power. Indicator + An indicator that this piece of transport equipment can supply power (true) or not (false). + 0..1 + Transport Equipment + Power + Indicator + Indicator. Type + + + + + + + + + BBIE + Transport Equipment. Trace_ Identifier. Identifier + An identifier for use in tracing this piece of transport equipment, such as the EPC number used in RFID. + 0..1 + Transport Equipment + Trace + Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Transport Equipment. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of this piece of transport equipment. + 0..n + Transport Equipment + Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Transport Equipment. Transport Equipment Seal + A seal securing the door of a piece of transport equipment. + 0..n + Transport Equipment + Transport Equipment Seal + Transport Equipment Seal + Transport Equipment Seal + + + + + + + + + ASBIE + Transport Equipment. Minimum_ Temperature. Temperature + In the case of a refrigeration unit, the minimum allowable operating temperature for this container. + 0..1 + Transport Equipment + Minimum + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Transport Equipment. Maximum_ Temperature. Temperature + In the case of a refrigeration unit, the maximum allowable operating temperature for this container. + 0..1 + Transport Equipment + Maximum + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Transport Equipment. Provider_ Party. Party + The party providing this piece of transport equipment. + 0..1 + Transport Equipment + Provider + Party + Party + Party + + + + + + + + + ASBIE + Transport Equipment. Loading Proof_ Party. Party + The authorized party responsible for certifying that the goods were loaded into this piece of transport equipment. + 0..1 + Transport Equipment + Loading Proof + Party + Party + Party + Party responsible for proof of vanning (WCO ID 059) + + + + + + + + + ASBIE + Transport Equipment. Supplier Party + The party that supplies this piece of transport equipment. + 0..1 + Transport Equipment + Supplier Party + Supplier Party + Supplier Party + Party responsible for proof of vanning (WCO ID 059) + + + + + + + + + ASBIE + Transport Equipment. Owner_ Party. Party + The party that owns this piece of transport equipment. + 0..1 + Transport Equipment + Owner + Party + Party + Party + Party responsible for proof of vanning (WCO ID 059) + + + + + + + + + ASBIE + Transport Equipment. Operating_ Party. Party + The party that operates this piece of transport equipment. + 0..1 + Transport Equipment + Operating + Party + Party + Party + Party responsible for proof of vanning (WCO ID 059) + + + + + + + + + ASBIE + Transport Equipment. Loading_ Location. Location + The location where this piece of transport equipment is loaded. + 0..1 + Transport Equipment + Loading + Location + Location + Location + Vanning address (WCO ID 068), Stuffing location + + + + + + + + + ASBIE + Transport Equipment. Unloading_ Location. Location + The location where this piece of transport equipment is unloaded. + 0..1 + Transport Equipment + Unloading + Location + Location + Location + + + + + + + + + ASBIE + Transport Equipment. Storage_ Location. Location + The location where this piece of transport equipment is being stored. + 0..1 + Transport Equipment + Storage + Location + Location + Location + + + + + + + + + ASBIE + Transport Equipment. Positioning_ Transport Event. Transport Event + A positioning of this piece of transport equipment. + 0..n + Transport Equipment + Positioning + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Quarantine_ Transport Event. Transport Event + A quarantine of this piece of transport equipment. + 0..n + Transport Equipment + Quarantine + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Delivery_ Transport Event. Transport Event + A delivery of this piece of transport equipment. + 0..n + Transport Equipment + Delivery + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Pickup_ Transport Event. Transport Event + A pickup of this piece of transport equipment. + 0..n + Transport Equipment + Pickup + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Handling_ Transport Event. Transport Event + A handling of this piece of transport equipment. + 0..n + Transport Equipment + Handling + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Loading_ Transport Event. Transport Event + A loading of this piece of transport equipment. + 0..n + Transport Equipment + Loading + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Transport Event + A transport event associated with this piece of transport equipment. + 0..n + Transport Equipment + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Equipment. Applicable_ Transport Means. Transport Means + The applicable transport means associated with this piece of transport equipment. + 0..1 + Transport Equipment + Applicable + Transport Means + Transport Means + Transport Means + + + + + + + + + ASBIE + Transport Equipment. Haulage_ Trading Terms. Trading Terms + A set of haulage trading terms associated with this piece of transport equipment. + 0..n + Transport Equipment + Haulage + Trading Terms + Trading Terms + Trading Terms + + + + + + + + + ASBIE + Transport Equipment. Hazardous Goods Transit + Transit-related information regarding a type of hazardous goods contained in this piece of transport equipment. + 0..n + Transport Equipment + Hazardous Goods Transit + Hazardous Goods Transit + Hazardous Goods Transit + + + + + + + + + ASBIE + Transport Equipment. Packaged_ Transport Handling Unit. Transport Handling Unit + A packaged transport handling unit associated with this piece of transport equipment. + 0..n + Transport Equipment + Packaged + Transport Handling Unit + Transport Handling Unit + Transport Handling Unit + + + + + + + + + ASBIE + Transport Equipment. Service_ Allowance Charge. Allowance Charge + A service allowance charge associated with this piece of transport equipment. + 0..n + Transport Equipment + Service + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Transport Equipment. Freight_ Allowance Charge. Allowance Charge + A freight allowance charge associated with this piece of transport equipment. + 0..n + Transport Equipment + Freight + Allowance Charge + Allowance Charge + Allowance Charge + + + + + + + + + ASBIE + Transport Equipment. Attached_ Transport Equipment. Transport Equipment + A piece of transport equipment attached to this piece of transport equipment. + 0..n + Transport Equipment + Attached + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + ASBIE + Transport Equipment. Delivery + The delivery of this piece of transport equipment. + 0..1 + Transport Equipment + Delivery + Delivery + Delivery + + + + + + + + + ASBIE + Transport Equipment. Pickup + The pickup of this piece of transport equipment. + 0..1 + Transport Equipment + Pickup + Pickup + Pickup + + + + + + + + + ASBIE + Transport Equipment. Despatch + The despatch of this piece of transport equipment. + 0..1 + Transport Equipment + Despatch + Despatch + Despatch + + + + + + + + + ASBIE + Transport Equipment. Shipment_ Document Reference. Document Reference + A reference to a shipping document associated with this piece of transport equipment. + 0..n + Transport Equipment + Shipment + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Transport Equipment. Contained In_ Transport Equipment. Transport Equipment + A piece of transport equipment contained in this piece of transport equipment. + 0..n + Transport Equipment + Contained In + Transport Equipment + Transport Equipment + Transport Equipment + e.g. pallets inside containers + + + + + + + + + ASBIE + Transport Equipment. Package + A package contained in this piece of transport equipment. + 0..n + Transport Equipment + Package + Package + Package + + + + + + + + + ASBIE + Transport Equipment. Goods Item + A goods item contained in this piece of transport equipment. + 0..n + Transport Equipment + Goods Item + Goods Item + Goods Item + + + + + + + + + ASBIE + Transport Equipment. Verified Gross Mass + The verified gross mass of this piece of transport equipment. + 0..1 + Transport Equipment + Verified Gross Mass + Verified Gross Mass + Verified Gross Mass + + + + + + + + + + + ABIE + Transport Equipment Seal. Details + A class to describe a device (a transport equipment seal) for securing the doors of a shipping container. + Transport Equipment Seal + Container Seal + + + + + + + + + BBIE + Transport Equipment Seal. Identifier + An identifier for this transport equipment seal. + 1 + Transport Equipment Seal + Identifier + Identifier + Identifier. Type + ACS1234 + + + + + + + + + BBIE + Transport Equipment Seal. Seal Issuer Type Code. Code + A code signifying the type of party that issues and is responsible for this transport equipment seal. + 0..1 + Transport Equipment Seal + Seal Issuer Type Code + Code + Code. Type + + + + + + + + + BBIE + Transport Equipment Seal. Condition. Text + The condition of this transport equipment seal. + 0..1 + Transport Equipment Seal + Condition + Text + Text. Type + + + + + + + + + BBIE + Transport Equipment Seal. Seal Status Code. Code + A code signifying the condition of this transport equipment seal. + 0..1 + Transport Equipment Seal + Seal Status Code + Code + Code. Type + + + + + + + + + BBIE + Transport Equipment Seal. Sealing Party Type. Text + The role of the sealing party. + 0..1 + Transport Equipment Seal + Sealing Party Type + Text + Text. Type + Sealing Party + + + + + + + + + + + ABIE + Transport Event. Details + A class to describe a significant occurrence or happening related to the transportation of goods. + Transport Event + + + + + + + + + BBIE + Transport Event. Identification. Identifier + An identifier for this transport event within an agreed event identification scheme. + 0..1 + Transport Event + Identification + Identifier + Identifier. Type + + + + + + + + + BBIE + Transport Event. Occurrence Date. Date + The date of this transport event. + 0..1 + Transport Event + Occurrence Date + Date + Date. Type + + + + + + + + + BBIE + Transport Event. Occurrence Time. Time + The time of this transport event. + 0..1 + Transport Event + Occurrence Time + Time + Time. Type + + + + + + + + + BBIE + Transport Event. Transport Event Type Code. Code + A code signifying the type of this transport event. + 0..1 + Transport Event + Transport Event Type Code + Code + Code. Type + + + + + + + + + BBIE + Transport Event. Description. Text + Text describing this transport event. + 0..n + Transport Event + Description + Text + Text. Type + + + + + + + + + BBIE + Transport Event. Completion_ Indicator. Indicator + An indicator that this transport event has been completed (true) or not (false). + 0..1 + Transport Event + Completion + Indicator + Indicator + Indicator. Type + + + + + + + + + ASBIE + Transport Event. Reported_ Shipment. Shipment + The shipment involved in this transport event. + 0..1 + Transport Event + Reported + Shipment + Shipment + Shipment + + + + + + + + + ASBIE + Transport Event. Current_ Status. Status + The current status of this transport event. + 0..n + Transport Event + Current + Status + Status + Status + + + + + + + + + ASBIE + Transport Event. Contact + A contact associated with this transport event. + 0..n + Transport Event + Contact + Contact + Contact + + + + + + + + + ASBIE + Transport Event. Location + The location associated with this transport event. + 0..1 + Transport Event + Location + Location + Location + + + + + + + + + ASBIE + Transport Event. Signature + A signature that can be used to sign for an entry or an exit at a transport location (e.g., port terminal). + 0..1 + Transport Event + Signature + Signature + Signature + + + + + + + + + ASBIE + Transport Event. Period + A period of time associated with this transport event. + 0..n + Transport Event + Period + Period + Period + + + + + + + + + + + ABIE + Transport Execution Terms. Details + A class to describe terms applying to a transport execution plan. + Transport Execution Terms + + + + + + + + + BBIE + Transport Execution Terms. Transport User_ Special Terms. Text + Text describing special terms specified by the transport user. + 0..n + Transport Execution Terms + Transport User + Special Terms + Text + Text. Type + + + + + + + + + BBIE + Transport Execution Terms. Transport Service Provider_ Special Terms. Text + Text describing special terms specified by the transport service provider. + 0..n + Transport Execution Terms + Transport Service Provider + Special Terms + Text + Text. Type + + + + + + + + + BBIE + Transport Execution Terms. Change Conditions. Text + Text describing conditions applying to a change of these transport execution terms. + 0..n + Transport Execution Terms + Change Conditions + Text + Text. Type + + + + + + + + + ASBIE + Transport Execution Terms. Payment Terms + Payment terms associated with the transportation service. + 0..n + Transport Execution Terms + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Transport Execution Terms. Delivery Terms + Delivery terms (e.g., Incoterms) associated with the transportation service. + 0..n + Transport Execution Terms + Delivery Terms + Delivery Terms + Delivery Terms + + + + + + + + + ASBIE + Transport Execution Terms. Bonus_ Payment Terms. Payment Terms + Terms relating to payment of applicable bonuses associated with the transport service. + 0..1 + Transport Execution Terms + Bonus + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Transport Execution Terms. Commission_ Payment Terms. Payment Terms + Terms of payment applying to a commission specified in the transport execution plan. + 0..1 + Transport Execution Terms + Commission + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Transport Execution Terms. Penalty_ Payment Terms. Payment Terms + Terms of payment applying to a penalty specified in the transport execution plan. + 0..1 + Transport Execution Terms + Penalty + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + ASBIE + Transport Execution Terms. Environmental Emission + An environmental emission resulting from the transportation service. + 0..n + Transport Execution Terms + Environmental Emission + Environmental Emission + Environmental Emission + + + + + + + + + ASBIE + Transport Execution Terms. Notification Requirement + A notification requirement related to the transportation service; e.g., a requirement that the transport user should be notified when goods are ready for pickup. + 0..n + Transport Execution Terms + Notification Requirement + Notification Requirement + Notification Requirement + + + + + + + + + ASBIE + Transport Execution Terms. Service Charge_ Payment Terms. Payment Terms + Payment terms for the service charge associated with the transport service. + 0..1 + Transport Execution Terms + Service Charge + Payment Terms + Payment Terms + Payment Terms + + + + + + + + + + + ABIE + Transport Handling Unit. Details + A class to describe a uniquely identifiable unit consisting of one or more packages, goods items, or pieces of transport equipment. + Transport Handling Unit + Logistics Unit, Handling Unit, THU + + + + + + + + + BBIE + Transport Handling Unit. Identifier + An identifier for this transport handling unit. + 0..1 + Transport Handling Unit + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Transport Handling Unit. Transport Handling Unit Type Code. Code + A code signifying the type of this transport handling unit. + 0..1 + Transport Handling Unit + Transport Handling Unit Type Code + Code + Code. Type + + + + + + + + + BBIE + Transport Handling Unit. Handling Code. Code + The handling required for this transport handling unit, expressed as a code. + 0..1 + Transport Handling Unit + Handling Code + Code + Code. Type + Special Handling + + + + + + + + + BBIE + Transport Handling Unit. Handling_ Instructions. Text + The handling required for this transport handling unit, expressed as text. + 0..n + Transport Handling Unit + Handling + Instructions + Text + Text. Type + + + + + + + + + BBIE + Transport Handling Unit. Hazardous Risk_ Indicator. Indicator + An indicator that the materials contained in this transport handling unit are subject to an international regulation concerning the carriage of dangerous goods (true) or not (false). + 0..1 + Transport Handling Unit + Hazardous Risk + Indicator + Indicator + Indicator. Type + Default is negative + + + + + + + + + BBIE + Transport Handling Unit. Total_ Goods Item Quantity. Quantity + The total number of goods items in this transport handling unit. + 0..1 + Transport Handling Unit + Total + Goods Item Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Transport Handling Unit. Total_ Package Quantity. Quantity + The total number of packages in this transport handling unit. + 0..1 + Transport Handling Unit + Total + Package Quantity + Quantity + Quantity. Type + + + + + + + + + BBIE + Transport Handling Unit. Damage_ Remarks. Text + Text describing damage associated with this transport handling unit. + 0..n + Transport Handling Unit + Damage + Remarks + Text + Text. Type + + + + + + + + + BBIE + Transport Handling Unit. Shipping_ Marks. Text + Text describing the marks and numbers on this transport handling unit. + 0..n + Transport Handling Unit + Shipping + Marks + Text + Text. Type + Marks and Numbers, Shipping Marks + + + + + + + + + BBIE + Transport Handling Unit. Trace_ Identifier. Identifier + An identifier for use in tracing this transport handling unit, such as the EPC number used in RFID. + 0..1 + Transport Handling Unit + Trace + Identifier + Identifier + Identifier. Type + + + + + + + + + ASBIE + Transport Handling Unit. Handling Unit_ Despatch Line. Despatch Line + A despatch line associated with this transport handling unit. + 0..n + Transport Handling Unit + Handling Unit + Despatch Line + Despatch Line + Despatch Line + + + + + + + + + ASBIE + Transport Handling Unit. Actual_ Package. Package + A package contained in this transport handling unit. + 0..n + Transport Handling Unit + Actual + Package + Package + Package + + + + + + + + + ASBIE + Transport Handling Unit. Received Handling Unit_ Receipt Line. Receipt Line + A receipt line associated with this transport handling unit. + 0..n + Transport Handling Unit + Received Handling Unit + Receipt Line + Receipt Line + Receipt Line + + + + + + + + + ASBIE + Transport Handling Unit. Transport Equipment + A piece of transport equipment associated with this transport handling unit. + 0..n + Transport Handling Unit + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + ASBIE + Transport Handling Unit. Transport Means + A means of transport associated with this transport handling unit. + 0..n + Transport Handling Unit + Transport Means + Transport Means + Transport Means + + + + + + + + + ASBIE + Transport Handling Unit. Hazardous Goods Transit + Transit-related information regarding a type of hazardous goods contained in this transport handling unit. + 0..n + Transport Handling Unit + Hazardous Goods Transit + Hazardous Goods Transit + Hazardous Goods Transit + + + + + + + + + ASBIE + Transport Handling Unit. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of this transport handling unit. + 0..n + Transport Handling Unit + Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Transport Handling Unit. Minimum_ Temperature. Temperature + The minimum required operating temperature of this transport handling unit. + 0..1 + Transport Handling Unit + Minimum + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Transport Handling Unit. Maximum_ Temperature. Temperature + The maximum allowable operating temperature of this transport handling unit. + 0..1 + Transport Handling Unit + Maximum + Temperature + Temperature + Temperature + + + + + + + + + ASBIE + Transport Handling Unit. Goods Item + A goods item contained in this transport handling unit. + 0..n + Transport Handling Unit + Goods Item + Goods Item + Goods Item + + + + + + + + + ASBIE + Transport Handling Unit. Floor Space Measurement_ Dimension. Dimension + The floor space measurement dimension associated with this transport handling unit. + 0..1 + Transport Handling Unit + Floor Space Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Transport Handling Unit. Pallet Space Measurement_ Dimension. Dimension + The pallet space measurement dimension associated to this transport handling unit. + 0..1 + Transport Handling Unit + Pallet Space Measurement + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Transport Handling Unit. Shipment_ Document Reference. Document Reference + A reference to a shipping document associated with this transport handling unit. + 0..n + Transport Handling Unit + Shipment + Document Reference + Document Reference + Document Reference + + + + + + + + + ASBIE + Transport Handling Unit. Status + The status of this transport handling unit. + 0..n + Transport Handling Unit + Status + Status + Status + + + + + + + + + ASBIE + Transport Handling Unit. Customs Declaration + Describes identifiers or references relating to customs procedures. + 0..n + Transport Handling Unit + Customs Declaration + Customs Declaration + Customs Declaration + + + + + + + + + ASBIE + Transport Handling Unit. Referenced_ Shipment. Shipment + A shipment associated with this transport handling unit. + 0..n + Transport Handling Unit + Referenced + Shipment + Shipment + Shipment + + + + + + + + + ASBIE + Transport Handling Unit. Package + A package contained in this transport handling unit. + 0..n + Transport Handling Unit + Package + Package + Package + + + + + + + + + + + ABIE + Transport Means. Details + A class to describe a particular vehicle or vessel used for the conveyance of goods or persons. + Transport Means + Conveyance + + + + + + + + + BBIE + Transport Means. Journey Identifier. Identifier + An identifier for the regular service schedule of this means of transport. + 0..1 + Transport Means + Journey Identifier + Identifier + Identifier. Type + Voyage Number, Scheduled Conveyance Identifier (WCO ID 205), Flight Number + + + + + + + + + BBIE + Transport Means. Registration_ Nationality Identifier. Identifier + An identifier for the country in which this means of transport is registered. + 0..1 + Transport Means + Registration + Nationality Identifier + Identifier + Identifier. Type + Nationality of Means of Transport (WCO 175, 178 and 179) + LIB + + + + + + + + + BBIE + Transport Means. Registration_ Nationality. Text + Text describing the country in which this means of transport is registered. + 0..n + Transport Means + Registration + Nationality + Text + Text. Type + Flag of Vessel, Nationality of Ship + Liberia + + + + + + + + + BBIE + Transport Means. Direction Code. Code + A code signifying the direction of this means of transport. + 0..1 + Transport Means + Direction Code + Code + Code. Type + Transit Direction + North , East + + + + + + + + + BBIE + Transport Means. Transport Means Type Code. Code + A code signifying the type of this means of transport (truck, vessel, etc.). + 0..1 + Transport Means + Transport Means Type Code + Code + Code. Type + + + + + + + + + BBIE + Transport Means. Trade Service Code. Code + A code signifying the service regularly provided by the carrier operating this means of transport. + 0..1 + Transport Means + Trade Service Code + Code + Code. Type + + + + + + + + + ASBIE + Transport Means. Stowage + The location within the means of transport where goods are to be or have been stowed. + 0..1 + Transport Means + Stowage + Stowage + Stowage + + + + + + + + + ASBIE + Transport Means. Air Transport + An aircraft used for transport. + 0..1 + Transport Means + Air Transport + Air Transport + Air Transport + + + + + + + + + ASBIE + Transport Means. Road Transport + A vehicle used for road transport. + 0..1 + Transport Means + Road Transport + Road Transport + Road Transport + + + + + + + + + ASBIE + Transport Means. Rail Transport + Equipment used for rail transport. + 0..1 + Transport Means + Rail Transport + Rail Transport + Rail Transport + + + + + + + + + ASBIE + Transport Means. Maritime Transport + A vessel used for transport by water (not only by sea). + 0..1 + Transport Means + Maritime Transport + Maritime Transport + Maritime Transport + + + + + + + + + ASBIE + Transport Means. Owner_ Party. Party + The party that owns this means of transport. + 0..1 + Transport Means + Owner + Party + Party + Party + + + + + + + + + ASBIE + Transport Means. Measurement_ Dimension. Dimension + A measurable dimension (length, mass, weight, or volume) of this means of transport. + 0..n + Transport Means + Measurement + Dimension + Dimension + Dimension + + + + + + + + + + + ABIE + Transport Schedule. Details + Describes the location and schedule relating to a transport means. + Transport Schedule + + + + + + + + + BBIE + Transport Schedule. Sequence. Numeric + A number indicating the order of this status in the sequence in which statuses are to be presented. + 1 + Transport Schedule + Sequence + Numeric + Numeric. Type + + + + + + + + + BBIE + Transport Schedule. Reference Date. Date + The reference date for the transport schedule status. + 0..1 + Transport Schedule + Reference Date + Date + Date. Type + + + + + + + + + BBIE + Transport Schedule. Reference Time. Time + The reference time for the transport schedule status. + 0..1 + Transport Schedule + Reference Time + Time + Time. Type + + + + + + + + + BBIE + Transport Schedule. Reliability Percent. Percent + The reliability of the transport schedule status, expressed as a percentage. + 0..1 + Transport Schedule + Reliability Percent + Percent + Percent. Type + + + + + + + + + BBIE + Transport Schedule. Remarks. Text + Remarks related to the transport schedule status. + 0..n + Transport Schedule + Remarks + Text + Text. Type + + + + + + + + + ASBIE + Transport Schedule. Status_ Location. Location + The location for which status is reported. + 1 + Transport Schedule + Status + Location + Location + Location + + + + + + + + + ASBIE + Transport Schedule. Actual Arrival_ Transport Event. Transport Event + The actual arrival at a location. + 0..1 + Transport Schedule + Actual Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Schedule. Actual Departure_ Transport Event. Transport Event + The actual departure from a location. + 0..1 + Transport Schedule + Actual Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Schedule. Estimated Departure_ Transport Event. Transport Event + An estimated departure from a specified location. + 0..1 + Transport Schedule + Estimated Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Schedule. Estimated Arrival_ Transport Event. Transport Event + An estimated arrival at a specified location. + 0..1 + Transport Schedule + Estimated Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Schedule. Planned Departure_ Transport Event. Transport Event + The planned departure from a specified location. + 0..1 + Transport Schedule + Planned Departure + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transport Schedule. Planned Arrival_ Transport Event. Transport Event + The planned arrival at a specified location. + 0..1 + Transport Schedule + Planned Arrival + Transport Event + Transport Event + Transport Event + + + + + + + + + + + ABIE + Transportation Segment. Details + A class to describe one segment or leg in a transportation service. + Transportation Segment + + + + + + + + + BBIE + Transportation Segment. Sequence. Numeric + A number indicating the order of this segment in the sequence of transportation segments making up a transportation service. + 1 + Transportation Segment + Sequence + Numeric + Numeric. Type + 1, 2, 3, 4, etc. + + + + + + + + + BBIE + Transportation Segment. Transport Execution Plan Reference. Identifier + An identifier for the transport execution plan governing this transportation segment. + 0..1 + Transportation Segment + Transport Execution Plan Reference + Identifier + Identifier. Type + + + + + + + + + ASBIE + Transportation Segment. Transportation Service + The transportation service used in this transportation segment. + 1 + Transportation Segment + Transportation Service + Transportation Service + Transportation Service + + + + + + + + + ASBIE + Transportation Segment. Transport Service Provider_ Party. Party + The transport service provider responsible for carrying out transportation services in this transportation segment. + 1 + Transportation Segment + Transport Service Provider + Party + Party + Party + + + + + + + + + ASBIE + Transportation Segment. Referenced_ Consignment. Consignment + A consignment referenced in this transportation segment. Such a consignment may have different identifiers than the consignment identifiers being used in the transportation service agreed between the transport user and the transport service provider. + 0..1 + Transportation Segment + Referenced + Consignment + Consignment + Consignment + + + + + + + + + ASBIE + Transportation Segment. Shipment Stage + The shipment stage associated with this transportation segment. + 0..n + Transportation Segment + Shipment Stage + Shipment Stage + Shipment Stage + + + + + + + + + + + ABIE + Transportation Service. Details + A class to describe a transportation service. + Transportation Service + + + + + + + + + BBIE + Transportation Service. Transport Service Code. Code + A code signifying the extent of this transportation service (e.g., door-to-door, port-to-port). + 1 + Transportation Service + Transport Service Code + Code + Code. Type + + + + + + + + + BBIE + Transportation Service. Tariff Class Code. Code + A code signifying the tariff class applicable to this transportation service. + 0..1 + Transportation Service + Tariff Class Code + Code + Code. Type + Tariff Class Specifier + + + + + + + + + BBIE + Transportation Service. Priority. Text + The priority of this transportation service. + 0..1 + Transportation Service + Priority + Text + Text. Type + + + + + + + + + BBIE + Transportation Service. Freight Rate Class Code. Code + A code signifying the rate class for freight in this transportation service. + 0..1 + Transportation Service + Freight Rate Class Code + Code + Code. Type + Charge Basis + + + + + + + + + BBIE + Transportation Service. Transportation Service Description. Text + Text describing this transportation service. + 0..n + Transportation Service + Transportation Service Description + Text + Text. Type + + + + + + + + + BBIE + Transportation Service. Transportation Service Details URI. Identifier + The Uniform Resource Identifier (URI) of a document providing additional details regarding this transportation service. + 0..1 + Transportation Service + Transportation Service Details URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Transportation Service. Nomination Date. Date + In a transport contract, the deadline date by which this transportation service has to be booked. For example, if this service is scheduled for Wednesday 16 February 2011 at 10 a.m. CET, the nomination date might be Tuesday15 February 2011. + 0..1 + Transportation Service + Nomination Date + Date + Date. Type + + + + + + + + + BBIE + Transportation Service. Nomination Time. Time + In a transport contract, the deadline time by which this transportation service has to be booked. For example, if this service is scheduled for Wednesday 16 February 2011 at 10 a.m. CET, the nomination date might be Tuesday15 February 2011 and the nomination time 4 p.m. at the latest. + 0..1 + Transportation Service + Nomination Time + Time + Time. Type + + + + + + + + + BBIE + Transportation Service. Name + The name of this transportation service. + 0..1 + Transportation Service + Name + Name + Name. Type + + + + + + + + + BBIE + Transportation Service. Sequence. Numeric + A number indicating the order of this transportation service in a sequence of transportation services. + 0..1 + Transportation Service + Sequence + Numeric + Numeric. Type + + + + + + + + + ASBIE + Transportation Service. Transport Equipment + A piece of transport equipment used in this transportation service. + 0..n + Transportation Service + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + ASBIE + Transportation Service. Supported_ Transport Equipment. Transport Equipment + A piece of transport equipment supported in this transportation service. + 0..n + Transportation Service + Supported + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + ASBIE + Transportation Service. Unsupported_ Transport Equipment. Transport Equipment + A piece of transport equipment that is not supported in this transportation service. + 0..n + Transportation Service + Unsupported + Transport Equipment + Transport Equipment + Transport Equipment + + + + + + + + + ASBIE + Transportation Service. Commodity Classification + A classification of this transportation service. + 0..n + Transportation Service + Commodity Classification + Commodity Classification + Commodity Classification + + + + + + + + + ASBIE + Transportation Service. Supported_ Commodity Classification. Commodity Classification + A classification (e.g., general cargo) for commodities that can be handled in this transportation service. + 0..n + Transportation Service + Supported + Commodity Classification + Commodity Classification + Commodity Classification + + + + + + + + + ASBIE + Transportation Service. Unsupported_ Commodity Classification. Commodity Classification + A classification for commodities that cannot be handled in this transportation service. + 0..n + Transportation Service + Unsupported + Commodity Classification + Commodity Classification + Commodity Classification + + + + + + + + + ASBIE + Transportation Service. Total Capacity_ Dimension. Dimension + The total capacity or volume available in this transportation service. + 0..1 + Transportation Service + Total Capacity + Dimension + Dimension + Dimension + + + + + + + + + ASBIE + Transportation Service. Shipment Stage + One of the stages of shipment in this transportation service. + 0..n + Transportation Service + Shipment Stage + Shipment Stage + Shipment Stage + + + + + + + + + ASBIE + Transportation Service. Transport Event + One of the transport events taking place in this transportation service. + 0..n + Transportation Service + Transport Event + Transport Event + Transport Event + + + + + + + + + ASBIE + Transportation Service. Responsible Transport Service Provider_ Party. Party + The transport service provider responsible for this transportation service. + 0..1 + Transportation Service + Responsible Transport Service Provider + Party + Party + Party + + + + + + + + + ASBIE + Transportation Service. Environmental Emission + An environmental emission resulting from this transportation service. + 0..n + Transportation Service + Environmental Emission + Environmental Emission + Environmental Emission + + + + + + + + + ASBIE + Transportation Service. Estimated Duration_ Period. Period + The estimated duration of this transportation service. + 0..1 + Transportation Service + Estimated Duration + Period + Period + Period + + + + + + + + + ASBIE + Transportation Service. Scheduled_ Service Frequency. Service Frequency + A class to specify which day of the week a transport service is operational. + 0..n + Transportation Service + Scheduled + Service Frequency + Service Frequency + Service Frequency + + + + + + + + + + + ABIE + Unstructured Price. Details + A simplified version of the Price class intended for applications such as telephone billing. + Unstructured Price + + + + + + + + + BBIE + Unstructured Price. Price Amount. Amount + The price amount. + 0..1 + Unstructured Price + Price Amount + Amount + Amount. Type + 23.45 + + + + + + + + + BBIE + Unstructured Price. Time Amount. Text + The usage time upon which the price is based. + 0..1 + Unstructured Price + Time Amount + Text + Text. Type + + + + + + + + + + + ABIE + Utility Item. Details + A class to describe the consumption of a utility product. + Utility Item + + + + + + + + + BBIE + Utility Item. Identifier + An identifier for this utility item. + 1 + Utility Item + Identifier + Identifier + Identifier. Type + 1 + + + + + + + + + BBIE + Utility Item. Subscriber Identifier. Identifier + An identifier for the subscriber to the utility. + 0..1 + Utility Item + Subscriber Identifier + Identifier + Identifier. Type + 98143211 + + + + + + + + + BBIE + Utility Item. Subscriber Type. Text + Identification of the subscriber type, expressed as text.. + 0..1 + Utility Item + Subscriber Type + Text + Text. Type + + + + + + + + + BBIE + Utility Item. Subscriber Type Code. Code + The code identifying for the service type. + 0..1 + Utility Item + Subscriber Type Code + Code + Code. Type + + + + + + + + + BBIE + Utility Item. Description. Text + Text describing the consumption product. + 0..n + Utility Item + Description + Text + Text. Type + Basis price quarter (5.761 kWh per 35,58 cents), Transport of electricity, etc. + + + + + + + + + BBIE + Utility Item. Pack Quantity. Quantity + The unit packaging quantity. + 0..1 + Utility Item + Pack Quantity + Quantity + Quantity. Type + 1 + + + + + + + + + BBIE + Utility Item. Pack Size. Numeric + The number of items in a pack. + 0..1 + Utility Item + Pack Size + Numeric + Numeric. Type + + + + + + + + + BBIE + Utility Item. Consumption Type. Text + The type of product consumed, expressed as text. + 0..1 + Utility Item + Consumption Type + Text + Text. Type + Consumption + + + + + + + + + BBIE + Utility Item. Consumption Type Code. Code + The type of product consumed, expressed as a code. + 0..1 + Utility Item + Consumption Type Code + Code + Code. Type + Consumption + + + + + + + + + BBIE + Utility Item. Current_ Charge Type. Text + Information of the actual payments type for the utility Item + 0..1 + Utility Item + Current + Charge Type + Text + Text. Type + + + + + + + + + BBIE + Utility Item. Current_ Charge Type Code. Code + Information of the actual payments type code expressed as a code + 0..1 + Utility Item + Current + Charge Type Code + Code + Code. Type + + + + + + + + + BBIE + Utility Item. One Time_ Charge Type. Text + Information about the one-time payment type in case everything is paid One time + 0..1 + Utility Item + One Time + Charge Type + Text + Text. Type + + + + + + + + + BBIE + Utility Item. One Time_ Charge Type Code. Code + Information about the one-time payment type code + 0..1 + Utility Item + One Time + Charge Type Code + Code + Code. Type + + + + + + + + + ASBIE + Utility Item. Tax Category + The tax category applicable to this utility item. + 0..1 + Utility Item + Tax Category + Tax Category + Tax Category + + + + + + + + + ASBIE + Utility Item. Contract + A contract setting forth conditions applicable to this utility item. + 0..1 + Utility Item + Contract + Contract + Contract + + + + + + + + + + + ABIE + Verified Gross Mass. Details + A class to describe a verified gross mass (VGM) measure and its documentation. + Verified Gross Mass + VGM + + + + + + + + + BBIE + Verified Gross Mass. Identifier + An identifier for this mass measure. + 0..1 + Verified Gross Mass + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Verified Gross Mass. Weighing Date. Date + The weighing date. + 0..1 + Verified Gross Mass + Weighing Date + Date + Date. Type + + + + + + + + + BBIE + Verified Gross Mass. Weighing Time. Time + The weighing time. + 0..1 + Verified Gross Mass + Weighing Time + Time + Time. Type + + + + + + + + + BBIE + Verified Gross Mass. Weighing Method Code. Code + A code signifying the weighing method used (e.g. according the SOLAS Convention). + 1 + Verified Gross Mass + Weighing Method Code + Code + Weighing Method + Weighing Method_ Code. Type + 1, 2 + + + + + + + + + BBIE + Verified Gross Mass. Weighing Device Identifier. Identifier + An identifier for the weighing device used for executing the weight measurement. + 0..1 + Verified Gross Mass + Weighing Device Identifier + Identifier + Identifier. Type + WeighScale-01 + + + + + + + + + BBIE + Verified Gross Mass. Weighing Device Type. Text + Text describing the weighing device type used for executing the weight measurement. + 0..1 + Verified Gross Mass + Weighing Device Type + Text + Text. Type + Truck Scale, Weighbridge + + + + + + + + + BBIE + Verified Gross Mass. Gross_ Mass. Measure + The total verified gross mass of a packed container which includes the cargo weight, block and bracing materials and container tare. + 1 + Verified Gross Mass + Gross + Mass + Measure + Measure. Type + VGM + + + + + + + + + ASBIE + Verified Gross Mass. Weighing_ Party. Party + The party executing the weight measure. + 0..1 + Verified Gross Mass + Weighing + Party + Party + Party + + + + + + + + + ASBIE + Verified Gross Mass. Shipper_ Party. Party + The party playing the role of the Shipper (BCO, FF or NVOCC) who is responsible for the VGM (e.g. according the SOLAS Convention). + 0..1 + Verified Gross Mass + Shipper + Party + Party + Party + + + + + + + + + ASBIE + Verified Gross Mass. Responsible_ Party. Party + The party responsible for signing the VGM on behalf of the Shipper. + 0..1 + Verified Gross Mass + Responsible + Party + Party + Party + + + + + + + + + ASBIE + Verified Gross Mass. Document Reference + A reference to the VGM documentary evidence. + 1..n + Verified Gross Mass + Document Reference + Document Reference + Document Reference + + + + + + + + + + + ABIE + Web Site. Details + A class to describe a web site. + Web Site + + + + + + + + + BBIE + Web Site. Identifier + An identifier for a specific web site. + 0..1 + Web Site + Identifier + Identifier + Identifier. Type + UBL + + + + + + + + + BBIE + Web Site. Name + The common name of the web site. + 0..1 + Web Site + Name + Name + Name. Type + UBL Online Community + + + + + + + + + BBIE + Web Site. Description. Text + Text describing the web site. + 0..n + Web Site + Description + Text + Text. Type + Online community for the Universal Business Language (UBL) OASIS Standard + + + + + + + + + BBIE + Web Site. Web Site Type Code. Code + A code that specifies the type web site. + 0..1 + Web Site + Web Site Type Code + Code + Code. Type + Satellite, Portal, Operative, Industry, ... + + + + + + + + + BBIE + Web Site. URI. Identifier + The Uniform Resource Identifier (URI) of the web site; i.e., its Uniform Resource Locator (URL). + 1 + Web Site + URI + Identifier + Identifier. Type + http://ubl.xml.org/ + + + + + + + + + ASBIE + Web Site. Web Site Access + Access information for the website (e.g. guest credentials). + 0..n + Web Site + Web Site Access + Web Site Access + Web Site Access + + + + + + + + + + + ABIE + Web Site Access. Details + A class to describe access to a web site. + Web Site Access + + + + + + + + + BBIE + Web Site Access. URI. Identifier + The Uniform Resource Identifier (URI) for this web site; i.e., its Uniform Resource Locator (URL). + 0..1 + Web Site Access + URI + Identifier + Identifier. Type + + + + + + + + + BBIE + Web Site Access. Password. Text + A password to the web site. + 1 + Web Site Access + Password + Text + Text. Type + confidence + + + + + + + + + BBIE + Web Site Access. Login. Text + Text describing login details. + 1 + Web Site Access + Login + Text + Text. Type + Utsuser + + + + + + + + + + + ABIE + Winning Party. Details + A party that is identified as the awarded by a tender result. + Winning Party + + + + + + + + + BBIE + Winning Party. Rank. Text + Indicates the rank obtained in the award. + 0..1 + Winning Party + Rank + Text + Text. Type + + + + + + + + + ASBIE + Winning Party. Party + Information about an organization, sub-organization, or individual fulfilling a role in a business process. + 1 + Winning Party + Party + Party + Party + + + + + + + + + + + ABIE + Work Phase Reference. Details + A class that refers to a phase of work. Used for instance to specify what part of the contract the billing is referring to. + Work Phase Reference + + + + + + + + + BBIE + Work Phase Reference. Identifier + An identifier for this phase of work. + 0..1 + Work Phase Reference + Identifier + Identifier + Identifier. Type + + + + + + + + + BBIE + Work Phase Reference. Work Phase Code. Code + A code signifying this phase of work. + 0..1 + Work Phase Reference + Work Phase Code + Code + Code. Type + + + + + + + + + BBIE + Work Phase Reference. Work Phase. Text + Text describing this phase of work. + 0..n + Work Phase Reference + Work Phase + Text + Text. Type + + + + + + + + + BBIE + Work Phase Reference. Progress Percent. Percent + The progress percentage of the work phase. + 0..1 + Work Phase Reference + Progress Percent + Percent + Percent. Type + + + + + + + + + BBIE + Work Phase Reference. Start Date. Date + The date on which this phase of work begins. + 0..1 + Work Phase Reference + Start Date + Date + Date. Type + + + + + + + + + BBIE + Work Phase Reference. End Date. Date + The date on which this phase of work ends. + 0..1 + Work Phase Reference + End Date + Date + Date. Type + + + + + + + + + ASBIE + Work Phase Reference. Work Order_ Document Reference. Document Reference + A reference to a document regarding the work order for the project in which this phase of work takes place. + 0..n + Work Phase Reference + Work Order + Document Reference + Document Reference + Document Reference + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd new file mode 100644 index 000000000..2adc2a6a7 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd @@ -0,0 +1,1100 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:common + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + An augmentation type + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + A data type for a disposition action. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + EFile Only + + + + + EFile and Serve + + + + + Service Only + + + + + + + A data type for a filing action. + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f92089dccb563884.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f92089dccb563884.xsd new file mode 100644 index 000000000..287ad124a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f92089dccb563884.xsd @@ -0,0 +1,27 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:getreturndate + + + + + + + + + + + + + + + + + + + + + An augmentation + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl new file mode 100644 index 000000000..a5d43c3b6 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl @@ -0,0 +1,173 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file From 508a8033328062b2fce1ba9690da9fb38b2518fb Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 12:06:36 -0500 Subject: [PATCH 04/12] For Court Scheduling + Filing Review MDEs --- .../v2024_6/ecfv5-massachusetts-extension.xsd | 45 +++++++ .../illinois-ECF5-CourtSchedulingMDE.wsdl | 111 ++++++++++++++++++ .../illinois-ECF5-FilingReviewMDE.wsdl | 9 ++ 3 files changed, 165 insertions(+) create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-massachusetts-extension.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-massachusetts-extension.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-massachusetts-extension.xsd new file mode 100644 index 000000000..942a62013 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-massachusetts-extension.xsd @@ -0,0 +1,45 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:massachusetts + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl new file mode 100644 index 000000000..8ff1cf00a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl @@ -0,0 +1,111 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl new file mode 100644 index 000000000..74271d189 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl @@ -0,0 +1,9 @@ + \ No newline at end of file From 603500461f910da62f8aac84a2aa1efb214c4021 Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 12:09:12 -0500 Subject: [PATCH 05/12] For "Tyler" Court Record MDE Why do they have their own MDEs again? --- .../wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd | 42 +++ .../wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd | 31 ++ .../wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd | 16 + .../wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd | 21 ++ .../wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd | 35 +++ .../wsdl/v2024_6/ecfv5-2a587b999421d674.xsd | 36 +++ .../wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd | 17 ++ .../wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd | 31 ++ .../wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd | 30 ++ .../wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd | 33 +++ .../wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd | 27 ++ .../wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd | 280 ++++++++++++++++++ .../wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd | 48 +++ .../wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd | 23 ++ .../wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd | 47 +++ .../wsdl/v2024_6/ecfv5-951e08758525a686.xsd | 17 ++ .../wsdl/v2024_6/ecfv5-98a31dc617034623.xsd | 15 + .../wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd | 29 ++ .../wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd | 42 +++ .../wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd | 30 ++ .../wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd | 29 ++ .../wsdl/v2024_6/ecfv5-b60626716c40e961.xsd | 17 ++ .../wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd | 33 +++ .../wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd | 38 +++ .../wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd | 46 +++ .../wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd | 31 ++ .../wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd | 29 ++ .../wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd | 17 ++ .../wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd | 52 ++++ .../wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd | 32 ++ .../wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd | 32 ++ .../illinois-ECF5-TylerCourtRecordMDE.wsdl | 223 ++++++++++++++ ...illinois-ECF5-TylerCourtSchedulingMDE.wsdl | 43 +++ .../illinois-ECF5-TylerFilingReviewMDE.wsdl | 112 +++++++ 34 files changed, 1584 insertions(+) create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a587b999421d674.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-951e08758525a686.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-98a31dc617034623.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b60626716c40e961.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd new file mode 100644 index 000000000..98291564a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd @@ -0,0 +1,42 @@ + + + + + + + + Message to return service types. + + + + + + + + + + + + + + + + + + + + + + + + + + Message to retrieve service types. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd new file mode 100644 index 000000000..8c88cb1b7 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd @@ -0,0 +1,31 @@ + + + + + + + + + Message to retrieve service information for a case. + + + + + + + + + + + + + + Message to retrieve service information for a case. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd new file mode 100644 index 000000000..0d27408d4 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd @@ -0,0 +1,16 @@ + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd new file mode 100644 index 000000000..08d1913fb --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd @@ -0,0 +1,21 @@ + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd new file mode 100644 index 000000000..9a51ccdb2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd @@ -0,0 +1,35 @@ + + + Schema for namespace https://www.tylertech.com/efm/ecf/v5/servicecallback + + + + + + + + The asynchronous message from the Filing Review MDE to the Filing Assembly MDE conveying information concerning the service actions on the documents submitted for filing in a ReviewFilingMessage. + + + + + + + + + + + + + + + + The asynchronous message from the Filing Review MDE to the Filing Assembly MDE conveying information concerning the service actions on the documents submitted for filing in a ReviewFilingMessage. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a587b999421d674.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a587b999421d674.xsd new file mode 100644 index 000000000..7a48eebb2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a587b999421d674.xsd @@ -0,0 +1,36 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:batchcallback + + + + + + + + + The asynchronous message from the Filing Review MDE to the Filing Assembly MDE conveying information concerning the batch actions on the documents submitted for filing in a ReviewFilingMessage. + + + + + + + + + + + + + + + + The asynchronous message from the Filing Review MDE to the Filing Assembly MDE conveying information concerning the batch actions on the documents submitted for filing in a ReviewFilingMessage. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd new file mode 100644 index 000000000..20598073d --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd @@ -0,0 +1,17 @@ + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd new file mode 100644 index 000000000..a6be824d2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd @@ -0,0 +1,31 @@ + + + + + + + + + Message to record service for filing. + + + + + + + + + + + + + + Message to record service for filing. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd new file mode 100644 index 000000000..01e8932a5 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd @@ -0,0 +1,30 @@ + + + + + + + + + + Message to capture fees. + + + + + + + + + + + + Message resulting from capturing fees on an envelope. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd new file mode 100644 index 000000000..fbd94a4d6 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd @@ -0,0 +1,33 @@ + + + + + + + + + + Message to update fees. + + + + + + + + + + + + + + Message resulting from updating fees on an envelope. + + + + + An extension point for the enclosing message. + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd new file mode 100644 index 000000000..fbc1b16f2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd @@ -0,0 +1,27 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:returndateresponse + + + + + + + + + + + + + + + + + + + + An augmentation + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd new file mode 100644 index 000000000..1e7a0b3f2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd @@ -0,0 +1,280 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:wrappers + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd new file mode 100644 index 000000000..4e44bc0b6 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd @@ -0,0 +1,48 @@ + + + + + + + + + + + + + + + + + + + + + + + + Message to return batches. + + + + + + + + + + + + + Message to retrieve batches. + + + + + An extension point for the enclosing message. + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd new file mode 100644 index 000000000..782fc6c6a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd @@ -0,0 +1,23 @@ + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd new file mode 100644 index 000000000..09664ac4c --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd @@ -0,0 +1,47 @@ + + + + + + + + + + Criteria for select batch to be returned. + + + + + + + + + + + + + + Message to retrieve batches. + + + + + + + + + + + + + Message to retrieve batch. + + + + + An extension point for the enclosing message. + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-951e08758525a686.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-951e08758525a686.xsd new file mode 100644 index 000000000..3c58d6f98 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-951e08758525a686.xsd @@ -0,0 +1,17 @@ + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-98a31dc617034623.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-98a31dc617034623.xsd new file mode 100644 index 000000000..951a547ca --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-98a31dc617034623.xsd @@ -0,0 +1,15 @@ + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd new file mode 100644 index 000000000..3e073deae --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd @@ -0,0 +1,29 @@ + + + + + + + + Message to return cases attached to a service contact. + + + + + + + + + + + + + Message to retrieve cases attached to a service contact. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd new file mode 100644 index 000000000..41c7a9453 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd @@ -0,0 +1,42 @@ + + + + + + + + + Message to update an event document. + + + + + + + + + + + + + + + The updated lead document + + + + + The updated connected document + + + + + Message resulting from updating a new document to an event. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd new file mode 100644 index 000000000..db2b0f65d --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd @@ -0,0 +1,30 @@ + + + + + + + + + + Message to update fees. + + + + + + + + + + + + Message resulting from updating fees on an envelope. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd new file mode 100644 index 000000000..3e3865246 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd @@ -0,0 +1,29 @@ + + + + + + + + Message to retrieve service information for a case. + + + + + + + + + + + + + Message to retrieve service information for a case. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b60626716c40e961.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b60626716c40e961.xsd new file mode 100644 index 000000000..2d93af628 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b60626716c40e961.xsd @@ -0,0 +1,17 @@ + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd new file mode 100644 index 000000000..d6bd8e4bf --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd @@ -0,0 +1,33 @@ + + + + + + + + + Message to retrieve service types for a set of codes. + + + + + + + + + + + + + + + + Message to retrieve service logs for filing/service contact. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd new file mode 100644 index 000000000..44f4ee4c3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd @@ -0,0 +1,38 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:updatefeesresponse + + + + + + + + The response to a UpdateFeesMessage, which may either be 0 indicating no fee is due, a currency amount indicating the fee due upon filing, or unknown indicating that the court case management information system is unable to calculate the fee for the proposed filing. + + + + + + + + + + + + + + A total of all fees. + + + + + The response to a UpdateFeesMessage, which may either be 0 indicating no fee is due, a currency amount indicating the fee due upon filing, or unknown indicating that the court case management information system is unable to calculate the fee for the proposed filing. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd new file mode 100644 index 000000000..e9a1cfb44 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd @@ -0,0 +1,46 @@ + + + + + + + + Message to notify of events. + + + + + + + + + + + + + + Message resulting from notification of event. + + + + + + + + + + + + + + + + + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd new file mode 100644 index 000000000..461a60b96 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd @@ -0,0 +1,31 @@ + + + + + + + + Message to secure a case. + + + + + + + + + + + + + + Message to secure a case. + + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd new file mode 100644 index 000000000..ab9e38d4e --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd @@ -0,0 +1,29 @@ + + + + + + + + Message to retrieve cases attached to a service contact. + + + + + + + + + + + + + Message to retrieve cases attached to a service contact. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd new file mode 100644 index 000000000..22f472fb5 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd @@ -0,0 +1,17 @@ + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd new file mode 100644 index 000000000..e2861f1c2 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd @@ -0,0 +1,52 @@ + + + + + + + + + + Criteria limiting the list of batches to be returned. + + + + + + + + + + + + + + + + + + + Message to retrieve batches. + + + + + + + + + + + + + Message to retrieve batches. + + + + + An extension point for the enclosing message. + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd new file mode 100644 index 000000000..4fe3b7644 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd @@ -0,0 +1,32 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:capturefeesresponse + + + + + + + + The response to a CaptureFeesMessage, which may either be 0 indicating no fee is due, a currency amount indicating the fee due upon filing, or unknown indicating that the court case management information system is unable to calculate the fee for the proposed filing. + + + + + + + + + + + + + The response to a CaptureFeesMessage, which may either be 0 indicating no fee is due, a currency amount indicating the fee due upon filing, or unknown indicating that the court case management information system is unable to calculate the fee for the proposed filing. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd new file mode 100644 index 000000000..31b5564c8 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd @@ -0,0 +1,32 @@ + + + + + + + + + Message to return batch detail. + + + + + + + + + + + + + + + Message to retrieve batches. + + + + + An extension point for the enclosing message. + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl new file mode 100644 index 000000000..f7bd64cfd --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl @@ -0,0 +1,223 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl new file mode 100644 index 000000000..26da5b8d3 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl @@ -0,0 +1,43 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl new file mode 100644 index 000000000..2186d553a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl @@ -0,0 +1,112 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file From 28f279f1a3249d8797f4b3df1010d356d3c065a9 Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 12:17:13 -0500 Subject: [PATCH 06/12] Proper split into base / stage / prod folders, etc. --- .../CourtPolicyMDE.wsdl} | 2 +- .../CourtRecordMDE.wsdl} | 8 +- .../CourtSchedulingMDE.wsdl} | 4 +- .../wsdl/v2024_6/base/FilingReviewMDE.wsdl | 9 ++ .../ServiceMDE.wsdl} | 2 +- .../TylerCourtRecordMDE.wsdl} | 2 +- .../TylerCourtSchedulingMDE.wsdl} | 2 +- .../TylerFilingReviewMDE.wsdl} | 2 +- .../{ => base}/ecfv5-01abcc95058b2aaf.xsd | 0 .../{ => base}/ecfv5-02bbcdb58508e7d7.xsd | 0 .../{ => base}/ecfv5-032b9a3ab6a0c6aa.xsd | 0 .../{ => base}/ecfv5-0aad2f1ee14b2f7a.xsd | 0 .../{ => base}/ecfv5-0c3818f3694024a7.xsd | 0 .../{ => base}/ecfv5-127af397d420a0a2.xsd | 0 .../{ => base}/ecfv5-13eaef444d39b736.xsd | 0 .../{ => base}/ecfv5-15382ac287238a6e.xsd | 0 .../{ => base}/ecfv5-1736baee045f5cb6.xsd | 0 .../{ => base}/ecfv5-1a09640750bcb2a0.xsd | 0 .../{ => base}/ecfv5-1d89e43330d68bb4.xsd | 0 .../{ => base}/ecfv5-229b0969c59a96e3.xsd | 0 .../{ => base}/ecfv5-243b9411f2c5bcc3.xsd | 0 .../{ => base}/ecfv5-24909bb96c2deab1.xsd | 0 .../{ => base}/ecfv5-27236897aa077e8b.xsd | 0 .../{ => base}/ecfv5-27c05348b4295656.xsd | 0 .../{ => base}/ecfv5-2a587b999421d674.xsd | 0 .../{ => base}/ecfv5-2a6e3c3bdcc4f098.xsd | 0 .../{ => base}/ecfv5-2e48a12cd5d55125.xsd | 0 .../{ => base}/ecfv5-3545d6b9fcbde000.xsd | 0 .../{ => base}/ecfv5-3f22308cef4a62ab.xsd | 0 .../{ => base}/ecfv5-3fca6aa6e33300e4.xsd | 0 .../{ => base}/ecfv5-42ab4a8041bd012e.xsd | 0 .../{ => base}/ecfv5-43381e9aa490c46d.xsd | 0 .../{ => base}/ecfv5-43e22a9b317738fe.xsd | 0 .../{ => base}/ecfv5-47419cc6c132360e.xsd | 0 .../{ => base}/ecfv5-49e7839e7fa22d6d.xsd | 0 .../{ => base}/ecfv5-4d179e3e0bd140a9.xsd | 0 .../{ => base}/ecfv5-4ea3ff0faabbcbf6.xsd | 0 .../{ => base}/ecfv5-50c18fb2bdc50976.xsd | 0 .../{ => base}/ecfv5-51692ef5e5923114.xsd | 0 .../{ => base}/ecfv5-56d482511fcc8cdc.xsd | 0 .../{ => base}/ecfv5-5895364ae0d78979.xsd | 0 .../{ => base}/ecfv5-5a59dc632f51d8be.xsd | 0 .../{ => base}/ecfv5-5d1ef945eab46464.xsd | 0 .../{ => base}/ecfv5-602d09642dfaa9bc.xsd | 0 .../{ => base}/ecfv5-60fc011beb5812ae.xsd | 0 .../{ => base}/ecfv5-648c40f37d51888f.xsd | 0 .../{ => base}/ecfv5-64d28ec3ae696cdf.xsd | 0 .../{ => base}/ecfv5-65b28033abe909b2.xsd | 0 .../{ => base}/ecfv5-68b2e2986faf99f7.xsd | 0 .../{ => base}/ecfv5-6dc22970171b22e6.xsd | 0 .../{ => base}/ecfv5-70ceb501f1c1cf69.xsd | 0 .../{ => base}/ecfv5-72279195b089f802.xsd | 0 .../{ => base}/ecfv5-73af35cdc82d51c0.xsd | 0 .../{ => base}/ecfv5-73c4b09a1b42fbfc.xsd | 0 .../{ => base}/ecfv5-77c550f4768f1921.xsd | 0 .../{ => base}/ecfv5-7812ee3601db8ddc.xsd | 0 .../{ => base}/ecfv5-78f90906f32c9f0a.xsd | 0 .../{ => base}/ecfv5-7af13829a6695741.xsd | 0 .../{ => base}/ecfv5-7ca95bb88cb80500.xsd | 0 .../{ => base}/ecfv5-7f000d8cb78e1349.xsd | 0 .../{ => base}/ecfv5-80b5e3c97a69e0d8.xsd | 0 .../{ => base}/ecfv5-8168760d8fe4ec0f.xsd | 0 .../{ => base}/ecfv5-849389af5da1be59.xsd | 0 .../{ => base}/ecfv5-860ec8475c2c8207.xsd | 0 .../{ => base}/ecfv5-867074778678a758.xsd | 0 .../{ => base}/ecfv5-87b68409fbc9963d.xsd | 0 .../{ => base}/ecfv5-8c292879e0404171.xsd | 0 .../{ => base}/ecfv5-903874c5aa593226.xsd | 0 .../{ => base}/ecfv5-92b55ff67b2a0e8b.xsd | 0 .../{ => base}/ecfv5-93ddeb4c39107b6d.xsd | 0 .../{ => base}/ecfv5-94ae3989ab2a5418.xsd | 0 .../{ => base}/ecfv5-951e08758525a686.xsd | 0 .../{ => base}/ecfv5-98a31dc617034623.xsd | 0 .../{ => base}/ecfv5-9acb70c0b1f40a4f.xsd | 0 .../{ => base}/ecfv5-9f9324540d6ca124.xsd | 0 .../{ => base}/ecfv5-a0a215bbd384ff87.xsd | 0 .../{ => base}/ecfv5-a189577b51ccce97.xsd | 0 .../{ => base}/ecfv5-a59fcdc319cfe055.xsd | 0 .../{ => base}/ecfv5-a650ff08ff88e453.xsd | 0 .../{ => base}/ecfv5-acee2ee2245fa483.xsd | 0 .../{ => base}/ecfv5-ad3c00d14ab74484.xsd | 0 .../{ => base}/ecfv5-ae21ebba74fbde20.xsd | 0 .../{ => base}/ecfv5-afe0703e358907a0.xsd | 0 .../{ => base}/ecfv5-b2c0de1375652135.xsd | 0 .../{ => base}/ecfv5-b3663a146936d10d.xsd | 0 .../{ => base}/ecfv5-b3c3e9dbdfe59d1f.xsd | 0 .../{ => base}/ecfv5-b60626716c40e961.xsd | 0 .../{ => base}/ecfv5-b6d93324fc1a6129.xsd | 0 .../{ => base}/ecfv5-b7badd6c03329d2f.xsd | 0 .../{ => base}/ecfv5-bb66ccc6baf68390.xsd | 0 .../{ => base}/ecfv5-bc4df19763eade9e.xsd | 0 .../{ => base}/ecfv5-c6dd847e9bfcd33c.xsd | 0 .../{ => base}/ecfv5-cb786e1fcc08ac1f.xsd | 0 .../{ => base}/ecfv5-ce2b15e0e59d017e.xsd | 0 .../v2024_6/base/ecfv5-criminal-extension.xsd | 120 ++++++++++++++++++ .../{ => base}/ecfv5-d518fe40b9b31f1f.xsd | 0 .../{ => base}/ecfv5-dc54b0cdb3ae885e.xsd | 0 .../{ => base}/ecfv5-dca20d8077769caf.xsd | 0 .../{ => base}/ecfv5-dccb66312e06010f.xsd | 0 .../{ => base}/ecfv5-dd545670aa04333d.xsd | 0 .../{ => base}/ecfv5-e9cf45b8faa961b3.xsd | 0 .../{ => base}/ecfv5-ea1e0f75b69752b5.xsd | 0 .../{ => base}/ecfv5-ec1cb0cea3e4c15f.xsd | 0 .../{ => base}/ecfv5-edcb66ad0affa5a4.xsd | 0 .../{ => base}/ecfv5-ef0e78ebbcbecb1a.xsd | 0 .../{ => base}/ecfv5-f1740199aabf931c.xsd | 0 .../{ => base}/ecfv5-f206e64d6583fb0d.xsd | 0 .../{ => base}/ecfv5-f92089dccb563884.xsd | 0 .../{ => base}/ecfv5-fa3ad15dbdbaad71.xsd | 0 .../{ => base}/ecfv5-ff1bc5db6855fcad.xsd | 0 .../ecfv5-massachusetts-extension.xsd | 0 .../base/ecfv5-taxdelinquency-extension.xsd | 43 +++++++ .../v2024_6/illinois-ECF5-CourtPolicyMDE.xsd | 50 -------- .../illinois-ECF5-FilingReviewMDE.wsdl | 9 -- .../illinois-ECF5-CourtPolicyMDEService.wsdl | 10 ++ .../illinois-ECF5-CourtRecordMDEService.wsdl | 15 +++ ...linois-ECF5-CourtSchedulingMDEService.wsdl | 16 +++ .../illinois-ECF5-FilingReviewMDEService.wsdl | 14 ++ .../illinois-ECF5-ServiceMDEService.wsdl | 14 ++ ...inois-ECF5-TylerCourtRecordMDEService.wsdl | 15 +++ ...s-ECF5-TylerCourtSchedulingMDEService.wsdl | 12 ++ ...is-ECF5-TylerFilingAssemblyMDEService.wsdl | 12 ++ ...nois-ECF5-TylerFilingReviewMDEService.wsdl | 14 ++ 123 files changed, 305 insertions(+), 70 deletions(-) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-CourtPolicyMDE.wsdl => base/CourtPolicyMDE.wsdl} (96%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-CourtRecordMDE.wsdl => base/CourtRecordMDE.wsdl} (95%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-CourtSchedulingMDE.wsdl => base/CourtSchedulingMDE.wsdl} (97%) create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/base/FilingReviewMDE.wsdl rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-ServiceMDE.wsdl => base/ServiceMDE.wsdl} (97%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-TylerCourtRecordMDE.wsdl => base/TylerCourtRecordMDE.wsdl} (99%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-TylerCourtSchedulingMDE.wsdl => base/TylerCourtSchedulingMDE.wsdl} (97%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{illinois-ECF5-TylerFilingReviewMDE.wsdl => base/TylerFilingReviewMDE.wsdl} (98%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-01abcc95058b2aaf.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-02bbcdb58508e7d7.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-032b9a3ab6a0c6aa.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-0aad2f1ee14b2f7a.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-0c3818f3694024a7.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-127af397d420a0a2.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-13eaef444d39b736.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-15382ac287238a6e.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-1736baee045f5cb6.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-1a09640750bcb2a0.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-1d89e43330d68bb4.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-229b0969c59a96e3.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-243b9411f2c5bcc3.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-24909bb96c2deab1.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-27236897aa077e8b.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-27c05348b4295656.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-2a587b999421d674.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-2a6e3c3bdcc4f098.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-2e48a12cd5d55125.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-3545d6b9fcbde000.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-3f22308cef4a62ab.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-3fca6aa6e33300e4.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-42ab4a8041bd012e.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-43381e9aa490c46d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-43e22a9b317738fe.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-47419cc6c132360e.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-49e7839e7fa22d6d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-4d179e3e0bd140a9.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-4ea3ff0faabbcbf6.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-50c18fb2bdc50976.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-51692ef5e5923114.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-56d482511fcc8cdc.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-5895364ae0d78979.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-5a59dc632f51d8be.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-5d1ef945eab46464.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-602d09642dfaa9bc.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-60fc011beb5812ae.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-648c40f37d51888f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-64d28ec3ae696cdf.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-65b28033abe909b2.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-68b2e2986faf99f7.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-6dc22970171b22e6.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-70ceb501f1c1cf69.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-72279195b089f802.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-73af35cdc82d51c0.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-73c4b09a1b42fbfc.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-77c550f4768f1921.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-7812ee3601db8ddc.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-78f90906f32c9f0a.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-7af13829a6695741.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-7ca95bb88cb80500.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-7f000d8cb78e1349.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-80b5e3c97a69e0d8.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-8168760d8fe4ec0f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-849389af5da1be59.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-860ec8475c2c8207.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-867074778678a758.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-87b68409fbc9963d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-8c292879e0404171.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-903874c5aa593226.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-92b55ff67b2a0e8b.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-93ddeb4c39107b6d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-94ae3989ab2a5418.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-951e08758525a686.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-98a31dc617034623.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-9acb70c0b1f40a4f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-9f9324540d6ca124.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-a0a215bbd384ff87.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-a189577b51ccce97.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-a59fcdc319cfe055.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-a650ff08ff88e453.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-acee2ee2245fa483.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ad3c00d14ab74484.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ae21ebba74fbde20.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-afe0703e358907a0.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-b2c0de1375652135.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-b3663a146936d10d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-b3c3e9dbdfe59d1f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-b60626716c40e961.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-b6d93324fc1a6129.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-b7badd6c03329d2f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-bb66ccc6baf68390.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-bc4df19763eade9e.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-c6dd847e9bfcd33c.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-cb786e1fcc08ac1f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ce2b15e0e59d017e.xsd (100%) create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-criminal-extension.xsd rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-d518fe40b9b31f1f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-dc54b0cdb3ae885e.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-dca20d8077769caf.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-dccb66312e06010f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-dd545670aa04333d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-e9cf45b8faa961b3.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ea1e0f75b69752b5.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ec1cb0cea3e4c15f.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-edcb66ad0affa5a4.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ef0e78ebbcbecb1a.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-f1740199aabf931c.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-f206e64d6583fb0d.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-f92089dccb563884.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-fa3ad15dbdbaad71.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-ff1bc5db6855fcad.xsd (100%) rename TylerEcf5/src/main/resources/wsdl/v2024_6/{ => base}/ecfv5-massachusetts-extension.xsd (100%) create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-taxdelinquency-extension.xsd delete mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd delete mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtPolicyMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtRecordMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtSchedulingMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-FilingReviewMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-ServiceMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtRecordMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtSchedulingMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingAssemblyMDEService.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingReviewMDEService.wsdl diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtPolicyMDE.wsdl similarity index 96% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtPolicyMDE.wsdl index b5ae00f1d..e2726dab1 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtPolicyMDE.wsdl @@ -14,7 +14,7 @@ - + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtRecordMDE.wsdl similarity index 95% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtRecordMDE.wsdl index a5d43c3b6..6a80140f4 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtRecordMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtRecordMDE.wsdl @@ -14,10 +14,10 @@ - - - - + + + + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtSchedulingMDE.wsdl similarity index 97% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtSchedulingMDE.wsdl index 8ff1cf00a..95e075dae 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtSchedulingMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/CourtSchedulingMDE.wsdl @@ -14,8 +14,8 @@ - - + + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/base/FilingReviewMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/FilingReviewMDE.wsdl new file mode 100644 index 000000000..be30dd31e --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/FilingReviewMDE.wsdl @@ -0,0 +1,9 @@ + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ServiceMDE.wsdl similarity index 97% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ServiceMDE.wsdl index be39a3fd9..2f515dffa 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-ServiceMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ServiceMDE.wsdl @@ -14,7 +14,7 @@ - + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerCourtRecordMDE.wsdl similarity index 99% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerCourtRecordMDE.wsdl index f7bd64cfd..6a1b9d174 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtRecordMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerCourtRecordMDE.wsdl @@ -5,7 +5,7 @@ - + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerCourtSchedulingMDE.wsdl similarity index 97% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerCourtSchedulingMDE.wsdl index 26da5b8d3..4071a5e6a 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerCourtSchedulingMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerCourtSchedulingMDE.wsdl @@ -5,7 +5,7 @@ - + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerFilingReviewMDE.wsdl similarity index 98% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerFilingReviewMDE.wsdl index 2186d553a..6ef0ab178 100644 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-TylerFilingReviewMDE.wsdl +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerFilingReviewMDE.wsdl @@ -5,7 +5,7 @@ - + diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-01abcc95058b2aaf.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-01abcc95058b2aaf.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-01abcc95058b2aaf.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-02bbcdb58508e7d7.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-02bbcdb58508e7d7.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-02bbcdb58508e7d7.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-032b9a3ab6a0c6aa.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-032b9a3ab6a0c6aa.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-032b9a3ab6a0c6aa.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-0aad2f1ee14b2f7a.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0aad2f1ee14b2f7a.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-0aad2f1ee14b2f7a.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-0c3818f3694024a7.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-0c3818f3694024a7.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-0c3818f3694024a7.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-127af397d420a0a2.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-127af397d420a0a2.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-127af397d420a0a2.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-13eaef444d39b736.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-13eaef444d39b736.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-13eaef444d39b736.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-15382ac287238a6e.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-15382ac287238a6e.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-15382ac287238a6e.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-1736baee045f5cb6.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1736baee045f5cb6.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-1736baee045f5cb6.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-1a09640750bcb2a0.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1a09640750bcb2a0.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-1a09640750bcb2a0.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-1d89e43330d68bb4.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-1d89e43330d68bb4.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-1d89e43330d68bb4.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-229b0969c59a96e3.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-229b0969c59a96e3.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-229b0969c59a96e3.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-243b9411f2c5bcc3.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-243b9411f2c5bcc3.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-243b9411f2c5bcc3.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-24909bb96c2deab1.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-24909bb96c2deab1.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-24909bb96c2deab1.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-27236897aa077e8b.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27236897aa077e8b.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-27236897aa077e8b.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27c05348b4295656.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-27c05348b4295656.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-27c05348b4295656.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-27c05348b4295656.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a587b999421d674.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-2a587b999421d674.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a587b999421d674.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-2a587b999421d674.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-2a6e3c3bdcc4f098.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2a6e3c3bdcc4f098.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-2a6e3c3bdcc4f098.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-2e48a12cd5d55125.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-2e48a12cd5d55125.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-2e48a12cd5d55125.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-3545d6b9fcbde000.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3545d6b9fcbde000.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-3545d6b9fcbde000.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-3f22308cef4a62ab.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3f22308cef4a62ab.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-3f22308cef4a62ab.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-3fca6aa6e33300e4.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-3fca6aa6e33300e4.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-3fca6aa6e33300e4.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-42ab4a8041bd012e.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-42ab4a8041bd012e.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-42ab4a8041bd012e.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-43381e9aa490c46d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43381e9aa490c46d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-43381e9aa490c46d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-43e22a9b317738fe.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-43e22a9b317738fe.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-43e22a9b317738fe.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-47419cc6c132360e.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-47419cc6c132360e.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-47419cc6c132360e.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-49e7839e7fa22d6d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-49e7839e7fa22d6d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-49e7839e7fa22d6d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-4d179e3e0bd140a9.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4d179e3e0bd140a9.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-4d179e3e0bd140a9.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-4ea3ff0faabbcbf6.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-4ea3ff0faabbcbf6.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-4ea3ff0faabbcbf6.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-50c18fb2bdc50976.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-50c18fb2bdc50976.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-50c18fb2bdc50976.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-51692ef5e5923114.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-51692ef5e5923114.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-51692ef5e5923114.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-56d482511fcc8cdc.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-56d482511fcc8cdc.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-56d482511fcc8cdc.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-5895364ae0d78979.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5895364ae0d78979.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-5895364ae0d78979.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-5a59dc632f51d8be.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5a59dc632f51d8be.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-5a59dc632f51d8be.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-5d1ef945eab46464.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-5d1ef945eab46464.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-5d1ef945eab46464.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-602d09642dfaa9bc.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-602d09642dfaa9bc.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-602d09642dfaa9bc.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-60fc011beb5812ae.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-60fc011beb5812ae.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-60fc011beb5812ae.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-648c40f37d51888f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-648c40f37d51888f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-648c40f37d51888f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-64d28ec3ae696cdf.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-64d28ec3ae696cdf.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-64d28ec3ae696cdf.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-65b28033abe909b2.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-65b28033abe909b2.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-65b28033abe909b2.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-68b2e2986faf99f7.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-68b2e2986faf99f7.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-68b2e2986faf99f7.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-6dc22970171b22e6.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-6dc22970171b22e6.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-6dc22970171b22e6.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-70ceb501f1c1cf69.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-70ceb501f1c1cf69.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-70ceb501f1c1cf69.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-72279195b089f802.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-72279195b089f802.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-72279195b089f802.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-72279195b089f802.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-73af35cdc82d51c0.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73af35cdc82d51c0.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-73af35cdc82d51c0.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-73c4b09a1b42fbfc.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-73c4b09a1b42fbfc.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-73c4b09a1b42fbfc.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-77c550f4768f1921.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-77c550f4768f1921.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-77c550f4768f1921.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7812ee3601db8ddc.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7812ee3601db8ddc.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7812ee3601db8ddc.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-78f90906f32c9f0a.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-78f90906f32c9f0a.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-78f90906f32c9f0a.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7af13829a6695741.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7af13829a6695741.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7af13829a6695741.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7af13829a6695741.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7ca95bb88cb80500.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7ca95bb88cb80500.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7ca95bb88cb80500.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7f000d8cb78e1349.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-7f000d8cb78e1349.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-7f000d8cb78e1349.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-80b5e3c97a69e0d8.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-80b5e3c97a69e0d8.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-80b5e3c97a69e0d8.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-8168760d8fe4ec0f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8168760d8fe4ec0f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-8168760d8fe4ec0f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-849389af5da1be59.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-849389af5da1be59.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-849389af5da1be59.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-849389af5da1be59.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-860ec8475c2c8207.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-860ec8475c2c8207.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-860ec8475c2c8207.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-867074778678a758.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-867074778678a758.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-867074778678a758.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-867074778678a758.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-87b68409fbc9963d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-87b68409fbc9963d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-87b68409fbc9963d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8c292879e0404171.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-8c292879e0404171.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-8c292879e0404171.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-8c292879e0404171.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-903874c5aa593226.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-903874c5aa593226.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-903874c5aa593226.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-903874c5aa593226.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-92b55ff67b2a0e8b.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-92b55ff67b2a0e8b.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-92b55ff67b2a0e8b.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-93ddeb4c39107b6d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-93ddeb4c39107b6d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-93ddeb4c39107b6d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-94ae3989ab2a5418.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-94ae3989ab2a5418.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-94ae3989ab2a5418.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-951e08758525a686.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-951e08758525a686.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-951e08758525a686.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-951e08758525a686.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-98a31dc617034623.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-98a31dc617034623.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-98a31dc617034623.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-98a31dc617034623.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-9acb70c0b1f40a4f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9acb70c0b1f40a4f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-9acb70c0b1f40a4f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-9f9324540d6ca124.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-9f9324540d6ca124.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-9f9324540d6ca124.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a0a215bbd384ff87.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a0a215bbd384ff87.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a0a215bbd384ff87.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a189577b51ccce97.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a189577b51ccce97.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a189577b51ccce97.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a59fcdc319cfe055.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a59fcdc319cfe055.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a59fcdc319cfe055.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a650ff08ff88e453.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-a650ff08ff88e453.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-a650ff08ff88e453.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-acee2ee2245fa483.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-acee2ee2245fa483.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-acee2ee2245fa483.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ad3c00d14ab74484.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ad3c00d14ab74484.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ad3c00d14ab74484.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ae21ebba74fbde20.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ae21ebba74fbde20.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ae21ebba74fbde20.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-afe0703e358907a0.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-afe0703e358907a0.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-afe0703e358907a0.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b2c0de1375652135.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b2c0de1375652135.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b2c0de1375652135.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b3663a146936d10d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3663a146936d10d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b3663a146936d10d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b3c3e9dbdfe59d1f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b3c3e9dbdfe59d1f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b3c3e9dbdfe59d1f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b60626716c40e961.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b60626716c40e961.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b60626716c40e961.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b60626716c40e961.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b6d93324fc1a6129.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b6d93324fc1a6129.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b6d93324fc1a6129.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b7badd6c03329d2f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-b7badd6c03329d2f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-b7badd6c03329d2f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-bb66ccc6baf68390.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bb66ccc6baf68390.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-bb66ccc6baf68390.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-bc4df19763eade9e.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-bc4df19763eade9e.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-bc4df19763eade9e.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-c6dd847e9bfcd33c.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-c6dd847e9bfcd33c.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-c6dd847e9bfcd33c.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-cb786e1fcc08ac1f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-cb786e1fcc08ac1f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-cb786e1fcc08ac1f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ce2b15e0e59d017e.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ce2b15e0e59d017e.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ce2b15e0e59d017e.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-criminal-extension.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-criminal-extension.xsd new file mode 100644 index 000000000..f35be317a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-criminal-extension.xsd @@ -0,0 +1,120 @@ + + + Schema for namespace https://www.tylertech.com/efm/ecf/v5/criminal + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-d518fe40b9b31f1f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-d518fe40b9b31f1f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-d518fe40b9b31f1f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dc54b0cdb3ae885e.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dc54b0cdb3ae885e.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dc54b0cdb3ae885e.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dca20d8077769caf.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dca20d8077769caf.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dca20d8077769caf.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dccb66312e06010f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dccb66312e06010f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dccb66312e06010f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dd545670aa04333d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-dd545670aa04333d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-dd545670aa04333d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-e9cf45b8faa961b3.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-e9cf45b8faa961b3.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-e9cf45b8faa961b3.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ea1e0f75b69752b5.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ea1e0f75b69752b5.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ea1e0f75b69752b5.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ec1cb0cea3e4c15f.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ec1cb0cea3e4c15f.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ec1cb0cea3e4c15f.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-edcb66ad0affa5a4.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-edcb66ad0affa5a4.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-edcb66ad0affa5a4.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ef0e78ebbcbecb1a.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ef0e78ebbcbecb1a.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ef0e78ebbcbecb1a.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-f1740199aabf931c.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f1740199aabf931c.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-f1740199aabf931c.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-f206e64d6583fb0d.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f206e64d6583fb0d.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-f206e64d6583fb0d.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f92089dccb563884.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-f92089dccb563884.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-f92089dccb563884.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-f92089dccb563884.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-fa3ad15dbdbaad71.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-fa3ad15dbdbaad71.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-fa3ad15dbdbaad71.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ff1bc5db6855fcad.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-ff1bc5db6855fcad.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-ff1bc5db6855fcad.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-massachusetts-extension.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-massachusetts-extension.xsd similarity index 100% rename from TylerEcf5/src/main/resources/wsdl/v2024_6/ecfv5-massachusetts-extension.xsd rename to TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-massachusetts-extension.xsd diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-taxdelinquency-extension.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-taxdelinquency-extension.xsd new file mode 100644 index 000000000..c47040ee8 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/base/ecfv5-taxdelinquency-extension.xsd @@ -0,0 +1,43 @@ + + + Schema for namespace urn:tyler:ecf:v5.0:extensions:taxdelinquency + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd deleted file mode 100644 index b5ae00f1d..000000000 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-CourtPolicyMDE.xsd +++ /dev/null @@ -1,50 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl deleted file mode 100644 index 74271d189..000000000 --- a/TylerEcf5/src/main/resources/wsdl/v2024_6/illinois-ECF5-FilingReviewMDE.wsdl +++ /dev/null @@ -1,9 +0,0 @@ - \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtPolicyMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtPolicyMDEService.wsdl new file mode 100644 index 000000000..159dbfa72 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtPolicyMDEService.wsdl @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtRecordMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtRecordMDEService.wsdl new file mode 100644 index 000000000..be2134d76 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtRecordMDEService.wsdl @@ -0,0 +1,15 @@ + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtSchedulingMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtSchedulingMDEService.wsdl new file mode 100644 index 000000000..9d3d2456a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-CourtSchedulingMDEService.wsdl @@ -0,0 +1,16 @@ + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-FilingReviewMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-FilingReviewMDEService.wsdl new file mode 100644 index 000000000..b488bcc5a --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-FilingReviewMDEService.wsdl @@ -0,0 +1,14 @@ + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-ServiceMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-ServiceMDEService.wsdl new file mode 100644 index 000000000..48a855ea7 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-ServiceMDEService.wsdl @@ -0,0 +1,14 @@ + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtRecordMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtRecordMDEService.wsdl new file mode 100644 index 000000000..7294e3808 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtRecordMDEService.wsdl @@ -0,0 +1,15 @@ + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtSchedulingMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtSchedulingMDEService.wsdl new file mode 100644 index 000000000..7583f1554 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerCourtSchedulingMDEService.wsdl @@ -0,0 +1,12 @@ + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingAssemblyMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingAssemblyMDEService.wsdl new file mode 100644 index 000000000..3558b67dc --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingAssemblyMDEService.wsdl @@ -0,0 +1,12 @@ + + + + + + + + + + + + \ No newline at end of file diff --git a/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingReviewMDEService.wsdl b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingReviewMDEService.wsdl new file mode 100644 index 000000000..75a75a3c1 --- /dev/null +++ b/TylerEcf5/src/main/resources/wsdl/v2024_6/stage/illinois-ECF5-TylerFilingReviewMDEService.wsdl @@ -0,0 +1,14 @@ + + + + + + + + + + + + + + \ No newline at end of file From 84739529567b7094ceb4ace9ece632a3ed5bacaf Mon Sep 17 00:00:00 2001 From: Bryce Willey Date: Wed, 5 Nov 2025 14:55:50 -0500 Subject: [PATCH 07/12] wsdl2java --- .../_4/AccidentSeverityCodeType.java | 258 + .../_4/DriverLicenseClassCodeSimpleType.java | 61 + .../_4/DriverLicenseClassCodeType.java | 257 + .../codes/aamva_d20/_4/HazMatCodeType.java | 258 + .../JurisdictionAuthorityCodeSimpleType.java | 824 + .../_4/JurisdictionAuthorityCodeType.java | 257 + .../codes/aamva_d20/_4/ObjectFactory.java | 64 + .../niem/codes/aamva_d20/_4/package-info.java | 2 + ...redentialsAuthenticatedCodeSimpleType.java | 60 + .../_4/CredentialsAuthenticatedCodeType.java | 257 + .../_4/MessageStatusCodeSimpleType.java | 132 + .../cbrncl/_4/MessageStatusCodeType.java | 257 + .../niem/codes/cbrncl/_4/ObjectFactory.java | 56 + .../_4/SystemOperatingModeCodeSimpleType.java | 84 + .../_4/SystemOperatingModeCodeType.java | 257 + .../niem/codes/cbrncl/_4/package-info.java | 2 + .../codes/fbi_ncic/_4/CountryCodeType.java | 258 + .../niem/codes/fbi_ncic/_4/EXLCodeType.java | 258 + .../codes/fbi_ncic/_4/EYECodeSimpleType.java | 115 + .../niem/codes/fbi_ncic/_4/EYECodeType.java | 257 + .../niem/codes/fbi_ncic/_4/HAIRCodeType.java | 258 + .../niem/codes/fbi_ncic/_4/ObjectFactory.java | 128 + .../niem/codes/fbi_ncic/_4/PCOCodeType.java | 258 + .../codes/fbi_ncic/_4/RACECodeSimpleType.java | 68 + .../niem/codes/fbi_ncic/_4/RACECodeType.java | 257 + .../codes/fbi_ncic/_4/SEXCodeSimpleType.java | 54 + .../niem/codes/fbi_ncic/_4/SEXCodeType.java | 257 + .../niem/codes/fbi_ncic/_4/SMTCodeType.java | 258 + .../niem/codes/fbi_ncic/_4/VCOCodeType.java | 258 + .../niem/codes/fbi_ncic/_4/VMACodeType.java | 258 + .../niem/codes/fbi_ncic/_4/VMOCodeType.java | 257 + .../niem/codes/fbi_ncic/_4/VSTCodeType.java | 258 + .../niem/codes/fbi_ncic/_4/package-info.java | 2 + .../fbi_ucr/_4/EthnicityCodeSimpleType.java | 54 + .../codes/fbi_ucr/_4/EthnicityCodeType.java | 257 + .../niem/codes/fbi_ucr/_4/ObjectFactory.java | 40 + .../niem/codes/fbi_ucr/_4/package-info.java | 2 + .../_4/CountryAlpha2CodeSimpleType.java | 1776 ++ .../iso_3166_1/_4/CountryAlpha2CodeType.java | 257 + .../codes/iso_3166_1/_4/ObjectFactory.java | 40 + .../codes/iso_3166_1/_4/package-info.java | 2 + .../iso_4217/_4/CurrencyCodeSimpleType.java | 1307 + .../codes/iso_4217/_4/CurrencyCodeType.java | 257 + .../niem/codes/iso_4217/_4/ObjectFactory.java | 40 + .../niem/codes/iso_4217/_4/package-info.java | 2 + .../codes/iso_639_3/_4/LanguageCodeType.java | 258 + .../codes/iso_639_3/_4/ObjectFactory.java | 40 + .../niem/codes/iso_639_3/_4/package-info.java | 2 + .../mmucc/_4/DrivingRestrictionCodeType.java | 258 + .../niem/codes/mmucc/_4/ObjectFactory.java | 40 + .../niem/codes/mmucc/_4/package-info.java | 2 + .../codes/unece_rec20/_4/LengthCodeType.java | 258 + .../codes/unece_rec20/_4/MassCodeType.java | 258 + .../codes/unece_rec20/_4/ObjectFactory.java | 56 + .../unece_rec20/_4/VelocityCodeType.java | 258 + .../codes/unece_rec20/_4/package-info.java | 2 + .../codes/usps_states/_4/ObjectFactory.java | 40 + .../usps_states/_4/USStateCodeSimpleType.java | 467 + .../codes/usps_states/_4/USStateCodeType.java | 257 + .../codes/usps_states/_4/package-info.java | 2 + .../_4/BiometricCategoryCodeType.java | 258 + .../_4/BiometricClassificationType.java | 80 + .../biometrics/_4/BiometricDataType.java | 183 + .../biometrics/_4/DNASTRProfileType.java | 121 + .../domains/biometrics/_4/DNASampleType.java | 87 + .../biometrics/_4/FingerprintImageType.java | 47 + .../niem/domains/biometrics/_4/ImageType.java | 53 + .../biometrics/_4/Integer1To999Type.java | 249 + .../domains/biometrics/_4/ObjectFactory.java | 291 + .../_4/PhysicalFeatureImageType.java | 47 + .../domains/biometrics/_4/package-info.java | 2 + .../cbrn/_4/MessageContentErrorType.java | 109 + .../domains/cbrn/_4/MessageErrorType.java | 109 + .../domains/cbrn/_4/MessageStatusType.java | 238 + .../niem/domains/cbrn/_4/ObjectFactory.java | 278 + .../cbrn/_4/RemarksComplexObjectType.java | 52 + .../niem/domains/cbrn/_4/SystemEventType.java | 137 + .../niem/domains/cbrn/_4/package-info.java | 2 + .../_4/ChildSupportEnforcementCaseType.java | 81 + .../domains/humanservices/_4/ChildType.java | 81 + .../_4/DependencyPetitionType.java | 48 + .../JuvenileAbuseNeglectAllegationType.java | 81 + .../humanservices/_4/JuvenileCaseType.java | 80 + .../_4/JuvenileGangAssociationType.java | 88 + ...enilePlacementFacilityAssociationType.java | 81 + ...uvenilePlacementPersonAssociationType.java | 81 + .../_4/JuvenilePlacementType.java | 47 + .../humanservices/_4/JuvenileType.java | 109 + .../humanservices/_4/ObjectFactory.java | 539 + .../_4/ParentChildAssociationType.java | 177 + ...entChildKinshipCategoryCodeSimpleType.java | 100 + .../ParentChildKinshipCategoryCodeType.java | 257 + .../_4/PersonCaseAssociationType.java | 159 + .../_4/PlacementLocationCodeSimpleType.java | 137 + .../_4/PlacementLocationCodeType.java | 257 + .../humanservices/_4/PlacementType.java | 123 + .../humanservices/_4/package-info.java | 2 + .../jxdm/_6/AppellateCaseNoticeType.java | 81 + .../domains/jxdm/_6/AppellateCaseType.java | 115 + .../niem/domains/jxdm/_6/ArrestType.java | 286 + .../niem/domains/jxdm/_6/BookingType.java | 110 + .../domains/jxdm/_6/CaseAugmentationType.java | 282 + .../domains/jxdm/_6/CaseOfficialType.java | 121 + .../jxdm/_6/ChargeDispositionType.java | 48 + .../jxdm/_6/ChargeEnhancingFactorType.java | 81 + .../niem/domains/jxdm/_6/ChargeType.java | 379 + .../niem/domains/jxdm/_6/CitationType.java | 195 + .../jxdm/_6/ConveyanceRegistrationType.java | 113 + .../domains/jxdm/_6/CourtAppearanceType.java | 81 + .../niem/domains/jxdm/_6/CourtEventType.java | 186 + .../niem/domains/jxdm/_6/CourtOrderType.java | 92 + .../niem/domains/jxdm/_6/CourtType.java | 116 + .../jxdm/_6/DriverLicenseBaseType.java | 142 + .../jxdm/_6/DriverLicenseRestrictionType.java | 47 + .../domains/jxdm/_6/DriverLicenseType.java | 140 + .../jxdm/_6/DriverLicenseWithdrawalType.java | 81 + .../domains/jxdm/_6/DrivingIncidentType.java | 294 + .../jxdm/_6/DrivingRestrictionType.java | 121 + .../jxdm/_6/EnforcementOfficialType.java | 167 + .../domains/jxdm/_6/EnforcementUnitType.java | 81 + .../jxdm/_6/IncidentAugmentationType.java | 199 + .../domains/jxdm/_6/ItemRegistrationType.java | 52 + .../_6/JudicialOfficialBarMembershipType.java | 81 + .../domains/jxdm/_6/JudicialOfficialType.java | 142 + .../niem/domains/jxdm/_6/ObjectFactory.java | 2559 ++ .../jxdm/_6/OffenseChargeAssociationType.java | 80 + .../_6/OffenseLocationAssociationType.java | 109 + .../niem/domains/jxdm/_6/OffenseType.java | 48 + .../_6/OrganizationAlternateNameType.java | 84 + .../jxdm/_6/OrganizationAugmentationType.java | 80 + .../jxdm/_6/PersonAugmentationType.java | 137 + ...sonBloodAlcoholContentAssociationType.java | 81 + .../jxdm/_6/PersonChargeAssociationType.java | 81 + .../_6/PersonNameCategoryCodeSimpleType.java | 148 + .../jxdm/_6/PersonNameCategoryCodeType.java | 257 + .../domains/jxdm/_6/ProtectionOrderType.java | 142 + .../jxdm/_6/RegisteredOffenderType.java | 81 + .../niem/domains/jxdm/_6/SentenceType.java | 211 + .../domains/jxdm/_6/SeverityLevelType.java | 81 + .../niem/domains/jxdm/_6/StatuteType.java | 223 + .../niem/domains/jxdm/_6/SubjectType.java | 178 + .../niem/domains/jxdm/_6/TermType.java | 48 + .../_6/ViolatedStatuteAssociationType.java | 80 + .../niem/domains/jxdm/_6/WarrantType.java | 83 + .../niem/domains/jxdm/_6/package-info.java | 2 + .../niem/niem_core/_4/ActivityType.java | 224 + .../niem/niem_core/_4/AddressType.java | 312 + .../release/niem/niem_core/_4/AmountType.java | 116 + .../niem/niem_core/_4/AssociationType.java | 110 + .../release/niem/niem_core/_4/BinaryType.java | 259 + .../niem/niem_core/_4/CapabilityType.java | 80 + .../niem_core/_4/CaseDispositionType.java | 79 + .../release/niem/niem_core/_4/CaseType.java | 133 + ...InformationAvailabilityCodeSimpleType.java | 92 + ...ontactInformationAvailabilityCodeType.java | 257 + .../niem_core/_4/ContactInformationType.java | 236 + .../niem/niem_core/_4/ConveyanceType.java | 51 + .../niem/niem_core/_4/CountryType.java | 83 + .../niem/niem_core/_4/DateRangeType.java | 108 + .../release/niem/niem_core/_4/DateType.java | 89 + .../niem/niem_core/_4/DispositionType.java | 146 + .../niem_core/_4/DocumentAssociationType.java | 112 + .../niem/niem_core/_4/DocumentType.java | 460 + .../release/niem/niem_core/_4/EntityType.java | 92 + .../niem/niem_core/_4/FacilityType.java | 108 + .../niem_core/_4/FullTelephoneNumberType.java | 108 + .../niem/niem_core/_4/IdentificationType.java | 214 + .../niem/niem_core/_4/IncidentType.java | 123 + .../niem/niem_core/_4/InsuranceType.java | 145 + .../_4/InternationalTelephoneNumberType.java | 136 + .../release/niem/niem_core/_4/ItemType.java | 278 + .../niem/niem_core/_4/ItemValueType.java | 80 + .../niem/niem_core/_4/JurisdictionType.java | 86 + .../niem/niem_core/_4/LengthMeasureType.java | 47 + .../niem/niem_core/_4/LocationType.java | 140 + .../niem/niem_core/_4/MeasureType.java | 126 + .../niem/niem_core/_4/MetadataType.java | 196 + .../niem_core/_4/NANPTelephoneNumberType.java | 164 + .../niem_core/_4/NonNegativeDecimalType.java | 258 + .../niem/niem_core/_4/NumericType.java | 48 + .../niem/niem_core/_4/ObjectFactory.java | 4073 +++ .../niem_core/_4/ObligationExemptionType.java | 108 + .../_4/ObligationRecurrenceType.java | 108 + .../niem/niem_core/_4/ObligationType.java | 252 + .../_4/OffenseLevelCodeSimpleType.java | 61 + .../niem_core/_4/OffenseLevelCodeType.java | 257 + .../_4/OrganizationAssociationType.java | 123 + .../niem/niem_core/_4/OrganizationType.java | 294 + .../niem_core/_4/PersonAssociationType.java | 127 + .../niem/niem_core/_4/PersonDisunionType.java | 80 + .../_4/PersonEmploymentAssociationType.java | 107 + .../niem/niem_core/_4/PersonLanguageType.java | 84 + .../_4/PersonNameCategoryCodeSimpleType.java | 76 + .../_4/PersonNameCategoryCodeType.java | 257 + .../niem/niem_core/_4/PersonNameTextType.java | 47 + .../niem/niem_core/_4/PersonNameType.java | 281 + .../_4/PersonOrganizationAssociationType.java | 156 + .../release/niem/niem_core/_4/PersonType.java | 618 + .../_4/PersonUnionAssociationType.java | 167 + .../_4/PersonUnionCategoryCodeSimpleType.java | 84 + .../_4/PersonUnionCategoryCodeType.java | 257 + .../_4/PersonUnionSeparationType.java | 47 + .../niem_core/_4/PhysicalFeatureType.java | 86 + .../niem/niem_core/_4/ProperNameTextType.java | 51 + .../_4/RelatedActivityAssociationType.java | 123 + .../niem/niem_core/_4/ScheduleDayType.java | 169 + .../niem/niem_core/_4/ScheduleType.java | 48 + .../niem/niem_core/_4/SoftwareNameType.java | 47 + .../niem/niem_core/_4/SpeedMeasureType.java | 83 + .../release/niem/niem_core/_4/StateType.java | 89 + .../release/niem/niem_core/_4/StatusType.java | 149 + .../release/niem/niem_core/_4/StreetType.java | 248 + .../niem/niem_core/_4/SupervisionType.java | 107 + .../niem_core/_4/TelephoneNumberType.java | 87 + .../release/niem/niem_core/_4/TextType.java | 52 + .../niem/niem_core/_4/VehicleType.java | 182 + .../niem/niem_core/_4/WeightMeasureType.java | 47 + .../niem/niem_core/_4/package-info.java | 2 + .../release/niem/proxy/xsd/_4/AnyURI.java | 258 + .../niem/proxy/xsd/_4/Base64Binary.java | 255 + .../release/niem/proxy/xsd/_4/Boolean.java | 249 + .../niem/release/niem/proxy/xsd/_4/Date.java | 259 + .../release/niem/proxy/xsd/_4/DateTime.java | 259 + .../release/niem/proxy/xsd/_4/Decimal.java | 263 + .../release/niem/proxy/xsd/_4/Duration.java | 257 + .../niem/release/niem/proxy/xsd/_4/GYear.java | 259 + .../niem/proxy/xsd/_4/NormalizedString.java | 260 + .../niem/proxy/xsd/_4/ObjectFactory.java | 120 + .../release/niem/proxy/xsd/_4/String.java | 262 + .../niem/release/niem/proxy/xsd/_4/Time.java | 259 + .../niem/proxy/xsd/_4/package-info.java | 2 + .../niem/structures/_4/AssociationType.java | 271 + .../niem/structures/_4/AugmentationType.java | 289 + .../niem/structures/_4/MetadataType.java | 164 + .../niem/structures/_4/ObjectFactory.java | 63 + .../niem/structures/_4/ObjectType.java | 467 + .../niem/structures/_4/package-info.java | 2 + .../AllocateCourtDateMessageType.java | 152 + .../ns/v5_0/allocatedate/ObjectFactory.java | 71 + .../ns/v5_0/allocatedate/package-info.java | 2 + .../AppellateCaseAddedPartyType.java | 110 + .../AppellateCaseRemovedPartyType.java | 110 + .../appellate/AppellateCourtRuleCaseType.java | 117 + .../v5_0/appellate/CaseAugmentationType.java | 291 + .../ns/v5_0/appellate/ObjectFactory.java | 238 + .../ns/v5_0/appellate/package-info.java | 2 + .../v5_0/cancel/CancelFilingMessageType.java | 87 + .../ns/v5_0/cancel/ObjectFactory.java | 71 + .../ns/v5_0/cancel/package-info.java | 2 + .../CaseListQueryCriteriaType.java | 166 + .../GetCaseListRequestMessageType.java | 119 + .../v5_0/caselistrequest/ObjectFactory.java | 108 + .../ns/v5_0/caselistrequest/package-info.java | 2 + .../GetCaseListResponseMessageType.java | 125 + .../v5_0/caselistresponse/ObjectFactory.java | 71 + .../v5_0/caselistresponse/package-info.java | 2 + .../caserequest/CaseQueryCriteriaType.java | 320 + .../GetCaseRequestMessageType.java | 119 + .../ns/v5_0/caserequest/ObjectFactory.java | 180 + .../ns/v5_0/caserequest/package-info.java | 2 + .../GetCaseResponseMessageType.java | 121 + .../ns/v5_0/caseresponse/ObjectFactory.java | 71 + .../ns/v5_0/caseresponse/package-info.java | 2 + .../ns/v5_0/civil/CaseAugmentationType.java | 284 + .../ns/v5_0/civil/DecedentEstateCaseType.java | 138 + .../civil/FiduciaryCaseAssociationType.java | 81 + .../ns/v5_0/civil/ObjectFactory.java | 218 + .../ns/v5_0/civil/package-info.java | 2 + .../NotifyCourtDateMessageType.java | 150 + .../ns/v5_0/datecallback/ObjectFactory.java | 71 + .../ns/v5_0/datecallback/package-info.java | 2 + .../ns/v5_0/docket/ObjectFactory.java | 116 + .../docket/RecordDocketingMessageType.java | 270 + .../ns/v5_0/docket/package-info.java | 2 + .../NotifyDocketingCompleteMessageType.java | 90 + .../ns/v5_0/docketcallback/ObjectFactory.java | 71 + .../ns/v5_0/docketcallback/package-info.java | 2 + .../DocumentQueryCriteriaType.java | 145 + .../GetDocumentRequestMessageType.java | 115 + .../v5_0/documentrequest/ObjectFactory.java | 93 + .../ns/v5_0/documentrequest/package-info.java | 2 + .../GetDocumentResponseMessageType.java | 179 + .../v5_0/documentresponse/ObjectFactory.java | 71 + .../v5_0/documentresponse/package-info.java | 2 + .../ns/v5_0/ecf/CallbackMessageType.java | 220 + .../ns/v5_0/ecf/CaseAugmentationType.java | 138 + .../ns/v5_0/ecf/CaseFilingType.java | 218 + .../ecf/CaseOfficialAugmentationType.java | 86 + .../ns/v5_0/ecf/CourtEventActorType.java | 90 + .../v5_0/ecf/CourtEventAugmentationType.java | 328 + .../ecf/CourtEventOnBehalfOfActorType.java | 90 + .../DocumentAssociationAugmentationType.java | 79 + .../ns/v5_0/ecf/DocumentAugmentationType.java | 131 + .../ns/v5_0/ecf/DocumentRenditionType.java | 223 + .../ecf/DocumentReviewDispositionType.java | 139 + .../ns/v5_0/ecf/DocumentReviewType.java | 134 + .../ns/v5_0/ecf/DocumentSignatureType.java | 109 + .../ns/v5_0/ecf/DocumentStatusType.java | 109 + .../ns/v5_0/ecf/DocumentType.java | 48 + .../ecf/ElectronicServiceInformationType.java | 138 + .../ns/v5_0/ecf/FilingStatusType.java | 109 + .../ns/v5_0/ecf/InsuranceType.java | 49 + .../ns/v5_0/ecf/ItemAugmentationType.java | 144 + .../ns/v5_0/ecf/MatchingFilingType.java | 49 + .../ecf/MessageStatusAugmentationType.java | 143 + .../ns/v5_0/ecf/ObjectFactory.java | 1455 ++ ...ganizationAssociationAugmentationType.java | 79 + .../ecf/OrganizationAugmentationType.java | 206 + .../PersonAssociationAugmentationType.java | 79 + .../ns/v5_0/ecf/PersonAugmentationType.java | 269 + ...ganizationAssociationAugmentationType.java | 79 + ...edActivityAssociationAugmentationType.java | 79 + .../ns/v5_0/ecf/RequestMessageType.java | 74 + .../ns/v5_0/ecf/ResponseMessageType.java | 103 + .../ecf/ReviewedDocumentAugmentationType.java | 136 + .../ns/v5_0/ecf/ReviewedDocumentType.java | 90 + .../v5_0/ecf/SignatureAugmentationType.java | 80 + .../ns/v5_0/ecf/SubjectAugmentationType.java | 137 + .../ns/v5_0/ecf/package-info.java | 2 + .../GetFeesCalculationRequestMessageType.java | 121 + .../ns/v5_0/feesrequest/ObjectFactory.java | 71 + .../ns/v5_0/feesrequest/package-info.java | 2 + ...GetFeesCalculationResponseMessageType.java | 150 + .../ns/v5_0/feesresponse/ObjectFactory.java | 86 + .../ns/v5_0/feesresponse/package-info.java | 2 + .../ns/v5_0/filing/FilingMessageType.java | 226 + .../ns/v5_0/filing/ObjectFactory.java | 100 + .../ns/v5_0/filing/package-info.java | 2 + .../FilingListQueryCriteriaType.java | 203 + .../GetFilingListRequestMessageType.java | 115 + .../v5_0/filinglistrequest/ObjectFactory.java | 93 + .../v5_0/filinglistrequest/package-info.java | 2 + .../GetFilingListResponseMessageType.java | 121 + .../filinglistresponse/ObjectFactory.java | 71 + .../v5_0/filinglistresponse/package-info.java | 2 + .../FilingStatusQueryCriteriaType.java | 150 + .../GetFilingStatusRequestMessageType.java | 119 + .../filingstatusrequest/ObjectFactory.java | 93 + .../filingstatusrequest/package-info.java | 2 + .../GetFilingStatusResponseMessageType.java | 116 + .../filingstatusresponse/ObjectFactory.java | 71 + .../filingstatusresponse/package-info.java | 2 + .../ns/v5_0/payment/ObjectFactory.java | 87 + .../ns/v5_0/payment/PaymentMessageType.java | 290 + .../ns/v5_0/payment/package-info.java | 2 + .../GetPolicyRequestMessageType.java | 115 + .../ns/v5_0/policyrequest/ObjectFactory.java | 93 + .../PolicyQueryCriteriaType.java | 81 + .../ns/v5_0/policyrequest/package-info.java | 2 + .../policyresponse/CodeListExtensionType.java | 80 + .../policyresponse/DevelopmentPolicyType.java | 441 + .../ns/v5_0/policyresponse/ExtensionType.java | 142 + .../GetPolicyResponseMessageType.java | 117 + .../MajorDesignElementType.java | 166 + .../ns/v5_0/policyresponse/ObjectFactory.java | 536 + .../policyresponse/RuntimePolicyType.java | 116 + .../policyresponse/SchemaExtensionType.java | 154 + .../SupportedCaseCategoriesType.java | 88 + .../SupportedOperationsType.java | 88 + ...pportedServiceInteractionProfilesType.java | 88 + .../SupportedSignatureProfilesType.java | 88 + .../ns/v5_0/policyresponse/package-info.java | 2 + .../requestdaterequest/ObjectFactory.java | 71 + .../RequestCourtDateRequestMessageType.java | 215 + .../v5_0/requestdaterequest/package-info.java | 2 + .../requestdateresponse/CourtDateType.java | 113 + .../requestdateresponse/ObjectFactory.java | 93 + .../RequestCourtDateResponseMessageType.java | 120 + .../requestdateresponse/package-info.java | 2 + .../ns/v5_0/reservedate/ObjectFactory.java | 101 + .../ReserveCourtDateMessageType.java | 215 + .../ns/v5_0/reservedate/package-info.java | 2 + ...NotifyFilingReviewCompleteMessageType.java | 90 + .../reviewfilingcallback/ObjectFactory.java | 71 + .../reviewfilingcallback/package-info.java | 2 + .../GetCourtScheduleRequestMessageType.java | 115 + .../v5_0/schedulerequest/ObjectFactory.java | 93 + .../ScheduleQueryCriteriaType.java | 196 + .../ns/v5_0/schedulerequest/package-info.java | 2 + .../GetCourtScheduleResponseMessageType.java | 116 + .../v5_0/scheduleresponse/ObjectFactory.java | 71 + .../v5_0/scheduleresponse/package-info.java | 2 + ...tServiceInformationRequestMessageType.java | 150 + .../ObjectFactory.java | 71 + .../package-info.java | 2 + ...ServiceInformationResponseMessageType.java | 121 + .../ObjectFactory.java | 86 + .../package-info.java | 2 + .../DocumentStampInformationMessageType.java | 186 + .../v5_0/stampinformation/ObjectFactory.java | 71 + .../v5_0/stampinformation/package-info.java | 2 + ...fyDocumentStampInformationMessageType.java | 87 + .../ObjectFactory.java | 71 + .../package-info.java | 2 + .../AllocateCourtDateRequestType.java | 75 + .../AllocateCourtDateResponseType.java | 75 + .../wrappers/CancelFilingRequestType.java | 75 + .../wrappers/CancelFilingResponseType.java | 75 + .../DocumentStampInformationRequestType.java | 75 + .../DocumentStampInformationResponseType.java | 75 + .../v5_0/wrappers/GetCaseListRequestType.java | 75 + .../wrappers/GetCaseListResponseType.java | 75 + .../ns/v5_0/wrappers/GetCaseRequestType.java | 75 + .../ns/v5_0/wrappers/GetCaseResponseType.java | 75 + .../wrappers/GetCourtScheduleRequestType.java | 75 + .../GetCourtScheduleResponseType.java | 75 + .../v5_0/wrappers/GetDocumentRequestType.java | 75 + .../wrappers/GetDocumentResponseType.java | 75 + .../GetFeesCalculationRequestType.java | 104 + .../GetFeesCalculationResponseType.java | 75 + .../wrappers/GetFilingListRequestType.java | 75 + .../wrappers/GetFilingListResponseType.java | 75 + .../wrappers/GetFilingStatusRequestType.java | 75 + .../wrappers/GetFilingStatusResponseType.java | 75 + .../v5_0/wrappers/GetPolicyRequestType.java | 75 + .../v5_0/wrappers/GetPolicyResponseType.java | 75 + .../GetServiceInformationRequestType.java | 75 + .../GetServiceInformationResponseType.java | 75 + .../wrappers/NotifyCourtDateRequestType.java | 75 + .../wrappers/NotifyCourtDateResponseType.java | 75 + .../NotifyDocketingCompleteRequestType.java | 111 + .../NotifyDocketingCompleteResponseType.java | 75 + ...fyDocumentStampInformationRequestType.java | 75 + ...yDocumentStampInformationResponseType.java | 75 + ...NotifyFilingReviewCompleteRequestType.java | 111 + ...otifyFilingReviewCompleteResponseType.java | 75 + .../ns/v5_0/wrappers/ObjectFactory.java | 1003 + .../wrappers/RecordDocketingRequestType.java | 116 + .../wrappers/RecordDocketingResponseType.java | 75 + .../wrappers/RequestCourtDateRequestType.java | 75 + .../RequestCourtDateResponseType.java | 75 + .../wrappers/ReserveCourtDateRequestType.java | 75 + .../ReserveCourtDateResponseType.java | 75 + .../wrappers/ReviewFilingRequestType.java | 111 + .../wrappers/ReviewFilingResponseType.java | 75 + .../v5_0/wrappers/ServeFilingRequestType.java | 111 + .../wrappers/ServeFilingResponseType.java | 75 + .../wrappers/ServeProcessRequestType.java | 111 + .../wrappers/ServeProcessResponseType.java | 75 + .../ns/v5_0/wrappers/package-info.java | 2 + .../courtpolicymde/CourtPolicyMDE.java | 28 + .../courtpolicymde/CourtPolicyMDEService.java | 88 + .../courtrecordmde/CourtRecordMDE.java | 76 + .../courtrecordmde/CourtRecordMDEService.java | 88 + .../CourtRecordMDE_CourtRecordMDE_Client.java | 111 + .../CourtSchedulingMDE.java | 52 + .../CourtSchedulingMDEService.java | 88 + ...hedulingMDE_CourtSchedulingMDE_Client.java | 87 + .../filingreviewmde/FilingReviewMDE.java | 76 + .../FilingReviewMDEService.java | 88 + ...ilingReviewMDE_FilingReviewMDE_Client.java | 111 + .../ns/v5_0wsdl/servicemde/ServiceMDE.java | 36 + .../servicemde/ServiceMDEService.java | 88 + .../ServiceMDE_ServiceMDE_Client.java | 71 + .../xml/ns/icalendar_2/ActionPropType.java | 49 + .../ns/icalendar_2/AlarmComponentType.java | 52 + .../xml/ns/icalendar_2/AltrepParamType.java | 44 + .../ArrayOfEventTodoContainedComponents.java | 81 + .../ArrayOfGluonContainedComponents.java | 81 + .../xml/ns/icalendar_2/ArrayOfParameters.java | 107 + .../xml/ns/icalendar_2/ArrayOfProperties.java | 140 + .../ArrayOfTimezoneContainedComponents.java | 89 + ...rayOfVavailabilityContainedComponents.java | 79 + .../ArrayOfVcalendarContainedComponents.java | 90 + .../xml/ns/icalendar_2/ArtifactBaseType.java | 48 + .../xml/ns/icalendar_2/ArtifactType.java | 72 + .../xml/ns/icalendar_2/AttachPropType.java | 101 + .../xml/ns/icalendar_2/AttendeePropType.java | 44 + .../xml/ns/icalendar_2/AvailableType.java | 44 + .../xml/ns/icalendar_2/BaseComponentType.java | 88 + .../xml/ns/icalendar_2/BaseParameterType.java | 52 + .../xml/ns/icalendar_2/BasePropertyType.java | 96 + .../ns/icalendar_2/BooleanParameterType.java | 72 + .../xml/ns/icalendar_2/BusytypePropType.java | 60 + .../icalendar_2/CalAddressListParamType.java | 89 + .../ns/icalendar_2/CalAddressParamType.java | 80 + .../icalendar_2/CalAddressPropertyType.java | 81 + .../xml/ns/icalendar_2/CalscalePropType.java | 78 + .../xml/ns/icalendar_2/CalscaleValueType.java | 35 + .../ns/icalendar_2/CategoriesPropType.java | 44 + .../xml/ns/icalendar_2/ClassPropType.java | 50 + .../xml/ns/icalendar_2/CnParamType.java | 44 + .../xml/ns/icalendar_2/CommentPropType.java | 44 + .../xml/ns/icalendar_2/CompletedPropType.java | 44 + .../xml/ns/icalendar_2/ContactPropType.java | 44 + .../xml/ns/icalendar_2/CreatedPropType.java | 44 + .../xml/ns/icalendar_2/CutypeParamType.java | 57 + .../icalendar_2/DateDatetimePropertyType.java | 118 + .../ns/icalendar_2/DatetimePropertyType.java | 79 + .../xml/ns/icalendar_2/DaylightType.java | 48 + .../icalendar_2/DelegatedFromParamType.java | 44 + .../ns/icalendar_2/DelegatedToParamType.java | 44 + .../ns/icalendar_2/DescriptionPropType.java | 44 + .../xml/ns/icalendar_2/DirParamType.java | 44 + .../xml/ns/icalendar_2/DtendPropType.java | 44 + .../xml/ns/icalendar_2/DtstampPropType.java | 44 + .../xml/ns/icalendar_2/DtstartPropType.java | 44 + .../xml/ns/icalendar_2/DuePropType.java | 44 + .../ns/icalendar_2/DurationParameterType.java | 77 + .../xml/ns/icalendar_2/DurationPropType.java | 76 + .../xml/ns/icalendar_2/EncodingParamType.java | 53 + .../icalendar_2/EventTodoComponentType.java | 85 + .../xml/ns/icalendar_2/ExdatePropType.java | 44 + .../xml/ns/icalendar_2/ExrulePropType.java | 44 + .../xml/ns/icalendar_2/FbtypeParamType.java | 56 + .../xml/ns/icalendar_2/FmttypeParamType.java | 44 + .../xml/ns/icalendar_2/FreebusyPropType.java | 83 + .../xml/ns/icalendar_2/FreqRecurType.java | 47 + .../xml/ns/icalendar_2/GeoPropType.java | 85 + .../xml/ns/icalendar_2/IcalendarType.java | 81 + .../ns/icalendar_2/IntegerPropertyType.java | 84 + .../xml/ns/icalendar_2/LanguageParamType.java | 44 + .../ns/icalendar_2/LastModifiedPropType.java | 44 + .../xml/ns/icalendar_2/LinkPropType.java | 128 + .../xml/ns/icalendar_2/LocationPropType.java | 44 + .../xml/ns/icalendar_2/MemberParamType.java | 44 + .../xml/ns/icalendar_2/MethodPropType.java | 44 + .../xml/ns/icalendar_2/ObjectFactory.java | 2739 ++ .../xml/ns/icalendar_2/OrganizerPropType.java | 44 + .../xml/ns/icalendar_2/PartstatParamType.java | 84 + .../icalendar_2/PercentCompletePropType.java | 44 + .../params/xml/ns/icalendar_2/PeriodType.java | 136 + .../xml/ns/icalendar_2/PriorityPropType.java | 44 + .../xml/ns/icalendar_2/ProdidPropType.java | 44 + .../xml/ns/icalendar_2/RangeParamType.java | 78 + .../xml/ns/icalendar_2/RangeValueType.java | 35 + .../xml/ns/icalendar_2/RdatePropType.java | 44 + .../xml/ns/icalendar_2/RecurPropertyType.java | 81 + .../params/xml/ns/icalendar_2/RecurType.java | 484 + .../ns/icalendar_2/RecurrenceIdPropType.java | 44 + .../xml/ns/icalendar_2/RelatedParamType.java | 50 + .../xml/ns/icalendar_2/RelatedToPropType.java | 128 + .../xml/ns/icalendar_2/ReltypeParamType.java | 62 + .../xml/ns/icalendar_2/RepeatPropType.java | 44 + .../ns/icalendar_2/RequestStatusPropType.java | 132 + .../xml/ns/icalendar_2/ResourcesPropType.java | 44 + .../xml/ns/icalendar_2/RoleParamType.java | 52 + .../xml/ns/icalendar_2/RrulePropType.java | 44 + .../xml/ns/icalendar_2/RsvpParamType.java | 44 + .../icalendar_2/ScheduleAgentParamType.java | 55 + .../ScheduleForceSendParamType.java | 51 + .../icalendar_2/ScheduleStatusParamType.java | 44 + .../xml/ns/icalendar_2/SentByParamType.java | 44 + .../xml/ns/icalendar_2/SequencePropType.java | 44 + .../xml/ns/icalendar_2/StandardType.java | 48 + .../xml/ns/icalendar_2/StatusPropType.java | 70 + .../xml/ns/icalendar_2/SummaryPropType.java | 44 + .../ns/icalendar_2/TextListPropertyType.java | 88 + .../xml/ns/icalendar_2/TextParameterType.java | 94 + .../xml/ns/icalendar_2/TextPropertyType.java | 102 + .../xml/ns/icalendar_2/TolerancePropType.java | 76 + .../ns/icalendar_2/ToleranceValueType.java | 240 + .../xml/ns/icalendar_2/TranspPropType.java | 52 + .../xml/ns/icalendar_2/TriggerPropType.java | 108 + .../xml/ns/icalendar_2/TzidParamType.java | 44 + .../xml/ns/icalendar_2/TzidPropType.java | 44 + .../xml/ns/icalendar_2/TznamePropType.java | 44 + .../ns/icalendar_2/TzoffsetfromPropType.java | 44 + .../ns/icalendar_2/TzoffsettoPropType.java | 44 + .../xml/ns/icalendar_2/TzurlPropType.java | 44 + .../xml/ns/icalendar_2/UidPropType.java | 44 + .../xml/ns/icalendar_2/UntilRecurType.java | 107 + .../xml/ns/icalendar_2/UriParameterType.java | 81 + .../xml/ns/icalendar_2/UriPropertyType.java | 81 + .../xml/ns/icalendar_2/UrlPropType.java | 44 + .../icalendar_2/UtcDatetimePropertyType.java | 86 + .../ns/icalendar_2/UtcOffsetPropertyType.java | 81 + .../params/xml/ns/icalendar_2/ValarmType.java | 44 + .../xml/ns/icalendar_2/VavailabilityType.java | 76 + .../VcalendarContainedComponentType.java | 59 + .../xml/ns/icalendar_2/VcalendarType.java | 81 + .../xml/ns/icalendar_2/VersionPropType.java | 44 + .../params/xml/ns/icalendar_2/VeventType.java | 44 + .../xml/ns/icalendar_2/VfreebusyType.java | 48 + .../xml/ns/icalendar_2/VjournalType.java | 48 + .../xml/ns/icalendar_2/VtimezoneType.java | 80 + .../params/xml/ns/icalendar_2/VtodoType.java | 44 + .../xml/ns/icalendar_2/WeekdayRecurType.java | 47 + .../ns/icalendar_2/WsCalendarAttachType.java | 98 + .../ns/icalendar_2/WsCalendarGluonType.java | 80 + .../icalendar_2/WsCalendarIntervalType.java | 48 + .../ns/icalendar_2/WsCalendarTypeType.java | 44 + .../ns/icalendar_2/XBedeworkCostPropType.java | 44 + .../XBedeworkExsynchEndtzidPropType.java | 44 + .../XBedeworkExsynchLastmodPropType.java | 44 + .../XBedeworkExsynchStarttzidPropType.java | 44 + .../ns/icalendar_2/XBedeworkUidParamType.java | 44 + .../XMicrosoftCdoBusystatusPropType.java | 44 + .../XMicrosoftCdoIntendedstatusPropType.java | 44 + .../xml/ns/icalendar_2/package-info.java | 2 + .../ActivityDataLineType.java | 317 + .../ActivityPropertyType.java | 118 + .../AddressLineType.java | 85 + .../AddressType.java | 952 + .../AirTransportType.java | 85 + .../AllowanceChargeType.java | 561 + .../AppealTermsType.java | 220 + .../AttachmentType.java | 150 + .../AuctionTermsType.java | 310 + .../AwardingCriterionResponseType.java | 299 + .../AwardingCriterionType.java | 507 + .../AwardingTermsType.java | 483 + .../BillingReferenceLineType.java | 157 + .../BillingReferenceType.java | 315 + .../BranchType.java | 182 + .../BudgetAccountLineType.java | 157 + .../BudgetAccountType.java | 150 + .../CapabilityType.java | 292 + .../CardAccountType.java | 415 + ...alogueItemSpecificationUpdateLineType.java | 181 + .../CatalogueLineType.java | 1119 + .../CataloguePricingUpdateLineType.java | 188 + .../CatalogueReferenceType.java | 394 + .../CatalogueRequestLineType.java | 259 + .../CertificateOfOriginApplicationType.java | 597 + .../CertificateType.java | 297 + .../ClassificationCategoryType.java | 195 + .../ClassificationSchemeType.java | 530 + .../ClauseType.java | 125 + .../CommodityClassificationType.java | 184 + .../CommunicationType.java | 151 + .../CompletedTaskType.java | 292 + .../ConditionType.java | 224 + .../ConsignmentType.java | 3493 +++ .../ConsumptionAverageType.java | 125 + .../ConsumptionCorrectionType.java | 455 + .../ConsumptionHistoryType.java | 289 + .../ConsumptionLineType.java | 425 + .../ConsumptionPointType.java | 358 + .../ConsumptionReportReferenceType.java | 216 + .../ConsumptionReportType.java | 658 + .../ConsumptionType.java | 289 + .../ContactType.java | 294 + .../ContractExecutionRequirementType.java | 163 + .../ContractExtensionType.java | 260 + .../ContractType.java | 527 + .../ContractingActivityType.java | 118 + .../ContractingPartyType.java | 193 + .../ContractingPartyTypeType.java | 118 + .../ContractingSystemType.java | 158 + .../CorporateRegistrationSchemeType.java | 190 + .../CountryType.java | 118 + .../CreditAccountType.java | 85 + .../CreditNoteLineType.java | 1030 + .../CustomerPartyType.java | 286 + .../CustomsDeclarationType.java | 117 + .../DebitNoteLineType.java | 785 + .../DeclarationType.java | 200 + .../DeliveryChannelType.java | 215 + .../DeliveryTermsType.java | 293 + .../DeliveryType.java | 842 + .../DeliveryUnitType.java | 151 + .../DependentPriceReferenceType.java | 149 + .../DespatchLineType.java | 542 + .../DespatchType.java | 683 + .../DigitalAgreementTermsType.java | 193 + .../DigitalCollaborationType.java | 149 + .../DigitalProcessType.java | 232 + .../DigitalServiceType.java | 231 + .../DimensionType.java | 224 + .../DocumentDistributionType.java | 216 + .../DocumentMetadataType.java | 217 + .../DocumentReferenceType.java | 621 + .../DocumentResponseType.java | 224 + .../commonaggregatecomponents_2/DutyType.java | 182 + .../EconomicOperatorPartyType.java | 155 + .../EconomicOperatorRoleType.java | 125 + .../EconomicOperatorShortListType.java | 228 + .../EmissionCalculationMethodType.java | 182 + .../EncryptionCertificatePathChainType.java | 118 + .../EncryptionDataType.java | 193 + .../EncryptionSymmetricAlgorithmType.java | 118 + .../EndorsementType.java | 227 + .../EndorserPartyType.java | 182 + .../EnergyTaxReportType.java | 183 + .../EnergyWaterSupplyType.java | 202 + .../EnvironmentalEmissionType.java | 195 + .../EvaluationCriterionType.java | 331 + .../EventCommentType.java | 151 + .../EventLineItemType.java | 188 + .../EventTacticEnumerationType.java | 184 + .../EventTacticType.java | 182 + .../EventType.java | 363 + .../EvidenceSuppliedType.java | 85 + .../EvidenceType.java | 363 + .../ExceptionCriteriaLineType.java | 457 + .../ExceptionNotificationLineType.java | 560 + .../ExchangeRateType.java | 348 + .../ExternalReferenceType.java | 422 + .../FinancialAccountType.java | 354 + .../FinancialGuaranteeType.java | 223 + .../FinancialInstitutionType.java | 150 + .../ForecastExceptionCriterionLineType.java | 217 + .../ForecastExceptionType.java | 316 + .../ForecastLineType.java | 255 + .../ForecastRevisionLineType.java | 359 + .../FrameworkAgreementType.java | 265 + .../GoodsItemContainerType.java | 157 + .../GoodsItemType.java | 1404 + .../HazardousGoodsTransitType.java | 281 + .../HazardousItemType.java | 827 + .../ImmobilizedSecurityType.java | 282 + .../InstructionForReturnsLineType.java | 222 + .../InventoryReportLineType.java | 321 + .../InvoiceLineType.java | 1025 + .../ItemComparisonType.java | 118 + .../ItemIdentificationType.java | 259 + .../ItemInformationRequestLineType.java | 260 + .../ItemInstanceType.java | 321 + .../ItemLocationQuantityType.java | 468 + .../ItemManagementProfileType.java | 386 + .../ItemPropertyGroupType.java | 151 + .../ItemPropertyRangeType.java | 118 + .../ItemPropertyType.java | 494 + .../commonaggregatecomponents_2/ItemType.java | 1114 + .../LanguageType.java | 151 + .../LegislationType.java | 351 + .../LineItemType.java | 1136 + .../LineReferenceType.java | 183 + .../LineResponseType.java | 123 + .../LocationCoordinateType.java | 316 + .../LocationType.java | 471 + .../LotDistributionType.java | 158 + .../LotIdentificationType.java | 157 + .../MaritimeTransportType.java | 321 + .../MessageDeliveryType.java | 151 + .../MeterPropertyType.java | 224 + .../MeterReadingType.java | 488 + .../MeterType.java | 293 + .../MiscellaneousEventType.java | 124 + .../MonetaryTotalType.java | 382 + .../NotificationRequirementType.java | 264 + .../ObjectFactory.java | 12371 +++++++++ .../OnAccountPaymentType.java | 162 + .../OrderLineReferenceType.java | 216 + .../OrderLineType.java | 406 + .../OrderReferenceType.java | 348 + .../OrderedShipmentType.java | 123 + .../PackageType.java | 566 + .../ParticipantPartyType.java | 344 + .../PartyIdentificationType.java | 85 + .../PartyLegalEntityType.java | 517 + .../PartyNameType.java | 85 + .../PartyTaxSchemeType.java | 288 + .../PartyType.java | 777 + .../PaymentMandateType.java | 384 + .../PaymentMeansType.java | 487 + .../PaymentTermsType.java | 687 + .../PaymentType.java | 250 + .../PerformanceDataLineType.java | 255 + .../PeriodType.java | 295 + .../PersonType.java | 681 + .../PhysicalAttributeType.java | 191 + .../PickupType.java | 347 + .../PostAwardProcessType.java | 191 + .../PowerOfAttorneyType.java | 329 + .../PriceExtensionType.java | 124 + .../PriceListType.java | 189 + .../PriceType.java | 395 + .../PricingReferenceType.java | 123 + .../ProcessJustificationType.java | 196 + .../ProcurementProjectLotReferenceType.java | 85 + .../ProcurementProjectLotType.java | 149 + .../ProcurementProjectType.java | 681 + .../ProjectReferenceType.java | 190 + .../PromotionalEventLineItemType.java | 117 + .../PromotionalEventType.java | 223 + .../PromotionalSpecificationType.java | 161 + .../QualificationResolutionType.java | 261 + .../QualifyingPartyType.java | 534 + .../QuotationLineType.java | 432 + .../RailTransportType.java | 118 + .../ReceiptLineType.java | 739 + .../RegulationType.java | 151 + .../RelatedItemType.java | 158 + .../ReminderLineType.java | 528 + .../RemittanceAdviceLineType.java | 658 + .../RenewalType.java | 117 + .../RequestForQuotationLineType.java | 326 + .../RequestForTenderLineType.java | 601 + .../RequestedTenderTotalType.java | 327 + .../ResponseType.java | 261 + .../ResponseValueType.java | 526 + .../ResultOfVerificationType.java | 315 + .../RetailPlannedImpactType.java | 183 + .../RoadTransportType.java | 85 + .../SalesItemType.java | 230 + .../SecondaryHazardType.java | 224 + .../ServiceFrequencyType.java | 85 + .../ServiceLevelAgreementType.java | 661 + .../ServiceProviderPartyType.java | 222 + .../ShareholderPartyType.java | 117 + .../ShipmentStageType.java | 2077 ++ .../ShipmentType.java | 1144 + .../SignatureType.java | 386 + .../SocialMediaProfileType.java | 184 + .../StatementLineType.java | 801 + .../StatusType.java | 469 + .../StockAvailabilityReportLineType.java | 289 + .../StowageType.java | 162 + .../SubcontractTermsType.java | 290 + .../SubscriberConsumptionType.java | 361 + .../SupplierConsumptionType.java | 257 + .../SupplierPartyType.java | 286 + .../TaxCategoryType.java | 388 + .../TaxSchemeType.java | 223 + .../TaxSubtotalType.java | 381 + .../TaxTotalType.java | 223 + .../TelecommunicationsServiceType.java | 765 + .../TelecommunicationsSupplyLineType.java | 339 + .../TelecommunicationsSupplyType.java | 261 + .../TemperatureType.java | 158 + .../TenderLineType.java | 768 + .../TenderPreparationType.java | 302 + .../TenderRequirementType.java | 157 + .../TenderResultType.java | 625 + .../TenderedProjectType.java | 436 + .../TendererPartyQualificationType.java | 160 + .../TendererQualificationRequestType.java | 447 + .../TendererRequirementType.java | 233 + .../TenderingCriterionPropertyGroupType.java | 331 + .../TenderingCriterionPropertyType.java | 765 + .../TenderingCriterionResponseType.java | 335 + .../TenderingCriterionType.java | 473 + .../TenderingProcessType.java | 907 + .../TenderingTermsType.java | 1694 ++ .../TradeFinancingType.java | 291 + .../TradingTermsType.java | 157 + .../TransactionConditionsType.java | 195 + .../TransportEquipmentSealType.java | 217 + .../TransportEquipmentType.java | 2186 ++ .../TransportEventType.java | 464 + .../TransportExecutionTermsType.java | 444 + .../TransportHandlingUnitType.java | 1008 + .../TransportMeansType.java | 486 + .../TransportScheduleType.java | 448 + .../TransportationSegmentType.java | 253 + .../TransportationServiceType.java | 855 + .../UnstructuredPriceType.java | 118 + .../UtilityItemType.java | 552 + .../VerifiedGrossMassType.java | 418 + .../WebSiteAccessType.java | 151 + .../WebSiteType.java | 261 + .../WinningPartyType.java | 117 + .../WorkPhaseReferenceType.java | 294 + .../package-info.java | 2 + .../AcceptedIndicatorType.java | 45 + .../AcceptedVariantsDescriptionType.java | 45 + .../AccessToolsURIType.java | 45 + .../AccountFormatCodeType.java | 45 + .../AccountIDType.java | 45 + .../AccountTypeCodeType.java | 45 + .../AccountingCostCodeType.java | 45 + .../AccountingCostType.java | 45 + .../ActionCodeType.java | 45 + .../ActivityTypeCodeType.java | 45 + .../ActivityTypeType.java | 45 + .../ActualDeliveryDateType.java | 45 + .../ActualDeliveryTimeType.java | 45 + .../ActualDespatchDateType.java | 45 + .../ActualDespatchTimeType.java | 45 + .../ActualPickupDateType.java | 45 + .../ActualPickupTimeType.java | 45 + ...ctualTemperatureReductionQuantityType.java | 45 + .../AdValoremIndicatorType.java | 45 + .../AdditionalAccountIDType.java | 45 + .../AdditionalConditionsType.java | 45 + .../AdditionalInformationType.java | 45 + .../AdditionalStreetNameType.java | 45 + .../AddressFormatCodeType.java | 45 + .../AddressTypeCodeType.java | 45 + .../AdjustmentReasonCodeType.java | 45 + .../AdmissionCodeType.java | 45 + .../AdvertisementAmountType.java | 45 + .../commonbasiccomponents_2/AgencyIDType.java | 45 + .../AgencyNameType.java | 45 + .../AgreementTypeCodeType.java | 45 + .../AirFlowPercentType.java | 45 + .../AircraftIDType.java | 45 + .../AliasNameType.java | 45 + .../AllowanceChargeReasonCodeType.java | 44 + .../AllowanceChargeReasonType.java | 45 + .../AllowanceTotalAmountType.java | 45 + .../AltitudeMeasureType.java | 45 + .../AmountRateType.java | 45 + .../commonbasiccomponents_2/AmountType.java | 44 + .../AnimalFoodApprovedIndicatorType.java | 45 + .../AnimalFoodIndicatorType.java | 45 + .../AnnualAverageAmountType.java | 45 + .../ApplicationStatusCodeType.java | 45 + .../ApprovalDateType.java | 45 + .../ApprovalStatusType.java | 45 + .../commonbasiccomponents_2/ArticleType.java | 45 + .../AttributeIDType.java | 45 + .../AuctionConstraintIndicatorType.java | 45 + .../AuctionURIType.java | 45 + .../AvailabilityDateType.java | 45 + .../AvailabilityStatusCodeType.java | 45 + .../AvailabilityTimePercentType.java | 45 + .../AverageAmountType.java | 45 + .../AverageSubsequentContractAmountType.java | 45 + .../AwardDateType.java | 45 + .../commonbasiccomponents_2/AwardIDType.java | 45 + .../AwardTimeType.java | 45 + .../AwardingCriterionDescriptionType.java | 45 + .../AwardingCriterionIDType.java | 45 + .../AwardingCriterionTypeCodeType.java | 45 + .../AwardingMethodTypeCodeType.java | 45 + .../BackOrderAllowedIndicatorType.java | 45 + .../BackorderQuantityType.java | 45 + .../BackorderReasonType.java | 45 + .../BalanceAmountType.java | 45 + .../BalanceBroughtForwardIndicatorType.java | 45 + .../BarcodeSymbologyIDType.java | 45 + .../BaseAmountType.java | 45 + .../BaseQuantityType.java | 45 + .../BaseUnitMeasureType.java | 45 + .../BasedOnConsensusIndicatorType.java | 45 + .../BasicConsumedQuantityType.java | 45 + .../BatchQuantityType.java | 45 + .../BestBeforeDateType.java | 45 + .../BindingOnBuyerIndicatorType.java | 45 + .../BirthDateType.java | 45 + .../BirthplaceNameType.java | 45 + .../BlockNameType.java | 45 + .../BrandNameType.java | 45 + .../BriefDescriptionType.java | 45 + .../BrokerAssignedIDType.java | 45 + .../BudgetYearNumericType.java | 45 + .../BuildingNameType.java | 45 + .../BuildingNumberType.java | 45 + .../BulkCargoIndicatorType.java | 45 + .../BusinessClassificationEvidenceIDType.java | 45 + .../BusinessIdentityEvidenceIDType.java | 45 + .../BuyerEventIDType.java | 45 + .../BuyerProfileURIType.java | 45 + .../BuyerReferenceType.java | 45 + .../commonbasiccomponents_2/CV2IDType.java | 45 + .../CalculationExpressionCodeType.java | 45 + .../CalculationExpressionType.java | 45 + .../CalculationMethodCodeType.java | 45 + .../CalculationRateType.java | 45 + .../CalculationSequenceNumericType.java | 45 + .../CallBaseAmountType.java | 45 + .../commonbasiccomponents_2/CallDateType.java | 45 + .../CallExtensionAmountType.java | 45 + .../commonbasiccomponents_2/CallTimeType.java | 45 + .../CancellationNoteType.java | 45 + ...idateReductionConstraintIndicatorType.java | 45 + .../CandidateStatementType.java | 45 + .../CanonicalizationMethodType.java | 45 + .../CapabilityTypeCodeType.java | 45 + .../CardChipCodeType.java | 45 + .../CardTypeCodeType.java | 45 + .../CargoTypeCodeType.java | 45 + .../CarrierAssignedIDType.java | 45 + .../CarrierServiceInstructionsType.java | 45 + .../CatalogueIndicatorType.java | 45 + .../CategoryNameType.java | 45 + .../CertificateTypeCodeType.java | 45 + .../CertificateTypeType.java | 45 + .../CertificationLevelDescriptionType.java | 45 + .../ChangeConditionsType.java | 45 + .../ChannelCodeType.java | 44 + .../commonbasiccomponents_2/ChannelType.java | 45 + .../CharacterSetCodeType.java | 45 + .../CharacteristicsType.java | 45 + .../ChargeIndicatorType.java | 45 + .../ChargeTotalAmountType.java | 45 + .../ChargeableQuantityType.java | 45 + .../ChargeableWeightMeasureType.java | 45 + .../ChildConsignmentQuantityType.java | 45 + .../ChipApplicationIDType.java | 45 + .../commonbasiccomponents_2/CityNameType.java | 45 + .../CitySubdivisionNameType.java | 45 + .../CodeValueType.java | 45 + .../CollaborationPriorityCodeType.java | 45 + .../commonbasiccomponents_2/CommentType.java | 45 + .../CommodityCodeType.java | 45 + .../CompanyIDType.java | 45 + .../CompanyLegalFormCodeType.java | 45 + .../CompanyLegalFormType.java | 45 + .../CompanyLiquidationStatusCodeType.java | 45 + .../ComparedValueMeasureType.java | 45 + .../ComparisonDataCodeType.java | 45 + .../ComparisonDataSourceCodeType.java | 45 + .../ComparisonForecastIssueDateType.java | 45 + .../ComparisonForecastIssueTimeType.java | 45 + .../CompletionIndicatorType.java | 45 + .../ConditionCodeType.java | 45 + .../ConditionType.java | 45 + .../ConditionsDescriptionType.java | 45 + .../ConditionsType.java | 45 + .../ConfidentialityLevelCodeType.java | 45 + .../ConsigneeAssignedIDType.java | 45 + .../ConsignmentQuantityType.java | 45 + .../ConsignorAssignedIDType.java | 45 + .../ConsolidatableIndicatorType.java | 45 + .../ConstitutionCodeType.java | 45 + .../ConsumerIncentiveTacticTypeCodeType.java | 45 + .../ConsumerUnitQuantityType.java | 45 + .../ConsumersEnergyLevelCodeType.java | 45 + .../ConsumersEnergyLevelType.java | 45 + .../ConsumptionEnergyQuantityType.java | 45 + .../ConsumptionIDType.java | 45 + .../ConsumptionLevelCodeType.java | 45 + .../ConsumptionLevelType.java | 45 + .../ConsumptionReportIDType.java | 45 + .../ConsumptionTypeCodeType.java | 45 + .../ConsumptionTypeType.java | 45 + .../ConsumptionWaterQuantityType.java | 45 + .../ContainerizedIndicatorType.java | 45 + .../commonbasiccomponents_2/ContentType.java | 45 + .../ContentUnitQuantityType.java | 45 + .../ContractFolderIDType.java | 45 + .../ContractNameType.java | 45 + .../ContractSubdivisionType.java | 45 + .../ContractTypeCodeType.java | 45 + .../ContractTypeType.java | 45 + .../ContractedCarrierAssignedIDType.java | 45 + .../ContractingSystemCodeType.java | 45 + .../ContractingSystemTypeCodeType.java | 45 + .../CoordinateSystemCodeType.java | 45 + .../CopyIndicatorType.java | 45 + .../CopyQualityTypeCodeType.java | 45 + .../CorporateRegistrationTypeCodeType.java | 45 + .../CorporateStockAmountType.java | 45 + .../CorrectionAmountType.java | 45 + .../CorrectionTypeCodeType.java | 45 + .../CorrectionTypeType.java | 45 + .../CorrectionUnitAmountType.java | 45 + .../CountrySubentityCodeType.java | 45 + .../CountrySubentityType.java | 45 + .../CreditLineAmountType.java | 45 + .../CreditNoteTypeCodeType.java | 45 + .../CreditedQuantityType.java | 45 + .../CrewQuantityType.java | 45 + .../CriterionTypeCodeType.java | 45 + .../CurrencyCodeType.java | 44 + .../CurrentChargeTypeCodeType.java | 45 + .../CurrentChargeTypeType.java | 45 + .../CustomerAssignedAccountIDType.java | 45 + .../CustomerReferenceType.java | 45 + .../CustomizationIDType.java | 45 + ...stomsClearanceServiceInstructionsType.java | 45 + .../CustomsImportClassifiedIndicatorType.java | 45 + .../CustomsStatusCodeType.java | 45 + .../CustomsTariffQuantityType.java | 45 + .../DamageRemarksType.java | 45 + .../DangerousGoodsApprovedIndicatorType.java | 45 + .../DataSendingCapabilityType.java | 45 + .../DataSourceCodeType.java | 45 + .../xsd/commonbasiccomponents_2/DateType.java | 44 + .../DebitLineAmountType.java | 45 + .../DebitedQuantityType.java | 45 + .../DeclarationTypeCodeType.java | 45 + .../DeclaredCarriageValueAmountType.java | 45 + .../DeclaredCustomsValueAmountType.java | 45 + .../DeclaredForCarriageValueAmountType.java | 45 + .../DeclaredStatisticsValueAmountType.java | 45 + .../DeliveredQuantityType.java | 45 + .../DeliveryInstructionsType.java | 45 + .../DemurrageInstructionsType.java | 45 + .../DepartmentType.java | 45 + .../DescriptionCodeType.java | 45 + .../DescriptionType.java | 45 + .../DespatchAdviceTypeCodeType.java | 45 + ...renceTemperatureReductionQuantityType.java | 45 + .../DirectionCodeType.java | 45 + .../DisplayTacticTypeCodeType.java | 45 + .../DispositionCodeType.java | 45 + .../commonbasiccomponents_2/DistrictType.java | 45 + .../DocumentCurrencyCodeType.java | 45 + .../DocumentDescriptionType.java | 45 + .../DocumentHashType.java | 45 + .../DocumentIDType.java | 45 + .../DocumentStatusCodeType.java | 44 + .../DocumentStatusReasonCodeType.java | 45 + .../DocumentStatusReasonDescriptionType.java | 45 + .../DocumentTypeCodeType.java | 45 + .../DocumentTypeType.java | 45 + .../DocumentationFeeAmountType.java | 45 + .../commonbasiccomponents_2/DueDateType.java | 45 + .../DurationMeasureType.java | 45 + .../commonbasiccomponents_2/DutyCodeType.java | 45 + .../xsd/commonbasiccomponents_2/DutyType.java | 45 + .../EarliestPickupDateType.java | 45 + .../EarliestPickupTimeType.java | 45 + .../EconomicOperatorGroupNameType.java | 45 + .../EconomicOperatorRegistryURIType.java | 45 + .../EffectiveDateType.java | 45 + .../EffectiveTimeType.java | 45 + ...ElectronicCatalogueUsageIndicatorType.java | 45 + .../ElectronicDeviceDescriptionType.java | 45 + ...lectronicInvoiceAcceptedIndicatorType.java | 45 + .../ElectronicMailType.java | 45 + .../ElectronicOrderUsageIndicatorType.java | 45 + .../ElectronicPaymentUsageIndicatorType.java | 45 + .../EmbeddedDocumentBinaryObjectType.java | 45 + .../EmbeddedDocumentType.java | 45 + .../EmergencyProceduresCodeType.java | 45 + .../EmployeeQuantityType.java | 45 + .../EncodingCodeType.java | 45 + .../commonbasiccomponents_2/EndDateType.java | 45 + .../commonbasiccomponents_2/EndTimeType.java | 45 + .../EndpointIDType.java | 45 + .../EndpointURIType.java | 45 + .../EnvelopeTypeCodeType.java | 45 + .../EnvironmentalEmissionTypeCodeType.java | 45 + .../EstimatedAmountType.java | 45 + .../EstimatedConsumedQuantityType.java | 45 + .../EstimatedDeliveryDateType.java | 45 + .../EstimatedDeliveryTimeType.java | 45 + .../EstimatedDespatchDateType.java | 45 + .../EstimatedDespatchTimeType.java | 45 + .../EstimatedOverallContractAmountType.java | 45 + .../EstimatedOverallContractQuantityType.java | 45 + ...EstimatedTimingFurtherPublicationType.java | 45 + .../EvaluationCriterionTypeCodeType.java | 45 + .../EvaluationMethodTypeCodeType.java | 45 + .../EvidenceTypeCodeType.java | 45 + .../ExceptionResolutionCodeType.java | 45 + .../ExceptionStatusCodeType.java | 45 + .../ExchangeMarketIDType.java | 45 + .../ExclusionReasonType.java | 45 + .../ExecutionRequirementCodeType.java | 45 + .../ExemptionReasonCodeType.java | 45 + .../ExemptionReasonType.java | 45 + .../ExpectedAmountType.java | 45 + .../ExpectedCodeType.java | 45 + .../ExpectedDescriptionType.java | 45 + .../ExpectedIDType.java | 45 + .../ExpectedOperatorQuantityType.java | 45 + .../ExpectedQuantityType.java | 45 + .../ExpectedValueNumericType.java | 45 + .../ExpenseCodeType.java | 45 + .../ExpiryDateType.java | 45 + .../ExpiryTimeType.java | 45 + .../ExpressionCodeType.java | 45 + .../ExpressionType.java | 45 + .../ExtendedIDType.java | 45 + .../ExtensionType.java | 45 + .../FaceValueAmountType.java | 45 + .../FamilyNameType.java | 45 + .../FeatureTacticTypeCodeType.java | 45 + .../FeeAmountType.java | 45 + .../FeeDescriptionType.java | 45 + .../commonbasiccomponents_2/FileNameType.java | 45 + .../FinancingInstrumentCodeType.java | 45 + .../FirstNameType.java | 45 + .../FirstShipmentAvailibilityDateType.java | 45 + .../commonbasiccomponents_2/FloorType.java | 45 + .../FollowupContractIndicatorType.java | 45 + .../ForecastPurposeCodeType.java | 45 + .../ForecastTypeCodeType.java | 45 + .../FormatCodeType.java | 45 + .../commonbasiccomponents_2/FormatIDType.java | 45 + .../ForwarderServiceInstructionsType.java | 45 + .../FreeOfChargeIndicatorType.java | 45 + .../FreeOnBoardValueAmountType.java | 45 + .../FreightForwarderAssignedIDType.java | 45 + .../FreightRateClassCodeType.java | 45 + .../FrequencyType.java | 45 + .../FridayAvailabilityIndicatorType.java | 45 + .../FrozenDocumentIndicatorType.java | 45 + .../FrozenPeriodDaysNumericType.java | 45 + .../FulfilmentIndicatorType.java | 45 + .../FulfilmentIndicatorTypeCodeType.java | 45 + .../FullnessIndicationCodeType.java | 45 + .../FullyPaidSharesIndicatorType.java | 45 + .../FundingProgramCodeType.java | 45 + .../FundingProgramType.java | 45 + .../GasPressureQuantityType.java | 45 + .../GenderCodeType.java | 45 + .../GeneralCargoIndicatorType.java | 45 + ...nmentAgreementConstraintIndicatorType.java | 45 + .../GrossMassMeasureType.java | 45 + .../GrossTonnageMeasureType.java | 45 + .../GrossVolumeMeasureType.java | 45 + .../GrossWeightMeasureType.java | 45 + .../GroupingLotsType.java | 45 + .../GuaranteeTypeCodeType.java | 45 + .../GuaranteedDespatchDateType.java | 45 + .../GuaranteedDespatchTimeType.java | 45 + .../HandlingCodeType.java | 45 + .../HandlingInstructionsType.java | 45 + .../HashAlgorithmMethodType.java | 45 + .../HaulageInstructionsType.java | 45 + .../HazardClassIDType.java | 45 + .../HazardousCategoryCodeType.java | 45 + .../HazardousRegulationCodeType.java | 45 + .../HazardousRiskIndicatorType.java | 45 + .../HeatingTypeCodeType.java | 45 + .../HeatingTypeType.java | 45 + .../HigherTenderAmountType.java | 45 + .../HolderNameType.java | 45 + .../HumanFoodApprovedIndicatorType.java | 45 + .../HumanFoodIndicatorType.java | 45 + .../HumidityPercentType.java | 45 + .../xsd/commonbasiccomponents_2/IDType.java | 45 + .../IdentificationCodeType.java | 45 + .../IdentificationIDType.java | 45 + .../ImmobilizationCertificateIDType.java | 45 + .../ImportanceCodeType.java | 45 + .../IndicationIndicatorType.java | 45 + .../IndustryClassificationCodeType.java | 45 + .../InformationType.java | 45 + .../InformationURIType.java | 45 + .../InhalationToxicityZoneCodeType.java | 45 + .../InhouseMailType.java | 45 + .../InitiatingPartyIndicatorType.java | 45 + .../InspectionMethodCodeType.java | 45 + .../InstallmentDueDateType.java | 45 + .../InstructionIDType.java | 45 + .../InstructionNoteType.java | 45 + .../InstructionsType.java | 45 + .../InsurancePremiumAmountType.java | 45 + .../InsuranceValueAmountType.java | 45 + .../InventoryValueAmountType.java | 45 + .../InvoiceTypeCodeType.java | 45 + .../InvoicedQuantityType.java | 45 + .../InvoicingPartyReferenceType.java | 45 + .../IssueDateType.java | 45 + .../IssueNumberIDType.java | 45 + .../IssueTimeType.java | 45 + .../commonbasiccomponents_2/IssuerIDType.java | 45 + .../ItemClassificationCodeType.java | 45 + .../ItemUpdateRequestIndicatorType.java | 45 + .../commonbasiccomponents_2/JobTitleType.java | 45 + .../JourneyIDType.java | 45 + .../JurisdictionLevelType.java | 45 + .../JustificationDescriptionType.java | 45 + .../JustificationType.java | 45 + .../commonbasiccomponents_2/KeywordType.java | 45 + .../LanguageIDType.java | 45 + .../LastRevisionDateType.java | 45 + .../LastRevisionTimeType.java | 45 + .../LatestDeliveryDateType.java | 45 + .../LatestDeliveryTimeType.java | 45 + .../LatestMeterQuantityType.java | 45 + .../LatestMeterReadingDateType.java | 45 + .../LatestMeterReadingMethodCodeType.java | 45 + .../LatestMeterReadingMethodType.java | 45 + .../LatestPickupDateType.java | 45 + .../LatestPickupTimeType.java | 45 + .../LatestProposalAcceptanceDateType.java | 45 + .../LatestReplyDateType.java | 45 + .../LatestReplyTimeType.java | 45 + .../LatestSecurityClearanceDateType.java | 45 + .../LatitudeDegreesMeasureType.java | 45 + .../LatitudeDirectionCodeType.java | 44 + .../LatitudeMinutesMeasureType.java | 45 + .../LeadTimeMeasureType.java | 45 + .../LegalReferenceType.java | 45 + .../LegalStatusIndicatorType.java | 45 + .../LiabilityAmountType.java | 45 + .../LicensePlateIDType.java | 45 + .../LifeCycleStatusCodeType.java | 45 + .../LimitationDescriptionType.java | 45 + .../LineCountNumericType.java | 45 + .../LineExtensionAmountType.java | 45 + .../commonbasiccomponents_2/LineIDType.java | 45 + .../LineNumberNumericType.java | 45 + .../LineStatusCodeType.java | 44 + .../xsd/commonbasiccomponents_2/LineType.java | 45 + .../ListValueType.java | 45 + .../LivestockIndicatorType.java | 45 + .../LoadingLengthMeasureType.java | 45 + .../LoadingSequenceIDType.java | 45 + .../LocaleCodeType.java | 45 + .../LocationIDType.java | 45 + .../commonbasiccomponents_2/LocationType.java | 45 + .../LocationTypeCodeType.java | 45 + .../commonbasiccomponents_2/LoginType.java | 45 + .../LogoReferenceIDType.java | 45 + .../LongitudeDegreesMeasureType.java | 45 + .../LongitudeDirectionCodeType.java | 44 + .../LongitudeMinutesMeasureType.java | 45 + .../LossRiskResponsibilityCodeType.java | 45 + .../commonbasiccomponents_2/LossRiskType.java | 45 + .../LotNumberIDType.java | 45 + .../LowTendersDescriptionType.java | 45 + .../LowerOrangeHazardPlacardIDType.java | 45 + .../LowerTenderAmountType.java | 45 + .../MandateTypeCodeType.java | 45 + .../ManufactureDateType.java | 45 + .../ManufactureTimeType.java | 45 + .../MarkAttentionIndicatorType.java | 45 + .../MarkAttentionType.java | 45 + .../MarkCareIndicatorType.java | 45 + .../commonbasiccomponents_2/MarkCareType.java | 45 + .../MarketValueAmountType.java | 45 + .../MarkingIDType.java | 45 + .../MathematicOperatorCodeType.java | 45 + .../MaximumAdvertisementAmountType.java | 45 + .../MaximumAmountType.java | 45 + .../MaximumBackorderQuantityType.java | 45 + .../MaximumCopiesNumericType.java | 45 + .../MaximumDataLossDurationMeasureType.java | 45 + ...cidentNotificationDurationMeasureType.java | 45 + .../MaximumLotsAwardedNumericType.java | 45 + .../MaximumLotsSubmittedNumericType.java | 45 + .../MaximumMeasureType.java | 45 + .../MaximumNumberNumericType.java | 45 + .../MaximumOperatorQuantityType.java | 45 + .../MaximumOrderQuantityType.java | 45 + .../MaximumOriginalsNumericType.java | 45 + .../MaximumPaidAmountType.java | 45 + ...MaximumPaymentInstructionsNumericType.java | 45 + .../MaximumPercentType.java | 45 + .../MaximumQuantityType.java | 45 + .../MaximumValueNumericType.java | 45 + .../MaximumValueType.java | 45 + .../MaximumVariantQuantityType.java | 45 + .../MeanTimeToRecoverDurationMeasureType.java | 45 + .../commonbasiccomponents_2/MeasureType.java | 44 + .../MedicalFirstAidGuideCodeType.java | 45 + .../MessageFormatType.java | 45 + .../MeterConstantCodeType.java | 45 + .../MeterConstantType.java | 45 + .../MeterNameType.java | 45 + .../MeterNumberType.java | 45 + .../MeterReadingCommentsType.java | 45 + .../MeterReadingTypeCodeType.java | 45 + .../MeterReadingTypeType.java | 45 + .../MiddleNameType.java | 45 + .../commonbasiccomponents_2/MimeCodeType.java | 45 + .../MinimumAmountType.java | 45 + .../MinimumBackorderQuantityType.java | 45 + ...umDownTimeScheduleDurationMeasureType.java | 45 + .../MinimumImprovementBidType.java | 45 + .../MinimumInventoryQuantityType.java | 45 + .../MinimumMeasureType.java | 45 + .../MinimumNumberNumericType.java | 45 + .../MinimumOrderQuantityType.java | 45 + .../MinimumPercentType.java | 45 + .../MinimumQuantityType.java | 45 + ...inimumResponseTimeDurationMeasureType.java | 45 + .../MinimumValueNumericType.java | 45 + .../MinimumValueType.java | 45 + .../MiscellaneousEventTypeCodeType.java | 45 + .../ModelNameType.java | 45 + .../MondayAvailabilityIndicatorType.java | 45 + .../MonetaryScopeType.java | 45 + .../MovieTitleType.java | 45 + .../MultipleOrderQuantityType.java | 45 + .../MultiplierFactorNumericType.java | 45 + .../commonbasiccomponents_2/NameCodeType.java | 45 + .../NameSuffixType.java | 45 + .../xsd/commonbasiccomponents_2/NameType.java | 44 + .../NationalityIDType.java | 45 + .../NatureCodeType.java | 45 + .../NegotiationDescriptionType.java | 45 + .../NetNetWeightMeasureType.java | 45 + .../NetTonnageMeasureType.java | 45 + .../NetVolumeMeasureType.java | 45 + .../NetWeightMeasureType.java | 45 + .../NetworkIDType.java | 45 + .../NoFurtherNegotiationIndicatorType.java | 45 + .../NominationDateType.java | 45 + .../NominationTimeType.java | 45 + ...ormalTemperatureReductionQuantityType.java | 45 + .../xsd/commonbasiccomponents_2/NoteType.java | 45 + .../NoticeLanguageCodeType.java | 45 + .../NoticeTypeCodeType.java | 45 + .../NotificationTypeCodeType.java | 45 + .../xsd/commonbasiccomponents_2/OIDType.java | 45 + .../ObjectFactory.java | 21397 ++++++++++++++++ .../OccurrenceDateType.java | 45 + .../OccurrenceTimeType.java | 45 + .../OnCarriageIndicatorType.java | 45 + .../OneTimeChargeTypeCodeType.java | 45 + .../OneTimeChargeTypeType.java | 45 + .../OntologyURIType.java | 45 + .../OpenTenderIDType.java | 45 + .../OperatingYearsQuantityType.java | 45 + .../OptionalLineItemIndicatorType.java | 45 + .../OptionsDescriptionType.java | 45 + .../OrderIntervalDaysNumericType.java | 45 + .../OrderQuantityIncrementNumericType.java | 45 + .../OrderResponseCodeType.java | 45 + .../OrderTypeCodeType.java | 45 + .../OrderableIndicatorType.java | 45 + .../OrderableUnitFactorRateType.java | 45 + .../OrderableUnitType.java | 45 + .../OrganizationDepartmentType.java | 45 + .../OriginalContractingSystemIDType.java | 45 + .../OriginalJobIDType.java | 45 + .../OtherConditionsIndicatorType.java | 45 + .../OtherInstructionType.java | 45 + .../OtherNameType.java | 45 + .../OutstandingQuantityType.java | 45 + .../OutstandingReasonType.java | 45 + .../OversupplyQuantityType.java | 45 + .../OwnerTypeCodeType.java | 45 + .../PackLevelCodeType.java | 45 + .../PackQuantityType.java | 45 + .../PackSizeNumericType.java | 45 + .../PackageLevelCodeType.java | 45 + .../PackagingTypeCodeType.java | 44 + .../PackingCriteriaCodeType.java | 45 + .../PackingMaterialType.java | 45 + .../PaidAmountType.java | 45 + .../commonbasiccomponents_2/PaidDateType.java | 45 + .../commonbasiccomponents_2/PaidTimeType.java | 45 + .../ParentDocumentIDType.java | 45 + .../ParentDocumentLineReferenceIDType.java | 45 + .../ParentDocumentTypeCodeType.java | 45 + .../ParentDocumentVersionIDType.java | 45 + .../PartPresentationCodeType.java | 45 + .../PartecipationPercentType.java | 45 + .../PartialDeliveryIndicatorType.java | 45 + .../ParticipantIDType.java | 45 + .../ParticipationPercentType.java | 45 + .../PartyCapacityAmountType.java | 45 + .../PartyTypeCodeType.java | 45 + .../PartyTypeType.java | 45 + .../PassengerQuantityType.java | 45 + .../commonbasiccomponents_2/PasswordType.java | 45 + .../PayPerViewType.java | 45 + .../PayableAlternativeAmountType.java | 45 + .../PayableAmountType.java | 45 + .../PayableRoundingAmountType.java | 45 + .../PayerReferenceType.java | 45 + .../PaymentAlternativeCurrencyCodeType.java | 45 + .../PaymentChannelCodeType.java | 45 + .../PaymentCurrencyCodeType.java | 45 + .../PaymentDescriptionType.java | 45 + .../PaymentDueDateType.java | 45 + .../PaymentFrequencyCodeType.java | 45 + .../PaymentIDType.java | 45 + .../PaymentMeansCodeType.java | 44 + .../PaymentMeansIDType.java | 45 + .../PaymentNoteType.java | 45 + .../PaymentOrderReferenceType.java | 45 + .../PaymentPercentType.java | 45 + .../PaymentPurposeCodeType.java | 45 + .../PaymentTermsDetailsURIType.java | 45 + .../PenaltyAmountType.java | 45 + .../PenaltySurchargePercentType.java | 45 + .../PerUnitAmountType.java | 45 + .../commonbasiccomponents_2/PercentType.java | 44 + .../PerformanceMetricTypeCodeType.java | 45 + .../PerformanceValueQuantityType.java | 45 + .../PerformingCarrierAssignedIDType.java | 45 + .../PersonalSituationType.java | 45 + .../PhoneNumberType.java | 45 + .../PlacardEndorsementType.java | 45 + .../PlacardNotationType.java | 45 + .../PlannedDateType.java | 45 + .../PlotIdentificationType.java | 45 + .../PositionCodeType.java | 45 + ...tEventNotificationDurationMeasureType.java | 45 + .../PostalZoneType.java | 45 + .../commonbasiccomponents_2/PostboxType.java | 45 + .../PowerIndicatorType.java | 45 + .../PreCarriageIndicatorType.java | 45 + ...eEventNotificationDurationMeasureType.java | 45 + .../PreferenceCriterionCodeType.java | 45 + .../PreferredLanguageLocaleCodeType.java | 45 + .../PrepaidAmountType.java | 45 + .../PrepaidIndicatorType.java | 45 + .../PrepaidPaymentReferenceIDType.java | 45 + .../PreviousCancellationReasonCodeType.java | 45 + .../PreviousJobIDType.java | 45 + .../PreviousMeterQuantityType.java | 45 + .../PreviousMeterReadingDateType.java | 45 + .../PreviousMeterReadingMethodCodeType.java | 45 + .../PreviousMeterReadingMethodType.java | 45 + .../PreviousVersionIDType.java | 45 + .../PriceAmountType.java | 45 + .../PriceChangeReasonType.java | 45 + .../PriceEvaluationCodeType.java | 45 + .../PriceRevisionFormulaDescriptionType.java | 45 + .../PriceTypeCodeType.java | 45 + .../PriceTypeType.java | 45 + .../PricingCurrencyCodeType.java | 45 + .../PricingUpdateRequestIndicatorType.java | 45 + .../PrimaryAccountNumberIDType.java | 45 + .../PrintQualifierType.java | 45 + .../commonbasiccomponents_2/PriorityType.java | 45 + .../PrivacyCodeType.java | 45 + .../PrivatePartyIndicatorType.java | 45 + .../PrizeDescriptionType.java | 45 + .../PrizeIndicatorType.java | 45 + .../ProcedureCodeType.java | 45 + .../ProcessDescriptionType.java | 45 + .../ProcessReasonCodeType.java | 45 + .../ProcessReasonType.java | 45 + .../ProcurementSubTypeCodeType.java | 45 + .../ProcurementTypeCodeType.java | 45 + .../ProductTraceIDType.java | 45 + .../ProfileExecutionIDType.java | 45 + .../ProfileIDType.java | 45 + .../ProfileStatusCodeType.java | 45 + .../ProgressPercentType.java | 45 + .../PromotionalEventTypeCodeType.java | 45 + .../PropertyGroupTypeCodeType.java | 45 + .../ProtocolIDType.java | 45 + .../ProviderTypeCodeType.java | 45 + .../PublicPartyIndicatorType.java | 45 + .../PublishAwardIndicatorType.java | 45 + .../PurposeCodeType.java | 45 + .../commonbasiccomponents_2/PurposeType.java | 45 + .../QualificationApplicationTypeCodeType.java | 45 + .../QualityControlCodeType.java | 45 + .../QuantityDiscrepancyCodeType.java | 45 + .../commonbasiccomponents_2/QuantityType.java | 44 + .../RadioCallSignIDType.java | 45 + .../RailCarIDType.java | 45 + .../xsd/commonbasiccomponents_2/RankType.java | 45 + .../xsd/commonbasiccomponents_2/RateType.java | 44 + .../ReceiptAdviceTypeCodeType.java | 44 + .../ReceivedDateType.java | 45 + .../ReceivedElectronicTenderQuantityType.java | 45 + .../ReceivedForeignTenderQuantityType.java | 45 + .../ReceivedQuantityType.java | 45 + .../ReceivedTenderQuantityType.java | 45 + .../RecurringProcurementIndicatorType.java | 45 + .../ReferenceDateType.java | 45 + .../ReferenceEventCodeType.java | 45 + .../ReferenceIDType.java | 45 + .../ReferenceTimeType.java | 45 + .../ReferenceType.java | 45 + .../ReferencedConsignmentIDType.java | 45 + .../RefrigeratedIndicatorType.java | 45 + .../RefrigerationOnIndicatorType.java | 45 + .../commonbasiccomponents_2/RegionType.java | 45 + .../RegisteredDateType.java | 45 + .../RegisteredTimeType.java | 45 + .../RegistrationDateType.java | 45 + .../RegistrationExpirationDateType.java | 45 + .../RegistrationIDType.java | 45 + .../RegistrationNameType.java | 45 + .../RegistrationNationalityIDType.java | 45 + .../RegistrationNationalityType.java | 45 + .../RegulatoryDomainType.java | 45 + .../RejectActionCodeType.java | 45 + .../RejectReasonCodeType.java | 45 + .../RejectReasonType.java | 45 + .../RejectedQuantityType.java | 45 + .../RejectionNoteType.java | 45 + .../ReleaseIDType.java | 45 + .../ReliabilityPercentType.java | 45 + .../commonbasiccomponents_2/RemarksType.java | 45 + .../ReminderSequenceNumericType.java | 45 + .../ReminderTypeCodeType.java | 45 + .../RenewalsIndicatorType.java | 45 + .../ReplenishmentOwnerDescriptionType.java | 45 + .../RequestForQuotationLineIDType.java | 45 + .../RequestedDeliveryDateType.java | 45 + .../RequestedDespatchDateType.java | 45 + .../RequestedDespatchTimeType.java | 45 + .../RequestedInvoiceCurrencyCodeType.java | 45 + .../RequestedPublicationDateType.java | 45 + .../RequiredCurriculaIndicatorType.java | 45 + .../RequiredCustomsIDType.java | 45 + .../RequiredDeliveryDateType.java | 45 + .../RequiredDeliveryTimeType.java | 45 + .../RequiredFeeAmountType.java | 45 + .../RequiredResponseMessageLevelCodeType.java | 45 + .../ResidenceTypeCodeType.java | 45 + .../ResidenceTypeType.java | 45 + .../ResidentOccupantsNumericType.java | 45 + .../ResolutionCodeType.java | 45 + .../ResolutionDateType.java | 45 + .../ResolutionTimeType.java | 45 + .../ResolutionType.java | 45 + .../ResponseAmountType.java | 45 + .../ResponseBinaryObjectType.java | 45 + .../ResponseCodeType.java | 45 + .../ResponseDateType.java | 45 + .../ResponseIDType.java | 45 + .../ResponseIndicatorType.java | 45 + .../ResponseMeasureType.java | 45 + .../ResponseNumericType.java | 45 + .../ResponseQuantityType.java | 45 + .../ResponseTimeType.java | 45 + .../commonbasiccomponents_2/ResponseType.java | 45 + .../ResponseURIType.java | 45 + .../RetailEventNameType.java | 45 + .../RetailEventStatusCodeType.java | 45 + .../ReturnabilityIndicatorType.java | 45 + .../ReturnableMaterialIndicatorType.java | 45 + .../ReturnableQuantityType.java | 45 + .../RevisedForecastLineIDType.java | 45 + .../RevisionDateType.java | 45 + .../RevisionStatusCodeType.java | 45 + .../RevisionTimeType.java | 45 + .../RoamingPartnerNameType.java | 45 + .../commonbasiccomponents_2/RoleCodeType.java | 45 + .../RoleDescriptionType.java | 45 + .../xsd/commonbasiccomponents_2/RoomType.java | 45 + .../RoundingAmountType.java | 45 + .../SalesOrderIDType.java | 45 + .../SalesOrderLineIDType.java | 45 + .../SaturdayAvailabilityIndicatorType.java | 45 + .../SchemaURIType.java | 45 + .../SchemeURIType.java | 45 + .../SealIssuerTypeCodeType.java | 45 + .../SealStatusCodeType.java | 45 + .../SealingPartyTypeType.java | 45 + .../SecurityClassificationCodeType.java | 45 + .../SecurityIDType.java | 45 + .../SellerEventIDType.java | 45 + .../SequenceIDType.java | 45 + .../SequenceNumberIDType.java | 45 + .../SequenceNumericType.java | 45 + .../commonbasiccomponents_2/SerialIDType.java | 45 + .../ServiceInformationPreferenceCodeType.java | 45 + .../ServiceNameType.java | 45 + .../ServiceNumberCalledType.java | 45 + .../ServiceProviderPartyIndicatorType.java | 45 + .../ServiceTypeCodeType.java | 45 + .../ServiceTypeType.java | 45 + .../SettlementDiscountAmountType.java | 45 + .../SettlementDiscountPercentType.java | 45 + .../SharesNumberQuantityType.java | 45 + .../ShippingMarksType.java | 45 + .../ShippingOrderIDType.java | 45 + .../ShippingPriorityLevelCodeType.java | 45 + .../ShipsRequirementsType.java | 45 + .../ShortQuantityType.java | 45 + .../ShortageActionCodeType.java | 45 + .../SignatureIDType.java | 45 + .../SignatureMethodType.java | 45 + .../SizeTypeCodeType.java | 45 + .../SocialMediaTypeCodeType.java | 45 + .../SoleProprietorshipIndicatorType.java | 45 + .../SourceCurrencyBaseRateType.java | 45 + .../SourceCurrencyCodeType.java | 45 + .../SourceForecastIssueDateType.java | 45 + .../SourceForecastIssueTimeType.java | 45 + .../SourceValueMeasureType.java | 45 + .../SpecialInstructionsType.java | 45 + .../SpecialSecurityIndicatorType.java | 45 + .../SpecialServiceInstructionsType.java | 45 + .../SpecialTermsType.java | 45 + .../SpecialTransportRequirementsType.java | 45 + .../SpecificationIDType.java | 45 + .../SpecificationTypeCodeType.java | 45 + .../SplitConsignmentIndicatorType.java | 45 + .../StartDateType.java | 45 + .../StartTimeType.java | 45 + .../StatementTypeCodeType.java | 45 + .../StatusAvailableIndicatorType.java | 45 + .../StatusCodeType.java | 45 + .../StatusReasonCodeType.java | 45 + .../StatusReasonType.java | 45 + .../StreetNameType.java | 45 + .../SubcontractingConditionsCodeType.java | 45 + .../SubmissionDateType.java | 45 + .../SubmissionDueDateType.java | 45 + .../SubmissionMethodCodeType.java | 45 + .../SubscriberIDType.java | 45 + .../SubscriberTypeCodeType.java | 45 + .../SubscriberTypeType.java | 45 + .../SubstitutionStatusCodeType.java | 44 + .../SuccessiveSequenceIDType.java | 45 + .../SummaryDescriptionType.java | 45 + .../SundayAvailabilityIndicatorType.java | 45 + .../SupplierAssignedAccountIDType.java | 45 + .../SupplyChainActivityTypeCodeType.java | 45 + .../TareWeightMeasureType.java | 45 + .../TargetCurrencyBaseRateType.java | 45 + .../TargetCurrencyCodeType.java | 45 + .../TargetInventoryQuantityType.java | 45 + .../TargetServicePercentType.java | 45 + .../TariffClassCodeType.java | 45 + .../TariffCodeType.java | 45 + .../TariffDescriptionType.java | 45 + .../TaxAmountType.java | 45 + .../TaxCurrencyCodeType.java | 45 + .../TaxEnergyAmountType.java | 45 + .../TaxEnergyBalanceAmountType.java | 45 + .../TaxEnergyOnAccountAmountType.java | 45 + .../TaxEvidenceIndicatorType.java | 45 + .../TaxExclusiveAmountType.java | 45 + .../TaxExemptionReasonCodeType.java | 45 + .../TaxExemptionReasonType.java | 45 + .../TaxIncludedIndicatorType.java | 45 + .../TaxInclusiveAmountType.java | 45 + .../TaxLevelCodeType.java | 45 + .../TaxPointDateType.java | 45 + .../TaxTypeCodeType.java | 45 + .../TaxableAmountType.java | 45 + .../TechnicalCommitteeDescriptionType.java | 45 + .../TechnicalNameType.java | 45 + ...TelecommunicationsServiceCallCodeType.java | 45 + .../TelecommunicationsServiceCallType.java | 45 + ...communicationsServiceCategoryCodeType.java | 45 + ...TelecommunicationsServiceCategoryType.java | 45 + .../TelecommunicationsSupplyTypeCodeType.java | 45 + .../TelecommunicationsSupplyTypeType.java | 45 + .../commonbasiccomponents_2/TelefaxType.java | 45 + .../TelephoneType.java | 45 + .../TenderEnvelopeIDType.java | 45 + .../TenderEnvelopeTypeCodeType.java | 45 + .../TenderLanguageLocaleCodeType.java | 45 + .../TenderResultCodeType.java | 45 + .../TenderTypeCodeType.java | 45 + .../TendererRequirementTypeCodeType.java | 45 + .../TendererRoleCodeType.java | 45 + .../TestIndicatorType.java | 45 + .../TestMethodType.java | 45 + .../xsd/commonbasiccomponents_2/TextType.java | 44 + .../ThirdPartyPayerIndicatorType.java | 45 + .../ThresholdAmountType.java | 45 + .../ThresholdQuantityType.java | 45 + .../ThresholdValueComparisonCodeType.java | 45 + .../ThursdayAvailabilityIndicatorType.java | 45 + .../TierRangeType.java | 45 + .../TierRatePercentType.java | 45 + .../TimeAmountType.java | 45 + .../TimeDeltaDaysQuantityType.java | 45 + .../TimeFrequencyCodeType.java | 45 + .../TimezoneOffsetType.java | 45 + .../TimingComplaintCodeType.java | 45 + .../TimingComplaintType.java | 45 + .../commonbasiccomponents_2/TitleType.java | 45 + .../ToOrderIndicatorType.java | 45 + .../TotalAmountType.java | 45 + .../TotalBalanceAmountType.java | 45 + .../TotalConsumedQuantityType.java | 45 + .../TotalCreditAmountType.java | 45 + .../TotalDebitAmountType.java | 45 + .../TotalDeliveredQuantityType.java | 45 + .../TotalGoodsItemQuantityType.java | 45 + .../TotalInvoiceAmountType.java | 45 + .../TotalMeteredQuantityType.java | 45 + .../TotalPackageQuantityType.java | 45 + .../TotalPackagesQuantityType.java | 45 + .../TotalPaymentAmountType.java | 45 + .../TotalTaskAmountType.java | 45 + .../TotalTaxAmountType.java | 45 + ...otalTransportHandlingUnitQuantityType.java | 45 + .../commonbasiccomponents_2/TraceIDType.java | 45 + .../TrackingDeviceCodeType.java | 45 + .../TrackingIDType.java | 45 + .../TradeItemPackingLabelingTypeCodeType.java | 45 + .../TradeServiceCodeType.java | 45 + .../TradingRestrictionsType.java | 45 + .../commonbasiccomponents_2/TrainIDType.java | 45 + .../TransactionCurrencyTaxAmountType.java | 45 + .../TransitDirectionCodeType.java | 45 + .../TranslationTypeCodeType.java | 45 + .../TransportAuthorizationCodeType.java | 45 + .../TransportEmergencyCardCodeType.java | 45 + .../TransportEquipmentTypeCodeType.java | 44 + .../TransportEventTypeCodeType.java | 45 + ...TransportExecutionPlanReferenceIDType.java | 45 + .../TransportExecutionStatusCodeType.java | 45 + .../TransportHandlingUnitTypeCodeType.java | 45 + .../TransportMeansTypeCodeType.java | 45 + .../TransportModeCodeType.java | 44 + .../TransportServiceCodeType.java | 45 + .../TransportServiceProviderRemarksType.java | 45 + ...nsportServiceProviderSpecialTermsType.java | 45 + .../TransportUserRemarksType.java | 45 + .../TransportUserSpecialTermsType.java | 45 + .../TransportationServiceDescriptionType.java | 45 + .../TransportationServiceDetailsURIType.java | 45 + .../TransportationStatusTypeCodeType.java | 45 + .../TuesdayAvailabilityIndicatorType.java | 45 + .../commonbasiccomponents_2/TypeCodeType.java | 45 + .../UBLVersionIDType.java | 45 + .../commonbasiccomponents_2/UNDGCodeType.java | 45 + .../xsd/commonbasiccomponents_2/URIType.java | 45 + .../xsd/commonbasiccomponents_2/UUIDType.java | 45 + .../UnknownPriceIndicatorType.java | 45 + .../UpperOrangeHazardPlacardIDType.java | 45 + .../UrgencyCodeType.java | 45 + .../UtilityStatementTypeCodeType.java | 45 + .../ValidateProcessType.java | 45 + .../ValidateToolType.java | 45 + .../ValidateToolVersionType.java | 45 + .../ValidatedCriterionPropertyIDType.java | 45 + .../ValidationDateType.java | 45 + .../ValidationResultCodeType.java | 45 + .../ValidationTimeType.java | 45 + .../ValidatorIDType.java | 45 + .../ValidityStartDateType.java | 45 + .../ValueAmountType.java | 45 + .../ValueCurrencyCodeType.java | 45 + .../ValueDataTypeCodeType.java | 45 + .../ValueMeasureType.java | 45 + .../ValueQualifierType.java | 45 + .../ValueQuantityType.java | 45 + .../commonbasiccomponents_2/ValueType.java | 45 + .../ValueUnitCodeType.java | 45 + .../VarianceQuantityType.java | 45 + .../VariantConstraintIndicatorType.java | 45 + .../VariantIDType.java | 45 + .../VersionIDType.java | 45 + .../commonbasiccomponents_2/VesselIDType.java | 45 + .../VesselNameType.java | 45 + .../WarrantyInformationType.java | 45 + .../WebSiteTypeCodeType.java | 45 + .../WebsiteURIType.java | 45 + .../WednesdayAvailabilityIndicatorType.java | 45 + .../WeekDayCodeType.java | 44 + .../WeighingDateType.java | 45 + .../WeighingDeviceIDType.java | 45 + .../WeighingDeviceTypeType.java | 45 + .../WeighingMethodCodeType.java | 44 + .../WeighingTimeType.java | 45 + .../WeightNumericType.java | 45 + .../WeightScoringMethodologyNoteType.java | 45 + .../WeightStatementTypeCodeType.java | 45 + .../commonbasiccomponents_2/WeightType.java | 45 + .../WeightingAlgorithmCodeType.java | 45 + ...WeightingConsiderationDescriptionType.java | 45 + .../WeightingTypeCodeType.java | 45 + .../WithdrawOfferIndicatorType.java | 45 + .../WithholdingTaxTotalAmountType.java | 45 + .../WorkPhaseCodeType.java | 45 + .../WorkPhaseType.java | 45 + .../commonbasiccomponents_2/XPathType.java | 45 + .../commonbasiccomponents_2/package-info.java | 2 + .../AllowanceChargeReasonCodeType.java | 49 + .../qualifieddatatypes_2/ChannelCodeType.java | 49 + .../qualifieddatatypes_2/ChipCodeType.java | 50 + .../CountryIdentificationCodeType.java | 50 + .../CurrencyCodeType.java | 67 + .../DocumentStatusCodeType.java | 49 + .../LanguageCodeType.java | 56 + .../LatitudeDirectionCodeType.java | 49 + .../LineStatusCodeType.java | 49 + .../LongitudeDirectionCodeType.java | 49 + .../qualifieddatatypes_2/ObjectFactory.java | 192 + .../OperatorCodeType.java | 50 + .../PackagingTypeCodeType.java | 49 + .../PaymentMeansCodeType.java | 49 + .../ReceiptAdviceTypeCodeType.java | 49 + .../SubstitutionStatusCodeType.java | 49 + .../TransportEquipmentTypeCodeType.java | 49 + .../TransportModeCodeType.java | 49 + .../UnitOfMeasureCodeType.java | 50 + .../qualifieddatatypes_2/WeekDayCodeType.java | 49 + .../WeighingMethodCodeType.java | 49 + .../qualifieddatatypes_2/package-info.java | 2 + .../unqualifieddatatypes_2/AmountType.java | 215 + .../BinaryObjectType.java | 82 + .../xsd/unqualifieddatatypes_2/CodeType.java | 533 + .../unqualifieddatatypes_2/DateTimeType.java | 108 + .../xsd/unqualifieddatatypes_2/DateType.java | 218 + .../unqualifieddatatypes_2/GraphicType.java | 76 + .../IdentifierType.java | 323 + .../unqualifieddatatypes_2/IndicatorType.java | 260 + .../unqualifieddatatypes_2/MeasureType.java | 147 + .../xsd/unqualifieddatatypes_2/NameType.java | 133 + .../unqualifieddatatypes_2/NumericType.java | 125 + .../unqualifieddatatypes_2/ObjectFactory.java | 192 + .../unqualifieddatatypes_2/PercentType.java | 107 + .../unqualifieddatatypes_2/PictureType.java | 76 + .../unqualifieddatatypes_2/QuantityType.java | 208 + .../xsd/unqualifieddatatypes_2/RateType.java | 89 + .../xsd/unqualifieddatatypes_2/SoundType.java | 76 + .../xsd/unqualifieddatatypes_2/TextType.java | 468 + .../xsd/unqualifieddatatypes_2/TimeType.java | 173 + .../xsd/unqualifieddatatypes_2/ValueType.java | 75 + .../xsd/unqualifieddatatypes_2/VideoType.java | 76 + .../unqualifieddatatypes_2/package-info.java | 2 + .../xmldsig_/CanonicalizationMethodType.java | 114 + .../_2000/_09/xmldsig_/DSAKeyValueType.java | 232 + .../_2000/_09/xmldsig_/DigestMethodType.java | 116 + .../w3/_2000/_09/xmldsig_/KeyInfoType.java | 147 + .../w3/_2000/_09/xmldsig_/KeyValueType.java | 97 + .../w3/_2000/_09/xmldsig_/ManifestType.java | 116 + .../w3/_2000/_09/xmldsig_/ObjectFactory.java | 688 + .../org/w3/_2000/_09/xmldsig_/ObjectType.java | 176 + .../w3/_2000/_09/xmldsig_/PGPDataType.java | 110 + .../_2000/_09/xmldsig_/RSAKeyValueType.java | 98 + .../w3/_2000/_09/xmldsig_/ReferenceType.java | 219 + .../_09/xmldsig_/RetrievalMethodType.java | 132 + .../w3/_2000/_09/xmldsig_/SPKIDataType.java | 88 + .../_09/xmldsig_/SignatureMethodType.java | 120 + .../_09/xmldsig_/SignaturePropertiesType.java | 116 + .../_09/xmldsig_/SignaturePropertyType.java | 149 + .../w3/_2000/_09/xmldsig_/SignatureType.java | 200 + .../_09/xmldsig_/SignatureValueType.java | 104 + .../w3/_2000/_09/xmldsig_/SignedInfoType.java | 172 + .../w3/_2000/_09/xmldsig_/TransformType.java | 121 + .../w3/_2000/_09/xmldsig_/TransformsType.java | 81 + .../w3/_2000/_09/xmldsig_/X509DataType.java | 105 + .../_09/xmldsig_/X509IssuerSerialType.java | 103 + .../w3/_2000/_09/xmldsig_/package-info.java | 2 + .../NotifyBatchCompleteMessageType.java | 319 + .../batchcallback/ObjectFactory.java | 71 + .../batchcallback/package-info.java | 2 + .../BatchDetailQueryCriteriaType.java | 139 + .../GetBatchDetailMessageType.java | 115 + .../batchdetailrequest/ObjectFactory.java | 108 + .../batchdetailrequest/package-info.java | 2 + .../GetBatchDetailResponseMessageType.java | 179 + .../batchdetailresponse/ObjectFactory.java | 71 + .../batchdetailresponse/package-info.java | 2 + .../BatchListQueryCriteriaType.java | 282 + .../GetBatchListMessageType.java | 115 + .../batchlistrequest/ObjectFactory.java | 108 + .../batchlistrequest/package-info.java | 2 + .../batchlistresponse/BatchType.java | 260 + .../GetBatchListResponseMessageType.java | 120 + .../batchlistresponse/ObjectFactory.java | 123 + .../batchlistresponse/package-info.java | 2 + .../CaptureFeesMessageType.java | 87 + .../capturefeesrequest/ObjectFactory.java | 71 + .../capturefeesrequest/package-info.java | 2 + .../CaptureFeesResponseMessageType.java | 121 + .../capturefeesresponse/ObjectFactory.java | 71 + .../capturefeesresponse/package-info.java | 2 + .../GetCaseHearingsMessageType.java | 79 + .../casehearingrequest/ObjectFactory.java | 57 + .../casehearingrequest/package-info.java | 2 + .../GetCaseHearingsResponseMessageType.java | 86 + .../casehearingresponse/ObjectFactory.java | 57 + .../casehearingresponse/package-info.java | 2 + .../v5_0/extensions/common/ActionType.java | 132 + .../common/AddressAugmentationType.java | 79 + .../common/AgencyOperationSimpleType.java | 50 + .../common/AgencyOperationType.java | 255 + .../v5_0/extensions/common/AgencyType.java | 103 + .../ecf/v5_0/extensions/common/AliasType.java | 110 + .../common/AttachmentAugmentationType.java | 221 + .../extensions/common/BatchStatusType.java | 79 + .../v5_0/extensions/common/BatchTypeType.java | 189 + .../extensions/common/BlackoutStatusType.java | 133 + .../ecf/v5_0/extensions/common/BulkType.java | 132 + .../common/CaseAugmentationType.java | 405 + .../v5_0/extensions/common/CaseEventType.java | 82 + .../common/CaseJudgeAugmentationType.java | 79 + ...CaseListQueryCriteriaAugmentationType.java | 107 + .../common/CaseOfficialAugmentationType.java | 79 + .../extensions/common/CaseSecurityType.java | 62 + .../extensions/common/ChildEnvelopeType.java | 81 + .../ecf/v5_0/extensions/common/ChildType.java | 110 + .../common/CourtEventAugmentationType.java | 228 + .../extensions/common/CourtScheduleType.java | 103 + .../common/CourtroomMinutesType.java | 202 + .../extensions/common/CrossReferenceType.java | 103 + .../common/DispositionActionSimpleType.java | 39 + .../common/DispositionActionType.java | 257 + .../common/DocumentAugmentationType.java | 401 + .../common/DocumentOptionalServiceType.java | 143 + .../DocumentSecurityAugmentationType.java | 80 + .../common/DocumentSecurityType.java | 53 + ...ampInformationMessageAugmentationType.java | 78 + .../DriverLicenseIdentificationType.java | 108 + .../ElectronicServiceAugmentationType.java | 85 + .../v5_0/extensions/common/EnvelopeType.java | 202 + .../v5_0/extensions/common/FeeSplitType.java | 131 + .../ecf/v5_0/extensions/common/FeeType.java | 82 + .../common/FilerAugmentationType.java | 78 + .../common/FilerInformationType.java | 132 + .../common/FilingActionSimpleType.java | 68 + .../extensions/common/FilingActionType.java | 257 + .../common/FilingAssociationType.java | 78 + .../common/FilingAttorneyEntityType.java | 132 + ...lingListQueryCriteriaAugmentationType.java | 79 + .../common/FilingMessageAugmentationType.java | 661 + .../common/FilingPartyEntityType.java | 103 + .../common/FilingStatusAugmentationType.java | 192 + .../v5_0/extensions/common/FilingType.java | 114 + ...aseListRequestMessageAugmentationType.java | 108 + .../GetCaseRequestAugmentationType.java | 79 + ...gStatusRequestMessageAugmentationType.java | 79 + ...PolicyResponseMessageAugmentationType.java | 347 + .../v5_0/extensions/common/HearingType.java | 223 + .../MatchingFilingAugmentationType.java | 519 + .../common/MessageStatusAugmentationType.java | 143 + ...ketingCompleteMessageAugmentationType.java | 79 + .../v5_0/extensions/common/ObjectFactory.java | 4687 ++++ .../common/OrganizationAugmentationType.java | 227 + .../common/PagingAugmentationType.java | 135 + .../extensions/common/ParentEnvelopeType.java | 139 + .../extensions/common/PartialWaiverType.java | 245 + .../extensions/common/PartyPayorType.java | 161 + .../v5_0/extensions/common/PaymentType.java | 330 + .../common/PersonAugmentationType.java | 397 + .../PhysicalFeatureAugmentationType.java | 79 + .../common/ProcedureRemedyType.java | 110 + .../extensions/common/ProviderChargeType.java | 75 + .../extensions/common/QuestionAnswerType.java | 103 + .../common/RecipientInformationType.java | 131 + ...ecordDocketingMessageAugmentationType.java | 136 + .../v5_0/extensions/common/ReferenceType.java | 46 + .../common/RefundVoidChargeType.java | 161 + .../ReviewedDocumentAugmentationType.java | 108 + .../common/SchedulingAugmentationType.java | 108 + .../common/ServiceRecipientType.java | 430 + .../v5_0/extensions/common/SettingType.java | 422 + .../extensions/common/SplitAmountType.java | 75 + .../StatusDocumentAugmentationType.java | 86 + .../common/SubmitterInformationType.java | 103 + .../common/VehicleAugmentationType.java | 349 + .../common/VehicleRegistrationDateType.java | 103 + .../v5_0/extensions/common/package-info.java | 2 + .../v5_0/extensions/criminal/BondType.java | 104 + .../criminal/ChargeAugmentationType.java | 375 + .../criminal/ChargeHistoryType.java | 79 + .../criminal/CitationAugmentationType.java | 81 + .../criminal/DispositionAugmentationType.java | 108 + .../extensions/criminal/ObjectFactory.java | 573 + .../v5_0/extensions/criminal/PleaType.java | 275 + .../criminal/StatuteAugmentationType.java | 107 + .../extensions/criminal/package-info.java | 2 + .../extensions/eventcallback/EventType.java | 81 + .../eventcallback/EventVariableType.java | 103 + .../eventcallback/NotifyEventMessageType.java | 144 + .../eventcallback/ObjectFactory.java | 158 + .../eventcallback/package-info.java | 2 + .../GetFilingServiceMessageType.java | 79 + .../filingservicerequest/ObjectFactory.java | 57 + .../filingservicerequest/package-info.java | 2 + .../GetFilingServiceResponseMessageType.java | 172 + .../filingserviceresponse/ObjectFactory.java | 101 + .../filingserviceresponse/package-info.java | 2 + .../massachusetts/CaseAugmentationType.java | 134 + .../massachusetts/Component1Type.java | 75 + .../massachusetts/Component2Type.java | 75 + .../massachusetts/Component3Type.java | 104 + .../massachusetts/ObjectFactory.java | 138 + .../massachusetts/package-info.java | 2 + .../GetPartyListMessageType.java | 137 + .../partylistrequest/ObjectFactory.java | 87 + .../partylistrequest/package-info.java | 2 + .../GetPartyListResponseMessageType.java | 86 + .../partylistresponse/ObjectFactory.java | 72 + .../partylistresponse/package-info.java | 2 + .../partyrequest/GetPartyMessageType.java | 79 + .../partyrequest/ObjectFactory.java | 57 + .../extensions/partyrequest/package-info.java | 2 + .../GetPartyResponseMessageType.java | 79 + .../partyresponse/ObjectFactory.java | 72 + .../partyresponse/package-info.java | 2 + .../recordreceipt/ObjectFactory.java | 71 + .../RecordReceiptMessageType.java | 219 + .../recordreceipt/package-info.java | 2 + .../recordservice/ObjectFactory.java | 71 + .../RecordServiceMessageType.java | 155 + .../recordservice/package-info.java | 2 + .../extensions/returndate/ObjectFactory.java | 71 + .../returndate/ReturnDateMessageType.java | 150 + .../extensions/returndate/package-info.java | 2 + .../returndateresponse/ObjectFactory.java | 86 + .../ReturnDateResponseMessageType.java | 148 + .../returndateresponse/package-info.java | 2 + .../NotifyEnvelopeCompleteMessageType.java | 87 + .../reviewenvelopecallback/ObjectFactory.java | 71 + .../reviewenvelopecallback/package-info.java | 2 + .../extensions/securecase/ObjectFactory.java | 86 + .../securecase/SecureCaseMessageType.java | 145 + .../extensions/securecase/package-info.java | 2 + .../NotifyServiceCompleteMessageType.java | 203 + .../servicecallback/ObjectFactory.java | 71 + .../servicecallback/package-info.java | 2 + .../GetServiceCaseListMessageType.java | 116 + .../servicecaselist/ObjectFactory.java | 71 + .../servicecaselist/package-info.java | 2 + ...GetServiceCaseListResponseMessageType.java | 125 + .../ObjectFactory.java | 71 + .../servicecaselistresponse/package-info.java | 2 + ...tServiceInformationHistoryMessageType.java | 121 + .../ObjectFactory.java | 71 + .../package-info.java | 2 + ...InformationHistoryResponseMessageType.java | 150 + .../ObjectFactory.java | 71 + .../package-info.java | 2 + .../GetServiceTypesMessageType.java | 208 + .../servicetypesrequest/ObjectFactory.java | 71 + .../servicetypesrequest/package-info.java | 2 + .../GetServiceTypesResponseMessageType.java | 120 + .../servicetypesresponse/ObjectFactory.java | 151 + .../servicetypesresponse/ServiceTypeType.java | 160 + .../servicetypesresponse/package-info.java | 2 + .../taxdelinquency/CaseAbstractorType.java | 104 + .../taxdelinquency/CaseAugmentationType.java | 152 + .../taxdelinquency/ObjectFactory.java | 174 + .../taxdelinquency/PartyServiceType.java | 132 + .../taxdelinquency/package-info.java | 2 + .../TylerCourtRecordMDE.java | 92 + .../TylerCourtRecordMDEService.java | 88 + ...tRecordMDE_TylerCourtRecordMDE_Client.java | 127 + .../TylerCourtSchedulingMDE.java | 28 + .../TylerCourtSchedulingMDEService.java | 88 + ...ingMDE_TylerCourtSchedulingMDE_Client.java | 63 + .../TylerFilingAssemblyMDE.java | 68 + .../TylerFilingAssemblyMDEService.java | 88 + ...mblyMDE_TylerFilingAssemblyMDE_Client.java | 103 + .../TylerFilingReviewMDE.java | 52 + .../TylerFilingReviewMDEService.java | 88 + ...ReviewMDE_TylerFilingReviewMDE_Client.java | 87 + .../updatedocument/ObjectFactory.java | 100 + .../UpdateDocumentMessageType.java | 183 + .../updatedocument/package-info.java | 2 + .../updatefeesrequest/ObjectFactory.java | 86 + .../UpdateFeesMessageType.java | 150 + .../updatefeesrequest/package-info.java | 2 + .../updatefeesresponse/ObjectFactory.java | 86 + .../UpdateFeesResponseMessageType.java | 150 + .../updatefeesresponse/package-info.java | 2 + .../wrappers/CaptureFeesRequestType.java | 75 + .../wrappers/CaptureFeesResponseType.java | 75 + .../wrappers/GetBatchDetailRequestType.java | 75 + .../wrappers/GetBatchDetailResponseType.java | 75 + .../wrappers/GetBatchListRequestType.java | 75 + .../wrappers/GetBatchListResponseType.java | 75 + .../wrappers/GetCaseHearingsRequestType.java | 75 + .../wrappers/GetCaseHearingsResponseType.java | 75 + .../wrappers/GetFilingServiceRequestType.java | 75 + .../GetFilingServiceResponseType.java | 75 + .../wrappers/GetPartyListRequestType.java | 75 + .../wrappers/GetPartyListResponseType.java | 75 + .../wrappers/GetPartyRequestType.java | 75 + .../wrappers/GetPartyResponseType.java | 75 + .../wrappers/GetReturnDateRequestType.java | 75 + .../wrappers/GetReturnDateResponseType.java | 75 + .../GetServiceCaseListRequestType.java | 75 + .../GetServiceCaseListResponseType.java | 75 + ...tServiceInformationHistoryRequestType.java | 75 + ...ServiceInformationHistoryResponseType.java | 75 + .../wrappers/GetServiceTypesRequestType.java | 75 + .../wrappers/GetServiceTypesResponseType.java | 75 + .../NotifyBatchCompleteRequestType.java | 75 + .../NotifyBatchCompleteResponseType.java | 75 + .../NotifyEnvelopeCompleteRequestType.java | 75 + .../NotifyEnvelopeCompleteResponseType.java | 75 + .../wrappers/NotifyEventRequestType.java | 75 + .../wrappers/NotifyEventResponseType.java | 75 + .../NotifyServiceCompleteRequestType.java | 75 + .../NotifyServiceCompleteResponseType.java | 75 + .../extensions/wrappers/ObjectFactory.java | 915 + .../wrappers/RecordReceiptRequestType.java | 75 + .../wrappers/RecordReceiptResponseType.java | 75 + .../wrappers/RecordServiceRequestType.java | 75 + .../wrappers/RecordServiceResponseType.java | 75 + .../wrappers/SecureCaseRequestType.java | 75 + .../wrappers/SecureCaseResponseType.java | 75 + .../wrappers/UpdateDocumentRequestType.java | 82 + .../wrappers/UpdateDocumentResponseType.java | 75 + .../wrappers/UpdateFeesRequestType.java | 75 + .../wrappers/UpdateFeesResponseType.java | 75 + .../extensions/wrappers/package-info.java | 2 + .../_2/AmountType.java | 168 + .../_2/BinaryObjectType.java | 284 + .../_2/CodeType.java | 369 + .../_2/DateTimeType.java | 133 + .../_2/IdentifierType.java | 308 + .../_2/IndicatorType.java | 129 + .../_2/MeasureType.java | 168 + .../_2/NumericType.java | 140 + .../_2/ObjectFactory.java | 112 + .../_2/QuantityType.java | 224 + .../_2/TextType.java | 170 + .../_2/package-info.java | 2 + .../wsdl/v2024_6/base/CourtPolicyMDE.wsdl | 2 +- .../wsdl/v2024_6/base/CourtRecordMDE.wsdl | 8 +- .../wsdl/v2024_6/base/CourtSchedulingMDE.wsdl | 4 +- .../wsdl/v2024_6/base/FilingReviewMDE.wsdl | 2 +- .../wsdl/v2024_6/base/ServiceMDE.wsdl | 2 +- .../v2024_6/base/TylerCourtRecordMDE.wsdl | 2 +- .../v2024_6/base/TylerCourtSchedulingMDE.wsdl | 2 +- .../v2024_6/base/TylerFilingAssemblyMDE.wsdl | 159 + .../v2024_6/base/TylerFilingReviewMDE.wsdl | 2 +- .../resources/wsdl/v2024_6/base/bindings.xjb | 7 + .../illinois-ECF5-CourtRecordMDEService.wsdl | 8 +- ...linois-ECF5-CourtSchedulingMDEService.wsdl | 11 +- .../illinois-ECF5-FilingReviewMDEService.wsdl | 8 +- .../illinois-ECF5-ServiceMDEService.wsdl | 8 +- ...inois-ECF5-TylerCourtRecordMDEService.wsdl | 8 +- ...s-ECF5-TylerCourtSchedulingMDEService.wsdl | 2 +- ...is-ECF5-TylerFilingAssemblyMDEService.wsdl | 2 +- ...nois-ECF5-TylerFilingReviewMDEService.wsdl | 8 +- 2173 files changed, 294150 insertions(+), 40 deletions(-) create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/AccidentSeverityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/HazMatCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/CountryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EXLCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/HAIRCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/PCOCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SMTCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VCOCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMACodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMOCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VSTCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/LanguageCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/DrivingRestrictionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/LengthCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/MassCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/VelocityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricClassificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricDataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASTRProfileType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASampleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/FingerprintImageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ImageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/Integer1To999Type.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/PhysicalFeatureImageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageContentErrorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageErrorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageStatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/RemarksComplexObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/SystemEventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildSupportEnforcementCaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/DependencyPetitionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileAbuseNeglectAllegationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileCaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileGangAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementFacilityAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementPersonAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PersonCaseAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseNoticeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ArrestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/BookingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseOfficialType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeDispositionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeEnhancingFactorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CitationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ConveyanceRegistrationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtAppearanceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtEventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtOrderType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseBaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseRestrictionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseWithdrawalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingIncidentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingRestrictionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementOfficialType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementUnitType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/IncidentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ItemRegistrationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialBarMembershipType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseChargeAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseLocationAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAlternateNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonBloodAlcoholContentAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonChargeAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ProtectionOrderType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/RegisteredOffenderType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SentenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SeverityLevelType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/StatuteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SubjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/TermType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ViolatedStatuteAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/WarrantType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ActivityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AddressType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/BinaryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CapabilityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseDispositionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ConveyanceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CountryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateRangeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DispositionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/EntityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FacilityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FullTelephoneNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IdentificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IncidentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InsuranceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InternationalTelephoneNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/JurisdictionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LengthMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LocationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MetadataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NANPTelephoneNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NonNegativeDecimalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObligationExemptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObligationRecurrenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObligationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/OffenseLevelCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/OffenseLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/OrganizationAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/OrganizationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonDisunionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonEmploymentAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonLanguageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonNameCategoryCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonNameCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonNameTextType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonOrganizationAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonUnionAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonUnionCategoryCodeSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonUnionCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PersonUnionSeparationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/PhysicalFeatureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ProperNameTextType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/RelatedActivityAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ScheduleDayType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ScheduleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/SoftwareNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/SpeedMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/StateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/StatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/StreetType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/SupervisionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/TelephoneNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/TextType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/VehicleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/WeightMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/AnyURI.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/Base64Binary.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/Boolean.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/Date.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/DateTime.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/Decimal.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/Duration.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/GYear.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/NormalizedString.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/String.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/Time.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/proxy/xsd/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/structures/_4/AssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/structures/_4/AugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/structures/_4/MetadataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/structures/_4/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/structures/_4/ObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/structures/_4/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/allocatedate/AllocateCourtDateMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/allocatedate/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/allocatedate/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/appellate/AppellateCaseAddedPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/appellate/AppellateCaseRemovedPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/appellate/AppellateCourtRuleCaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/appellate/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/appellate/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/appellate/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/cancel/CancelFilingMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/cancel/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/cancel/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistrequest/CaseListQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistrequest/GetCaseListRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistresponse/GetCaseListResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caselistresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caserequest/CaseQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caserequest/GetCaseRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caserequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caserequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caseresponse/GetCaseResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caseresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/caseresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/civil/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/civil/DecedentEstateCaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/civil/FiduciaryCaseAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/civil/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/civil/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/datecallback/NotifyCourtDateMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/datecallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/datecallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/docket/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/docket/RecordDocketingMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/docket/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/docketcallback/NotifyDocketingCompleteMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/docketcallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/docketcallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentrequest/DocumentQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentrequest/GetDocumentRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentresponse/GetDocumentResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/documentresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CallbackMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CaseFilingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CaseOfficialAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CourtEventActorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CourtEventAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/CourtEventOnBehalfOfActorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentAssociationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentRenditionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentReviewDispositionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentReviewType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentSignatureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentStatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/DocumentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/ElectronicServiceInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/FilingStatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/InsuranceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/ItemAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/MatchingFilingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/MessageStatusAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/OrganizationAssociationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/OrganizationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/PersonAssociationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/PersonAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/PersonOrganizationAssociationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/RelatedActivityAssociationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/RequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/ResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/ReviewedDocumentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/ReviewedDocumentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/SignatureAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/SubjectAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/ecf/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/feesrequest/GetFeesCalculationRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/feesrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/feesrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/feesresponse/GetFeesCalculationResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/feesresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/feesresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filing/FilingMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filing/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filing/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistrequest/FilingListQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistrequest/GetFilingListRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistresponse/GetFilingListResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filinglistresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusrequest/FilingStatusQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusrequest/GetFilingStatusRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusresponse/GetFilingStatusResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/filingstatusresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/payment/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/payment/PaymentMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/payment/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyrequest/GetPolicyRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyrequest/PolicyQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/CodeListExtensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/DevelopmentPolicyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/ExtensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/GetPolicyResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/MajorDesignElementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/RuntimePolicyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/SchemaExtensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/SupportedCaseCategoriesType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/SupportedOperationsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/SupportedServiceInteractionProfilesType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/SupportedSignatureProfilesType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/policyresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdaterequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdaterequest/RequestCourtDateRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdaterequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdateresponse/CourtDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdateresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdateresponse/RequestCourtDateResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/requestdateresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/reservedate/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/reservedate/ReserveCourtDateMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/reservedate/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/reviewfilingcallback/NotifyFilingReviewCompleteMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/reviewfilingcallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/reviewfilingcallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/schedulerequest/GetCourtScheduleRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/schedulerequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/schedulerequest/ScheduleQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/schedulerequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/scheduleresponse/GetCourtScheduleResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/scheduleresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/scheduleresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/serviceinformationrequest/GetServiceInformationRequestMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/serviceinformationrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/serviceinformationrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/serviceinformationresponse/GetServiceInformationResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/serviceinformationresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/serviceinformationresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/stampinformation/DocumentStampInformationMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/stampinformation/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/stampinformation/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/stampinformationcallback/NotifyDocumentStampInformationMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/stampinformationcallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/stampinformationcallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/AllocateCourtDateRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/AllocateCourtDateResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/CancelFilingRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/CancelFilingResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/DocumentStampInformationRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/DocumentStampInformationResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetCaseListRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetCaseListResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetCaseRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetCaseResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetCourtScheduleRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetCourtScheduleResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetDocumentRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetDocumentResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetFeesCalculationRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetFeesCalculationResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetFilingListRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetFilingListResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetFilingStatusRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetFilingStatusResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetPolicyRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetPolicyResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetServiceInformationRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/GetServiceInformationResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyCourtDateRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyCourtDateResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyDocketingCompleteRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyDocketingCompleteResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyDocumentStampInformationRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyDocumentStampInformationResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyFilingReviewCompleteRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/NotifyFilingReviewCompleteResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/RecordDocketingRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/RecordDocketingResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/RequestCourtDateRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/RequestCourtDateResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ReserveCourtDateRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ReserveCourtDateResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ReviewFilingRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ReviewFilingResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ServeFilingRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ServeFilingResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ServeProcessRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/ServeProcessResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0/wrappers/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtpolicymde/CourtPolicyMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtpolicymde/CourtPolicyMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtrecordmde/CourtRecordMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtrecordmde/CourtRecordMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtrecordmde/CourtRecordMDE_CourtRecordMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtschedulingmde/CourtSchedulingMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtschedulingmde/CourtSchedulingMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/courtschedulingmde/CourtSchedulingMDE_CourtSchedulingMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/filingreviewmde/FilingReviewMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/filingreviewmde/FilingReviewMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/filingreviewmde/FilingReviewMDE_FilingReviewMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/servicemde/ServiceMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/servicemde/ServiceMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/https/docs_oasis_open_org/legalxml_courtfiling/ns/v5_0wsdl/servicemde/ServiceMDE_ServiceMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ActionPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/AlarmComponentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/AltrepParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfEventTodoContainedComponents.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfGluonContainedComponents.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfParameters.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfProperties.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfTimezoneContainedComponents.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfVavailabilityContainedComponents.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArrayOfVcalendarContainedComponents.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArtifactBaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ArtifactType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/AttachPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/AttendeePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/AvailableType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/BaseComponentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/BaseParameterType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/BasePropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/BooleanParameterType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/BusytypePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CalAddressListParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CalAddressParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CalAddressPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CalscalePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CalscaleValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CategoriesPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ClassPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CnParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CommentPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CompletedPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ContactPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CreatedPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/CutypeParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DateDatetimePropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DatetimePropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DaylightType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DelegatedFromParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DelegatedToParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DescriptionPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DirParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DtendPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DtstampPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DtstartPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DuePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DurationParameterType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/DurationPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/EncodingParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/EventTodoComponentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ExdatePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ExrulePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/FbtypeParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/FmttypeParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/FreebusyPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/FreqRecurType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/GeoPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/IcalendarType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/IntegerPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/LanguageParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/LastModifiedPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/LinkPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/LocationPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/MemberParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/MethodPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/OrganizerPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/PartstatParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/PercentCompletePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/PeriodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/PriorityPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ProdidPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RangeParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RangeValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RdatePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RecurPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RecurType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RecurrenceIdPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RelatedParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RelatedToPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ReltypeParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RepeatPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RequestStatusPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ResourcesPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RoleParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RrulePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/RsvpParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ScheduleAgentParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ScheduleForceSendParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ScheduleStatusParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/SentByParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/SequencePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/StandardType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/StatusPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/SummaryPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TextListPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TextParameterType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TextPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TolerancePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ToleranceValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TranspPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TriggerPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TzidParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TzidPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TznamePropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TzoffsetfromPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TzoffsettoPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/TzurlPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UidPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UntilRecurType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UriParameterType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UriPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UrlPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UtcDatetimePropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/UtcOffsetPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/ValarmType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VavailabilityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VcalendarContainedComponentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VcalendarType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VersionPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VeventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VfreebusyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VjournalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VtimezoneType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/VtodoType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/WeekdayRecurType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/WsCalendarAttachType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/WsCalendarGluonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/WsCalendarIntervalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/WsCalendarTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XBedeworkCostPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XBedeworkExsynchEndtzidPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XBedeworkExsynchLastmodPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XBedeworkExsynchStarttzidPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XBedeworkUidParamType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XMicrosoftCdoBusystatusPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/XMicrosoftCdoIntendedstatusPropType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/ietf/params/xml/ns/icalendar_2/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ActivityDataLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ActivityPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AddressLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AddressType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AirTransportType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AllowanceChargeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AppealTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AttachmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AuctionTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AwardingCriterionResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AwardingCriterionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/AwardingTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/BillingReferenceLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/BillingReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/BranchType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/BudgetAccountLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/BudgetAccountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CapabilityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CardAccountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CatalogueItemSpecificationUpdateLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CatalogueLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CataloguePricingUpdateLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CatalogueReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CatalogueRequestLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CertificateOfOriginApplicationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CertificateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ClassificationCategoryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ClassificationSchemeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ClauseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CommodityClassificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CommunicationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CompletedTaskType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConditionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsignmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionAverageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionCorrectionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionHistoryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionPointType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionReportReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionReportType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ConsumptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContactType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractExecutionRequirementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractExtensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractingActivityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractingPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractingPartyTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ContractingSystemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CorporateRegistrationSchemeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CountryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CreditAccountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CreditNoteLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CustomerPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/CustomsDeclarationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DebitNoteLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DeclarationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DeliveryChannelType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DeliveryTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DeliveryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DeliveryUnitType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DependentPriceReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DespatchLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DespatchType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DigitalAgreementTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DigitalCollaborationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DigitalProcessType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DigitalServiceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DimensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DocumentDistributionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DocumentMetadataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DocumentReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DocumentResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/DutyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EconomicOperatorPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EconomicOperatorRoleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EconomicOperatorShortListType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EmissionCalculationMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EncryptionCertificatePathChainType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EncryptionDataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EncryptionSymmetricAlgorithmType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EndorsementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EndorserPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EnergyTaxReportType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EnergyWaterSupplyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EnvironmentalEmissionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EvaluationCriterionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EventCommentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EventLineItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EventTacticEnumerationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EventTacticType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EvidenceSuppliedType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/EvidenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ExceptionCriteriaLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ExceptionNotificationLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ExchangeRateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ExternalReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/FinancialAccountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/FinancialGuaranteeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/FinancialInstitutionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ForecastExceptionCriterionLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ForecastExceptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ForecastLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ForecastRevisionLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/FrameworkAgreementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/GoodsItemContainerType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/GoodsItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/HazardousGoodsTransitType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/HazardousItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ImmobilizedSecurityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/InstructionForReturnsLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/InventoryReportLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/InvoiceLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemComparisonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemIdentificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemInformationRequestLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemInstanceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemLocationQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemManagementProfileType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemPropertyGroupType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemPropertyRangeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LanguageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LegislationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LineItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LineReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LineResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LocationCoordinateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LocationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LotDistributionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/LotIdentificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MaritimeTransportType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MessageDeliveryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MeterPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MeterReadingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MeterType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MiscellaneousEventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/MonetaryTotalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/NotificationRequirementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/OnAccountPaymentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/OrderLineReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/OrderLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/OrderReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/OrderedShipmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PackageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ParticipantPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PartyIdentificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PartyLegalEntityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PartyNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PartyTaxSchemeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PaymentMandateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PaymentMeansType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PaymentTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PaymentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PerformanceDataLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PeriodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PersonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PhysicalAttributeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PickupType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PostAwardProcessType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PowerOfAttorneyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PriceExtensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PriceListType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PriceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PricingReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ProcessJustificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ProcurementProjectLotReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ProcurementProjectLotType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ProcurementProjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ProjectReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PromotionalEventLineItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PromotionalEventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/PromotionalSpecificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/QualificationResolutionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/QualifyingPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/QuotationLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RailTransportType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ReceiptLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RegulationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RelatedItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ReminderLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RemittanceAdviceLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RenewalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RequestForQuotationLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RequestForTenderLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RequestedTenderTotalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ResponseValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ResultOfVerificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RetailPlannedImpactType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/RoadTransportType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SalesItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SecondaryHazardType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ServiceFrequencyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ServiceLevelAgreementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ServiceProviderPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ShareholderPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ShipmentStageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/ShipmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SignatureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SocialMediaProfileType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/StatementLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/StatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/StockAvailabilityReportLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/StowageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SubcontractTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SubscriberConsumptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SupplierConsumptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/SupplierPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TaxCategoryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TaxSchemeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TaxSubtotalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TaxTotalType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TelecommunicationsServiceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TelecommunicationsSupplyLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TelecommunicationsSupplyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TemperatureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderLineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderPreparationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderRequirementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderResultType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderedProjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TendererPartyQualificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TendererQualificationRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TendererRequirementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderingCriterionPropertyGroupType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderingCriterionPropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderingCriterionResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderingCriterionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderingProcessType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TenderingTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TradeFinancingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TradingTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransactionConditionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportEquipmentSealType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportEquipmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportEventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportExecutionTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportHandlingUnitType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportMeansType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportScheduleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportationSegmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/TransportationServiceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/UnstructuredPriceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/UtilityItemType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/VerifiedGrossMassType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/WebSiteAccessType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/WebSiteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/WinningPartyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/WorkPhaseReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonaggregatecomponents_2/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AcceptedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AcceptedVariantsDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AccessToolsURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AccountFormatCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AccountIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AccountTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AccountingCostCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AccountingCostType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActivityTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActivityTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualDeliveryDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualDeliveryTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualDespatchDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualDespatchTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualPickupDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualPickupTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ActualTemperatureReductionQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdValoremIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdditionalAccountIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdditionalConditionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdditionalInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdditionalStreetNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AddressFormatCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AddressTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdjustmentReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdmissionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AdvertisementAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AgencyIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AgencyNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AgreementTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AirFlowPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AircraftIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AliasNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AllowanceChargeReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AllowanceChargeReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AllowanceTotalAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AltitudeMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AmountRateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AnimalFoodApprovedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AnimalFoodIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AnnualAverageAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ApplicationStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ApprovalDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ApprovalStatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ArticleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AttributeIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AuctionConstraintIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AuctionURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AvailabilityDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AvailabilityStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AvailabilityTimePercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AverageAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AverageSubsequentContractAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardingCriterionDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardingCriterionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardingCriterionTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/AwardingMethodTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BackOrderAllowedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BackorderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BackorderReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BalanceAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BalanceBroughtForwardIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BarcodeSymbologyIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BaseAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BaseQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BaseUnitMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BasedOnConsensusIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BasicConsumedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BatchQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BestBeforeDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BindingOnBuyerIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BirthDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BirthplaceNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BlockNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BrandNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BriefDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BrokerAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BudgetYearNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BuildingNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BuildingNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BulkCargoIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BusinessClassificationEvidenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BusinessIdentityEvidenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BuyerEventIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BuyerProfileURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/BuyerReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CV2IDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CalculationExpressionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CalculationExpressionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CalculationMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CalculationRateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CalculationSequenceNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CallBaseAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CallDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CallExtensionAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CallTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CancellationNoteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CandidateReductionConstraintIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CandidateStatementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CanonicalizationMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CapabilityTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CardChipCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CardTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CargoTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CarrierAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CarrierServiceInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CatalogueIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CategoryNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CertificateTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CertificateTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CertificationLevelDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChangeConditionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChannelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChannelType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CharacterSetCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CharacteristicsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChargeIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChargeTotalAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChargeableQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChargeableWeightMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChildConsignmentQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ChipApplicationIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CityNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CitySubdivisionNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CodeValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CollaborationPriorityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CommentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CommodityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CompanyIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CompanyLegalFormCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CompanyLegalFormType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CompanyLiquidationStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ComparedValueMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ComparisonDataCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ComparisonDataSourceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ComparisonForecastIssueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ComparisonForecastIssueTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CompletionIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConditionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConditionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConditionsDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConditionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConfidentialityLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsigneeAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsignmentQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsignorAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsolidatableIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConstitutionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumerIncentiveTacticTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumerUnitQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumersEnergyLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumersEnergyLevelType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionEnergyQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionLevelType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionReportIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ConsumptionWaterQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContainerizedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContentUnitQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractFolderIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractSubdivisionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractedCarrierAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractingSystemCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ContractingSystemTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CoordinateSystemCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CopyIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CopyQualityTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CorporateRegistrationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CorporateStockAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CorrectionAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CorrectionTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CorrectionTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CorrectionUnitAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CountrySubentityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CountrySubentityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CreditLineAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CreditNoteTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CreditedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CrewQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CriterionTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CurrentChargeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CurrentChargeTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomerAssignedAccountIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomerReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomizationIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomsClearanceServiceInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomsImportClassifiedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomsStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/CustomsTariffQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DamageRemarksType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DangerousGoodsApprovedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DataSendingCapabilityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DataSourceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DebitLineAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DebitedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeclarationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeclaredCarriageValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeclaredCustomsValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeclaredForCarriageValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeclaredStatisticsValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeliveredQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DeliveryInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DemurrageInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DepartmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DescriptionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DespatchAdviceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DifferenceTemperatureReductionQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DirectionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DisplayTacticTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DispositionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DistrictType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentHashType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentStatusReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentStatusReasonDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DocumentationFeeAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DutyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/DutyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EarliestPickupDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EarliestPickupTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EconomicOperatorGroupNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EconomicOperatorRegistryURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EffectiveDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EffectiveTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ElectronicCatalogueUsageIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ElectronicDeviceDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ElectronicInvoiceAcceptedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ElectronicMailType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ElectronicOrderUsageIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ElectronicPaymentUsageIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EmbeddedDocumentBinaryObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EmbeddedDocumentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EmergencyProceduresCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EmployeeQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EncodingCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EndDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EndTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EndpointIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EndpointURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EnvelopeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EnvironmentalEmissionTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedConsumedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedDeliveryDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedDeliveryTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedDespatchDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedDespatchTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedOverallContractAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedOverallContractQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EstimatedTimingFurtherPublicationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EvaluationCriterionTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EvaluationMethodTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/EvidenceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExceptionResolutionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExceptionStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExchangeMarketIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExclusionReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExecutionRequirementCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExemptionReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExemptionReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedOperatorQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpectedValueNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpenseCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpiryDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpiryTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpressionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExpressionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExtendedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ExtensionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FaceValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FamilyNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FeatureTacticTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FeeAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FeeDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FileNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FinancingInstrumentCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FirstNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FirstShipmentAvailibilityDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FloorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FollowupContractIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ForecastPurposeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ForecastTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FormatCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FormatIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ForwarderServiceInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FreeOfChargeIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FreeOnBoardValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FreightForwarderAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FreightRateClassCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FrequencyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FridayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FrozenDocumentIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FrozenPeriodDaysNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FulfilmentIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FulfilmentIndicatorTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FullnessIndicationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FullyPaidSharesIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FundingProgramCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/FundingProgramType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GasPressureQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GenderCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GeneralCargoIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GovernmentAgreementConstraintIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GrossMassMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GrossTonnageMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GrossVolumeMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GrossWeightMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GroupingLotsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GuaranteeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GuaranteedDespatchDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/GuaranteedDespatchTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HandlingCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HandlingInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HashAlgorithmMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HaulageInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HazardClassIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HazardousCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HazardousRegulationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HazardousRiskIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HeatingTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HeatingTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HigherTenderAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HolderNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HumanFoodApprovedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HumanFoodIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/HumidityPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IdentificationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IdentificationIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ImmobilizationCertificateIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ImportanceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IndicationIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IndustryClassificationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InformationURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InhalationToxicityZoneCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InhouseMailType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InitiatingPartyIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InspectionMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InstallmentDueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InstructionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InstructionNoteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InsurancePremiumAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InsuranceValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InventoryValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InvoiceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InvoicedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/InvoicingPartyReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IssueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IssueNumberIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IssueTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/IssuerIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ItemClassificationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ItemUpdateRequestIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/JobTitleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/JourneyIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/JurisdictionLevelType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/JustificationDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/JustificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/KeywordType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LanguageIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LastRevisionDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LastRevisionTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestDeliveryDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestDeliveryTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestMeterQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestMeterReadingDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestMeterReadingMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestMeterReadingMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestPickupDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestPickupTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestProposalAcceptanceDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestReplyDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestReplyTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatestSecurityClearanceDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatitudeDegreesMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatitudeDirectionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LatitudeMinutesMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LeadTimeMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LegalReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LegalStatusIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LiabilityAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LicensePlateIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LifeCycleStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LimitationDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LineCountNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LineExtensionAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LineIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LineNumberNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LineStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LineType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ListValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LivestockIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LoadingLengthMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LoadingSequenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LocaleCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LocationIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LocationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LocationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LoginType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LogoReferenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LongitudeDegreesMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LongitudeDirectionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LongitudeMinutesMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LossRiskResponsibilityCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LossRiskType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LotNumberIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LowTendersDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LowerOrangeHazardPlacardIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/LowerTenderAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MandateTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ManufactureDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ManufactureTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MarkAttentionIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MarkAttentionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MarkCareIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MarkCareType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MarketValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MarkingIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MathematicOperatorCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumAdvertisementAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumBackorderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumCopiesNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumDataLossDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumIncidentNotificationDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumLotsAwardedNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumLotsSubmittedNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumNumberNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumOperatorQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumOrderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumOriginalsNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumPaidAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumPaymentInstructionsNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumValueNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MaximumVariantQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeanTimeToRecoverDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MedicalFirstAidGuideCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MessageFormatType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterConstantCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterConstantType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterReadingCommentsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterReadingTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MeterReadingTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MiddleNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MimeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumBackorderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumDownTimeScheduleDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumImprovementBidType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumInventoryQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumNumberNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumOrderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumResponseTimeDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumValueNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MinimumValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MiscellaneousEventTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ModelNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MondayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MonetaryScopeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MovieTitleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MultipleOrderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/MultiplierFactorNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NameCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NameSuffixType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NationalityIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NatureCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NegotiationDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NetNetWeightMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NetTonnageMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NetVolumeMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NetWeightMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NetworkIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NoFurtherNegotiationIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NominationDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NominationTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NormalTemperatureReductionQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NoteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NoticeLanguageCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NoticeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/NotificationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OccurrenceDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OccurrenceTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OnCarriageIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OneTimeChargeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OneTimeChargeTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OntologyURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OpenTenderIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OperatingYearsQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OptionalLineItemIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OptionsDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderIntervalDaysNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderQuantityIncrementNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderResponseCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderableIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderableUnitFactorRateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrderableUnitType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OrganizationDepartmentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OriginalContractingSystemIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OriginalJobIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OtherConditionsIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OtherInstructionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OtherNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OutstandingQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OutstandingReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OversupplyQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/OwnerTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackSizeNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackageLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackagingTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackingCriteriaCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PackingMaterialType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaidAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaidDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaidTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ParentDocumentIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ParentDocumentLineReferenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ParentDocumentTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ParentDocumentVersionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PartPresentationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PartecipationPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PartialDeliveryIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ParticipantIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ParticipationPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PartyCapacityAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PartyTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PartyTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PassengerQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PasswordType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PayPerViewType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PayableAlternativeAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PayableAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PayableRoundingAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PayerReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentAlternativeCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentChannelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentDueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentFrequencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentMeansCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentMeansIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentNoteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentOrderReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentPurposeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PaymentTermsDetailsURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PenaltyAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PenaltySurchargePercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PerUnitAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PerformanceMetricTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PerformanceValueQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PerformingCarrierAssignedIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PersonalSituationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PhoneNumberType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PlacardEndorsementType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PlacardNotationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PlannedDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PlotIdentificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PositionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PostEventNotificationDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PostalZoneType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PostboxType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PowerIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreCarriageIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreEventNotificationDurationMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreferenceCriterionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreferredLanguageLocaleCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrepaidAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrepaidIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrepaidPaymentReferenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousCancellationReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousJobIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousMeterQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousMeterReadingDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousMeterReadingMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousMeterReadingMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PreviousVersionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriceAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriceChangeReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriceEvaluationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriceRevisionFormulaDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriceTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PricingCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PricingUpdateRequestIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrimaryAccountNumberIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrintQualifierType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PriorityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrivacyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrivatePartyIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrizeDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PrizeIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProcedureCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProcessDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProcessReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProcessReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProcurementSubTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProcurementTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProductTraceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProfileExecutionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProfileIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProfileStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProgressPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PromotionalEventTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PropertyGroupTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProtocolIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ProviderTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PublicPartyIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PublishAwardIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PurposeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/PurposeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/QualificationApplicationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/QualityControlCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/QuantityDiscrepancyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/QuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RadioCallSignIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RailCarIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RankType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReceiptAdviceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReceivedDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReceivedElectronicTenderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReceivedForeignTenderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReceivedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReceivedTenderQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RecurringProcurementIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReferenceDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReferenceEventCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReferenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReferenceTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReferencedConsignmentIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RefrigeratedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RefrigerationOnIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegisteredDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegisteredTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegistrationDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegistrationExpirationDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegistrationIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegistrationNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegistrationNationalityIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegistrationNationalityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RegulatoryDomainType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RejectActionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RejectReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RejectReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RejectedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RejectionNoteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReleaseIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReliabilityPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RemarksType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReminderSequenceNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReminderTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RenewalsIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReplenishmentOwnerDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequestForQuotationLineIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequestedDeliveryDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequestedDespatchDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequestedDespatchTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequestedInvoiceCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequestedPublicationDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequiredCurriculaIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequiredCustomsIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequiredDeliveryDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequiredDeliveryTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequiredFeeAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RequiredResponseMessageLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResidenceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResidenceTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResidentOccupantsNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResolutionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResolutionDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResolutionTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResolutionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseBinaryObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ResponseURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RetailEventNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RetailEventStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReturnabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReturnableMaterialIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ReturnableQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RevisedForecastLineIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RevisionDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RevisionStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RevisionTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RoamingPartnerNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RoleCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RoleDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RoomType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/RoundingAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SalesOrderIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SalesOrderLineIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SaturdayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SchemaURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SchemeURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SealIssuerTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SealStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SealingPartyTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SecurityClassificationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SecurityIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SellerEventIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SequenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SequenceNumberIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SequenceNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SerialIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ServiceInformationPreferenceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ServiceNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ServiceNumberCalledType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ServiceProviderPartyIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ServiceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ServiceTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SettlementDiscountAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SettlementDiscountPercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SharesNumberQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ShippingMarksType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ShippingOrderIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ShippingPriorityLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ShipsRequirementsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ShortQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ShortageActionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SignatureIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SignatureMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SizeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SocialMediaTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SoleProprietorshipIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SourceCurrencyBaseRateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SourceCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SourceForecastIssueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SourceForecastIssueTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SourceValueMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecialInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecialSecurityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecialServiceInstructionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecialTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecialTransportRequirementsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecificationIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SpecificationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SplitConsignmentIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StartDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StartTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StatementTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StatusAvailableIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StatusReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StatusReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/StreetNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubcontractingConditionsCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubmissionDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubmissionDueDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubmissionMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubscriberIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubscriberTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubscriberTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SubstitutionStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SuccessiveSequenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SummaryDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SundayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SupplierAssignedAccountIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/SupplyChainActivityTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TareWeightMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TargetCurrencyBaseRateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TargetCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TargetInventoryQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TargetServicePercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TariffClassCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TariffCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TariffDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxEnergyAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxEnergyBalanceAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxEnergyOnAccountAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxEvidenceIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxExclusiveAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxExemptionReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxExemptionReasonType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxIncludedIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxInclusiveAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxLevelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxPointDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TaxableAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TechnicalCommitteeDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TechnicalNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelecommunicationsServiceCallCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelecommunicationsServiceCallType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelecommunicationsServiceCategoryCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelecommunicationsServiceCategoryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelecommunicationsSupplyTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelecommunicationsSupplyTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelefaxType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TelephoneType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TenderEnvelopeIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TenderEnvelopeTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TenderLanguageLocaleCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TenderResultCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TenderTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TendererRequirementTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TendererRoleCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TestIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TestMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TextType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ThirdPartyPayerIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ThresholdAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ThresholdQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ThresholdValueComparisonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ThursdayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TierRangeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TierRatePercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TimeAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TimeDeltaDaysQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TimeFrequencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TimezoneOffsetType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TimingComplaintCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TimingComplaintType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TitleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ToOrderIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalBalanceAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalConsumedQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalCreditAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalDebitAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalDeliveredQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalGoodsItemQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalInvoiceAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalMeteredQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalPackageQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalPackagesQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalPaymentAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalTaskAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalTaxAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TotalTransportHandlingUnitQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TraceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TrackingDeviceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TrackingIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TradeItemPackingLabelingTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TradeServiceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TradingRestrictionsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TrainIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransactionCurrencyTaxAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransitDirectionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TranslationTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportAuthorizationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportEmergencyCardCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportEquipmentTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportEventTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportExecutionPlanReferenceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportExecutionStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportHandlingUnitTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportMeansTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportModeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportServiceCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportServiceProviderRemarksType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportServiceProviderSpecialTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportUserRemarksType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportUserSpecialTermsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportationServiceDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportationServiceDetailsURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TransportationStatusTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TuesdayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/TypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UBLVersionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UNDGCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/URIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UUIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UnknownPriceIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UpperOrangeHazardPlacardIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UrgencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/UtilityStatementTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidateProcessType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidateToolType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidateToolVersionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidatedCriterionPropertyIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidationDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidationResultCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidationTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidatorIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValidityStartDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueCurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueDataTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueMeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueQualifierType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/ValueUnitCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/VarianceQuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/VariantConstraintIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/VariantIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/VersionIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/VesselIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/VesselNameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WarrantyInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WebSiteTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WebsiteURIType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WednesdayAvailabilityIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeekDayCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeighingDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeighingDeviceIDType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeighingDeviceTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeighingMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeighingTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightNumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightScoringMethodologyNoteType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightStatementTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightingAlgorithmCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightingConsiderationDescriptionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WeightingTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WithdrawOfferIndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WithholdingTaxTotalAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WorkPhaseCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/WorkPhaseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/XPathType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/commonbasiccomponents_2/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/AllowanceChargeReasonCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/ChannelCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/ChipCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/CountryIdentificationCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/CurrencyCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/DocumentStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/LanguageCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/LatitudeDirectionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/LineStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/LongitudeDirectionCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/OperatorCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/PackagingTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/PaymentMeansCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/ReceiptAdviceTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/SubstitutionStatusCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/TransportEquipmentTypeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/TransportModeCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/UnitOfMeasureCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/WeekDayCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/WeighingMethodCodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/qualifieddatatypes_2/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/AmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/BinaryObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/CodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/DateTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/DateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/GraphicType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/IdentifierType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/IndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/MeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/NameType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/NumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/PercentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/PictureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/QuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/RateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/SoundType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/TextType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/TimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/ValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/VideoType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/oasis/names/specification/ubl/schema/xsd/unqualifieddatatypes_2/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/CanonicalizationMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/DSAKeyValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/DigestMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/KeyInfoType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/KeyValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/ManifestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/ObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/PGPDataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/RSAKeyValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/ReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/RetrievalMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SPKIDataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SignatureMethodType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SignaturePropertiesType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SignaturePropertyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SignatureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SignatureValueType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/SignedInfoType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/TransformType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/TransformsType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/X509DataType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/X509IssuerSerialType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/org/w3/_2000/_09/xmldsig_/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchcallback/NotifyBatchCompleteMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchcallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchcallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailrequest/BatchDetailQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailrequest/GetBatchDetailMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailresponse/GetBatchDetailResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchdetailresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistrequest/BatchListQueryCriteriaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistrequest/GetBatchListMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistresponse/BatchType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistresponse/GetBatchListResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/batchlistresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/capturefeesrequest/CaptureFeesMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/capturefeesrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/capturefeesrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/capturefeesresponse/CaptureFeesResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/capturefeesresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/capturefeesresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/casehearingrequest/GetCaseHearingsMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/casehearingrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/casehearingrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/casehearingresponse/GetCaseHearingsResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/casehearingresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/casehearingresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ActionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/AddressAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/AgencyOperationSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/AgencyOperationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/AgencyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/AliasType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/AttachmentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/BatchStatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/BatchTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/BlackoutStatusType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/BulkType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CaseEventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CaseJudgeAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CaseListQueryCriteriaAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CaseOfficialAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CaseSecurityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ChildEnvelopeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ChildType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CourtEventAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CourtScheduleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CourtroomMinutesType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/CrossReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DispositionActionSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DispositionActionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DocumentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DocumentOptionalServiceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DocumentSecurityAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DocumentSecurityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DocumentStampInformationMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/DriverLicenseIdentificationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ElectronicServiceAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/EnvelopeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FeeSplitType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FeeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilerAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilerInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingActionSimpleType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingActionType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingAssociationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingAttorneyEntityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingListQueryCriteriaAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingPartyEntityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingStatusAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/FilingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/GetCaseListRequestMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/GetCaseRequestAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/GetFilingStatusRequestMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/GetPolicyResponseMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/HearingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/MatchingFilingAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/MessageStatusAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/NotifyDocketingCompleteMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/OrganizationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/PagingAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ParentEnvelopeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/PartialWaiverType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/PartyPayorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/PaymentType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/PersonAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/PhysicalFeatureAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ProcedureRemedyType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ProviderChargeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/QuestionAnswerType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/RecipientInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/RecordDocketingMessageAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ReferenceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/RefundVoidChargeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ReviewedDocumentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/SchedulingAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/ServiceRecipientType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/SettingType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/SplitAmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/StatusDocumentAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/SubmitterInformationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/VehicleAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/VehicleRegistrationDateType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/common/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/BondType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/ChargeAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/ChargeHistoryType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/CitationAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/DispositionAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/PleaType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/StatuteAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/criminal/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/eventcallback/EventType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/eventcallback/EventVariableType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/eventcallback/NotifyEventMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/eventcallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/eventcallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/filingservicerequest/GetFilingServiceMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/filingservicerequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/filingservicerequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/filingserviceresponse/GetFilingServiceResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/filingserviceresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/filingserviceresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/massachusetts/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/massachusetts/Component1Type.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/massachusetts/Component2Type.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/massachusetts/Component3Type.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/massachusetts/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/massachusetts/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partylistrequest/GetPartyListMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partylistrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partylistrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partylistresponse/GetPartyListResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partylistresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partylistresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partyrequest/GetPartyMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partyrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partyrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partyresponse/GetPartyResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partyresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/partyresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/recordreceipt/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/recordreceipt/RecordReceiptMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/recordreceipt/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/recordservice/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/recordservice/RecordServiceMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/recordservice/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/returndate/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/returndate/ReturnDateMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/returndate/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/returndateresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/returndateresponse/ReturnDateResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/returndateresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/reviewenvelopecallback/NotifyEnvelopeCompleteMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/reviewenvelopecallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/reviewenvelopecallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/securecase/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/securecase/SecureCaseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/securecase/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecallback/NotifyServiceCompleteMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecallback/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecallback/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecaselist/GetServiceCaseListMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecaselist/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecaselist/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecaselistresponse/GetServiceCaseListResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecaselistresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicecaselistresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/serviceinformationhistory/GetServiceInformationHistoryMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/serviceinformationhistory/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/serviceinformationhistory/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/serviceinformationhistoryresponse/GetServiceInformationHistoryResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/serviceinformationhistoryresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/serviceinformationhistoryresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesrequest/GetServiceTypesMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesresponse/GetServiceTypesResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesresponse/ServiceTypeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/servicetypesresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/taxdelinquency/CaseAbstractorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/taxdelinquency/CaseAugmentationType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/taxdelinquency/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/taxdelinquency/PartyServiceType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/taxdelinquency/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylercourtrecordmde/TylerCourtRecordMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylercourtrecordmde/TylerCourtRecordMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylercourtrecordmde/TylerCourtRecordMDE_TylerCourtRecordMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylercourtschedulingmde/TylerCourtSchedulingMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylercourtschedulingmde/TylerCourtSchedulingMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylercourtschedulingmde/TylerCourtSchedulingMDE_TylerCourtSchedulingMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylerfilingassemblymde/TylerFilingAssemblyMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylerfilingassemblymde/TylerFilingAssemblyMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylerfilingassemblymde/TylerFilingAssemblyMDE_TylerFilingAssemblyMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylerfilingreviewmde/TylerFilingReviewMDE.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylerfilingreviewmde/TylerFilingReviewMDEService.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/tylerfilingreviewmde/TylerFilingReviewMDE_TylerFilingReviewMDE_Client.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatedocument/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatedocument/UpdateDocumentMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatedocument/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatefeesrequest/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatefeesrequest/UpdateFeesMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatefeesrequest/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatefeesresponse/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatefeesresponse/UpdateFeesResponseMessageType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/updatefeesresponse/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/CaptureFeesRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/CaptureFeesResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetBatchDetailRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetBatchDetailResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetBatchListRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetBatchListResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetCaseHearingsRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetCaseHearingsResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetFilingServiceRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetFilingServiceResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetPartyListRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetPartyListResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetPartyRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetPartyResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetReturnDateRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetReturnDateResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetServiceCaseListRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetServiceCaseListResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetServiceInformationHistoryRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetServiceInformationHistoryResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetServiceTypesRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/GetServiceTypesResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyBatchCompleteRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyBatchCompleteResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyEnvelopeCompleteRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyEnvelopeCompleteResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyEventRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyEventResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyServiceCompleteRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/NotifyServiceCompleteResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/RecordReceiptRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/RecordReceiptResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/RecordServiceRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/RecordServiceResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/SecureCaseRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/SecureCaseResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/UpdateDocumentRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/UpdateDocumentResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/UpdateFeesRequestType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/UpdateFeesResponseType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/tyler/ecf/v5_0/extensions/wrappers/package-info.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/AmountType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/BinaryObjectType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/CodeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/DateTimeType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/IdentifierType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/IndicatorType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/MeasureType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/NumericType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/ObjectFactory.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/QuantityType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/TextType.java create mode 100644 TylerEcf5/src/main/java/ecf5/v2024_6/un/unece/uncefact/data/specification/corecomponenttypeschemamodule/_2/package-info.java create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/base/TylerFilingAssemblyMDE.wsdl create mode 100644 TylerEcf5/src/main/resources/wsdl/v2024_6/base/bindings.xjb diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/AccidentSeverityCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/AccidentSeverityCodeType.java new file mode 100644 index 000000000..1ea757294 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/AccidentSeverityCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for severity levels of an accident. + * + *

Java class for AccidentSeverityCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="AccidentSeverityCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/aamva_d20/4.0/>AccidentSeverityCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "AccidentSeverityCodeType", propOrder = { + "value" +}) +public class AccidentSeverityCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for severity levels of an accident. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeSimpleType.java new file mode 100644 index 000000000..fdfb98ea8 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeSimpleType.java @@ -0,0 +1,61 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for DriverLicenseClassCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="DriverLicenseClassCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="A"/>
+ *     <enumeration value="B"/>
+ *     <enumeration value="C"/>
+ *     <enumeration value="M"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "DriverLicenseClassCodeSimpleType") +@XmlEnum +public enum DriverLicenseClassCodeSimpleType { + + + /** + * Class "A" vehicles - any combination of vehicles with a GCWR of 26,001 or more pounds, provided the GVWR of the vehicle(s) being towed is in excess of 10,000 pounds [49 CFR 383.91(a)(1)]. (Holders of a Class A license may, with the appropriate endorsement, operate all Class B & C vehicles). + * + */ + A, + + /** + * Class "B" vehicles - any single vehicle with a GVWR of 26,001 or more pounds, or any such vehicle towing a vehicle not in excess of 10,000 pounds GVWR [49 CFR 383.91(a)(2)]. (Holders of a Class B license may, with the appropriate endorsement, operate all Class C vehicles). + * + */ + B, + + /** + * Class "C" vehicles - any single vehicle, or combination of vehicles, that meets neither the definition of Group A nor that of Group B, but that either is designed to transport 16 or more passengers including the driver, or is used in the transportation of materials found to be hazardous for the purposes of the Hazardous Materials Transportation Act and which require the motor vehicle to be placarded under the Hazardous Materials Regulations (49 CFR part 172, subpart F) [49 CFR 383.91(a)(3)]. + * + */ + C, + + /** + * Class "M" vehicles - Motorcycles, Mopeds, Motor-driven Cycles. + * + */ + M; + + public String value() { + return name(); + } + + public static DriverLicenseClassCodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeType.java new file mode 100644 index 000000000..58843df03 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/DriverLicenseClassCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for kinds of vehicles that a licensed driver may be approved to operate. + * + *

Java class for DriverLicenseClassCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DriverLicenseClassCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/aamva_d20/4.0/>DriverLicenseClassCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DriverLicenseClassCodeType", propOrder = { + "value" +}) +public class DriverLicenseClassCodeType { + + @XmlValue + protected DriverLicenseClassCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for kinds of vehicles that a licensed driver may be approved to operate. + * + * @return + * possible object is + * {@link DriverLicenseClassCodeSimpleType } + * + */ + public DriverLicenseClassCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link DriverLicenseClassCodeSimpleType } + * + */ + public void setValue(DriverLicenseClassCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/HazMatCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/HazMatCodeType.java new file mode 100644 index 000000000..d59977f86 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/HazMatCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for whether a driver was operating a vehicle carrying hazardous materials. + * + *

Java class for HazMatCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="HazMatCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/aamva_d20/4.0/>HazMatCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "HazMatCodeType", propOrder = { + "value" +}) +public class HazMatCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for whether a driver was operating a vehicle carrying hazardous materials. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeSimpleType.java new file mode 100644 index 000000000..5d594e63c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeSimpleType.java @@ -0,0 +1,824 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for JurisdictionAuthorityCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="JurisdictionAuthorityCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="AB"/>
+ *     <enumeration value="AG"/>
+ *     <enumeration value="AK"/>
+ *     <enumeration value="AL"/>
+ *     <enumeration value="AR"/>
+ *     <enumeration value="AS"/>
+ *     <enumeration value="AZ"/>
+ *     <enumeration value="BA"/>
+ *     <enumeration value="BC"/>
+ *     <enumeration value="BJ"/>
+ *     <enumeration value="CA"/>
+ *     <enumeration value="CE"/>
+ *     <enumeration value="CH"/>
+ *     <enumeration value="CI"/>
+ *     <enumeration value="CL"/>
+ *     <enumeration value="CO"/>
+ *     <enumeration value="CT"/>
+ *     <enumeration value="CU"/>
+ *     <enumeration value="DC"/>
+ *     <enumeration value="DE"/>
+ *     <enumeration value="DF"/>
+ *     <enumeration value="DO"/>
+ *     <enumeration value="DS"/>
+ *     <enumeration value="DT"/>
+ *     <enumeration value="EM"/>
+ *     <enumeration value="FH"/>
+ *     <enumeration value="FL"/>
+ *     <enumeration value="FM"/>
+ *     <enumeration value="GA"/>
+ *     <enumeration value="GM"/>
+ *     <enumeration value="GR"/>
+ *     <enumeration value="GS"/>
+ *     <enumeration value="GU"/>
+ *     <enumeration value="HI"/>
+ *     <enumeration value="HL"/>
+ *     <enumeration value="IA"/>
+ *     <enumeration value="ID"/>
+ *     <enumeration value="IL"/>
+ *     <enumeration value="IN"/>
+ *     <enumeration value="IR"/>
+ *     <enumeration value="JL"/>
+ *     <enumeration value="KS"/>
+ *     <enumeration value="KY"/>
+ *     <enumeration value="LA"/>
+ *     <enumeration value="MA"/>
+ *     <enumeration value="MB"/>
+ *     <enumeration value="MC"/>
+ *     <enumeration value="MD"/>
+ *     <enumeration value="ME"/>
+ *     <enumeration value="MH"/>
+ *     <enumeration value="MI"/>
+ *     <enumeration value="MN"/>
+ *     <enumeration value="MO"/>
+ *     <enumeration value="MP"/>
+ *     <enumeration value="MR"/>
+ *     <enumeration value="MS"/>
+ *     <enumeration value="MT"/>
+ *     <enumeration value="MX"/>
+ *     <enumeration value="NA"/>
+ *     <enumeration value="NB"/>
+ *     <enumeration value="NC"/>
+ *     <enumeration value="ND"/>
+ *     <enumeration value="NE"/>
+ *     <enumeration value="NF"/>
+ *     <enumeration value="NH"/>
+ *     <enumeration value="NJ"/>
+ *     <enumeration value="NL"/>
+ *     <enumeration value="NM"/>
+ *     <enumeration value="NS"/>
+ *     <enumeration value="NT"/>
+ *     <enumeration value="NU"/>
+ *     <enumeration value="NV"/>
+ *     <enumeration value="NY"/>
+ *     <enumeration value="OA"/>
+ *     <enumeration value="OH"/>
+ *     <enumeration value="OK"/>
+ *     <enumeration value="ON"/>
+ *     <enumeration value="OR"/>
+ *     <enumeration value="PA"/>
+ *     <enumeration value="PB"/>
+ *     <enumeration value="PE"/>
+ *     <enumeration value="PR"/>
+ *     <enumeration value="PW"/>
+ *     <enumeration value="PZ"/>
+ *     <enumeration value="QC"/>
+ *     <enumeration value="QR"/>
+ *     <enumeration value="QU"/>
+ *     <enumeration value="RI"/>
+ *     <enumeration value="SC"/>
+ *     <enumeration value="SD"/>
+ *     <enumeration value="SI"/>
+ *     <enumeration value="SK"/>
+ *     <enumeration value="SL"/>
+ *     <enumeration value="SO"/>
+ *     <enumeration value="TA"/>
+ *     <enumeration value="TB"/>
+ *     <enumeration value="TL"/>
+ *     <enumeration value="TN"/>
+ *     <enumeration value="TS"/>
+ *     <enumeration value="TX"/>
+ *     <enumeration value="UT"/>
+ *     <enumeration value="VA"/>
+ *     <enumeration value="VC"/>
+ *     <enumeration value="VI"/>
+ *     <enumeration value="VT"/>
+ *     <enumeration value="WA"/>
+ *     <enumeration value="WI"/>
+ *     <enumeration value="WK"/>
+ *     <enumeration value="WV"/>
+ *     <enumeration value="WY"/>
+ *     <enumeration value="YT"/>
+ *     <enumeration value="YU"/>
+ *     <enumeration value="ZA"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "JurisdictionAuthorityCodeSimpleType") +@XmlEnum +public enum JurisdictionAuthorityCodeSimpleType { + + + /** + * Alberta, Canada + * + */ + AB, + + /** + * Aguascalientes, Mexico + * + */ + AG, + + /** + * Alaska, USA + * + */ + AK, + + /** + * Alabama, USA + * + */ + AL, + + /** + * Arkansas, USA + * + */ + AR, + + /** + * American Samoa, US Territorial Possession + * + */ + AS, + + /** + * Arizona, USA + * + */ + AZ, + + /** + * Baja Clifornia, Mexico + * + */ + BA, + + /** + * British Columbia, Canada + * + */ + BC, + + /** + * Baja California Sur, Mexico + * + */ + BJ, + + /** + * California, USA + * + */ + CA, + + /** + * Campeche, Mexico + * + */ + CE, + + /** + * Chihuahua, Mexico + * + */ + CH, + + /** + * Chiapas, Mexico + * + */ + CI, + + /** + * Colima, Mexico + * + */ + CL, + + /** + * Colorado, USA + * + */ + CO, + + /** + * Connecticut, USA + * + */ + CT, + + /** + * Coahuila de Zaragoza, Mexico + * + */ + CU, + + /** + * District of Columbia, USA + * + */ + DC, + + /** + * Delaware, USA + * + */ + DE, + + /** + * Distrito Federal Mexico + * + */ + DF, + + /** + * Durango, Mexico + * + */ + DO, + + /** + * U.S. Department of State + * + */ + DS, + + /** + * U.S. Department of Transportation + * + */ + DT, + + /** + * (Estados) Mexico + * + */ + EM, + + /** + * Federal Motor Carrier Safety Administration (FMCSA used to be the OMC in the FHWA) + * + */ + FH, + + /** + * Florida, USA + * + */ + FL, + + /** + * Federal States of Micronesia, US Territorial Possession + * + */ + FM, + + /** + * Georgia, USA + * + */ + GA, + + /** + * Guam, US Territorial Possession + * + */ + GM, + + /** + * Guerrero, Mexico + * + */ + GR, + + /** + * General Services Administration (GSA) + * + */ + GS, + + /** + * Guanajuato, Mexico + * + */ + GU, + + /** + * Hawaii, USA + * + */ + HI, + + /** + * Hidalgo, Mexico + * + */ + HL, + + /** + * Iowa, USA + * + */ + IA, + + /** + * Idaho, USA + * + */ + ID, + + /** + * Illinois, USA + * + */ + IL, + + /** + * Indiana, USA + * + */ + IN, + + /** + * Internal Revenue Service (IRS) + * + */ + IR, + + /** + * Jalisco, Mexico + * + */ + JL, + + /** + * Kansas, USA + * + */ + KS, + + /** + * Kentucky, USA + * + */ + KY, + + /** + * Louisiana, USA + * + */ + LA, + + /** + * Massachusetts, USA + * + */ + MA, + + /** + * Manitoba, Canada + * + */ + MB, + + /** + * Michoacan de Ocampo, Mexico + * + */ + MC, + + /** + * Maryland, USA + * + */ + MD, + + /** + * Maine, USA + * + */ + ME, + + /** + * Marshal Islands, US Territorial Possession + * + */ + MH, + + /** + * Michigan, USA + * + */ + MI, + + /** + * Minnesota, USA + * + */ + MN, + + /** + * Missouri, USA + * + */ + MO, + + /** + * Northern Mariana Islands, US Territorial Possession + * + */ + MP, + + /** + * Morelos, Mexico + * + */ + MR, + + /** + * Mississippi, USA + * + */ + MS, + + /** + * Montana, USA + * + */ + MT, + + /** + * Mexico (United Mexican States) + * + */ + MX, + + /** + * Nayarit, Mexico + * + */ + NA, + + /** + * New Brunswick, Canada + * + */ + NB, + + /** + * North Carolina, USA + * + */ + NC, + + /** + * North Dakota, USA + * + */ + ND, + + /** + * Nebraska, USA + * + */ + NE, + + /** + * Newfoundland and Labrador, Canada + * + */ + NF, + + /** + * New Hampshire, USA + * + */ + NH, + + /** + * New Jersey, USA + * + */ + NJ, + + /** + * Nuevo Leon, Mexico + * + */ + NL, + + /** + * New Mexico, USA + * + */ + NM, + + /** + * Nova Scotia, Canada + * + */ + NS, + + /** + * Northwest Territory, Canada + * + */ + NT, + + /** + * Nunavut, Canada + * + */ + NU, + + /** + * Nevada, USA + * + */ + NV, + + /** + * New York, USA + * + */ + NY, + + /** + * Oaxaca, Mexico + * + */ + OA, + + /** + * Ohio, USA + * + */ + OH, + + /** + * Oklahoma, USA + * + */ + OK, + + /** + * Ontario, Canada + * + */ + ON, + + /** + * Oregon, USA + * + */ + OR, + + /** + * Pennsylvania, USA + * + */ + PA, + + /** + * Puebla, Mexico + * + */ + PB, + + /** + * Prince Edward Island, Canada + * + */ + PE, + + /** + * Puerto Rico, US Territorial Possession + * + */ + PR, + + /** + * Palau (till 1994), US Territorial Possession + * + */ + PW, + + /** + * Panamanian Canal Zone till December 2000, US Territorial Possession + * + */ + PZ, + + /** + * Quebec, Canada + * + */ + QC, + + /** + * Quintana Roo, Mexico + * + */ + QR, + + /** + * Queretaro de Arteaga, Mexico + * + */ + QU, + + /** + * Rhode Island, USA + * + */ + RI, + + /** + * South Carolina, USA + * + */ + SC, + + /** + * South Dakota, USA + * + */ + SD, + + /** + * Sinaloa, Mexico + * + */ + SI, + + /** + * Saskatchewan, Canada + * + */ + SK, + + /** + * San Luis Potosi, Mexico + * + */ + SL, + + /** + * Sonora, Mexico + * + */ + SO, + + /** + * Tamaulipas, Mexico + * + */ + TA, + + /** + * Tabasco, Mexico + * + */ + TB, + + /** + * Tlaxcala, Mexico + * + */ + TL, + + /** + * Tennessee, USA + * + */ + TN, + + /** + * Transportation Security Administration (TSA) + * + */ + TS, + + /** + * Texas, USA + * + */ + TX, + + /** + * Utah, USA + * + */ + UT, + + /** + * Virginia, USA + * + */ + VA, + + /** + * Veracruz-Llave, Mexico + * + */ + VC, + + /** + * Virgin Islands, US Territorial Possession + * + */ + VI, + + /** + * Vermont, USA + * + */ + VT, + + /** + * Washington, USA + * + */ + WA, + + /** + * Wisconsin, USA + * + */ + WI, + + /** + * Wake Island, US Territorial Possession + * + */ + WK, + + /** + * West Virginia, USA + * + */ + WV, + + /** + * Wyoming, USA + * + */ + WY, + + /** + * Yukon Territory, Canada + * + */ + YT, + + /** + * Yucatan, Mexico + * + */ + YU, + + /** + * Zacatecas, Mexico + * + */ + ZA; + + public String value() { + return name(); + } + + public static JurisdictionAuthorityCodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeType.java new file mode 100644 index 000000000..ded34124f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/JurisdictionAuthorityCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an authority with jurisdiction over a particular area. + * + *

Java class for JurisdictionAuthorityCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JurisdictionAuthorityCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/aamva_d20/4.0/>JurisdictionAuthorityCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JurisdictionAuthorityCodeType", propOrder = { + "value" +}) +public class JurisdictionAuthorityCodeType { + + @XmlValue + protected JurisdictionAuthorityCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for an authority with jurisdiction over a particular area. + * + * @return + * possible object is + * {@link JurisdictionAuthorityCodeSimpleType } + * + */ + public JurisdictionAuthorityCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link JurisdictionAuthorityCodeSimpleType } + * + */ + public void setValue(JurisdictionAuthorityCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/ObjectFactory.java new file mode 100644 index 000000000..237a457df --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/ObjectFactory.java @@ -0,0 +1,64 @@ + +package gov.niem.release.niem.codes.aamva_d20._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.aamva_d20._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.aamva_d20._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link DriverLicenseClassCodeType } + * + */ + public DriverLicenseClassCodeType createDriverLicenseClassCodeType() { + return new DriverLicenseClassCodeType(); + } + + /** + * Create an instance of {@link AccidentSeverityCodeType } + * + */ + public AccidentSeverityCodeType createAccidentSeverityCodeType() { + return new AccidentSeverityCodeType(); + } + + /** + * Create an instance of {@link HazMatCodeType } + * + */ + public HazMatCodeType createHazMatCodeType() { + return new HazMatCodeType(); + } + + /** + * Create an instance of {@link JurisdictionAuthorityCodeType } + * + */ + public JurisdictionAuthorityCodeType createJurisdictionAuthorityCodeType() { + return new JurisdictionAuthorityCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/package-info.java new file mode 100644 index 000000000..66ecf1139 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/aamva_d20/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/aamva_d20/4.0/") +package gov.niem.release.niem.codes.aamva_d20._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeSimpleType.java new file mode 100644 index 000000000..4b760fb91 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeSimpleType.java @@ -0,0 +1,60 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for CredentialsAuthenticatedCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="CredentialsAuthenticatedCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="Authenticated"/>
+ *     <enumeration value="Not Authenticated"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "CredentialsAuthenticatedCodeSimpleType") +@XmlEnum +public enum CredentialsAuthenticatedCodeSimpleType { + + + /** + * The credentials have been authenticated. + * + */ + @XmlEnumValue("Authenticated") + AUTHENTICATED("Authenticated"), + + /** + * The credentials have not been authenticated. + * + */ + @XmlEnumValue("Not Authenticated") + NOT_AUTHENTICATED("Not Authenticated"); + private final String value; + + CredentialsAuthenticatedCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static CredentialsAuthenticatedCodeSimpleType fromValue(String v) { + for (CredentialsAuthenticatedCodeSimpleType c: CredentialsAuthenticatedCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeType.java new file mode 100644 index 000000000..b08f2c07d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/CredentialsAuthenticatedCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for the states of authentication of credentials. + * + *

Java class for CredentialsAuthenticatedCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CredentialsAuthenticatedCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/cbrncl/4.0/>CredentialsAuthenticatedCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CredentialsAuthenticatedCodeType", propOrder = { + "value" +}) +public class CredentialsAuthenticatedCodeType { + + @XmlValue + protected CredentialsAuthenticatedCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for the states of authentication of credentials. + * + * @return + * possible object is + * {@link CredentialsAuthenticatedCodeSimpleType } + * + */ + public CredentialsAuthenticatedCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link CredentialsAuthenticatedCodeSimpleType } + * + */ + public void setValue(CredentialsAuthenticatedCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeSimpleType.java new file mode 100644 index 000000000..83dbf281b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeSimpleType.java @@ -0,0 +1,132 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for MessageStatusCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="MessageStatusCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="ActivityCodeFailure"/>
+ *     <enumeration value="DataError"/>
+ *     <enumeration value="DeviceError"/>
+ *     <enumeration value="DuplicateMessage"/>
+ *     <enumeration value="ErrorAcknowledgement"/>
+ *     <enumeration value="InvalidSchema"/>
+ *     <enumeration value="MessageError"/>
+ *     <enumeration value="Other"/>
+ *     <enumeration value="Success"/>
+ *     <enumeration value="SystemError"/>
+ *     <enumeration value="UnknownError"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "MessageStatusCodeSimpleType") +@XmlEnum +public enum MessageStatusCodeSimpleType { + + + /** + * The message was successfully received by not successfully processed due to an activity code error. + * + */ + @XmlEnumValue("ActivityCodeFailure") + ACTIVITY_CODE_FAILURE("ActivityCodeFailure"), + + /** + * The message was successfully received by not successfully processed due to a data error. + * + */ + @XmlEnumValue("DataError") + DATA_ERROR("DataError"), + + /** + * The message was successfully received by not successfully processed due to a device error. + * + */ + @XmlEnumValue("DeviceError") + DEVICE_ERROR("DeviceError"), + + /** + * The message was successfully received but not processed since it is a duplicate of a message already processed. + * + */ + @XmlEnumValue("DuplicateMessage") + DUPLICATE_MESSAGE("DuplicateMessage"), + + /** + * Acknowledgement of receipt of an error message. + * + */ + @XmlEnumValue("ErrorAcknowledgement") + ERROR_ACKNOWLEDGEMENT("ErrorAcknowledgement"), + + /** + * The message was received, but was not successfully processed due to an invalid schema. + * + */ + @XmlEnumValue("InvalidSchema") + INVALID_SCHEMA("InvalidSchema"), + + /** + * The message was received, but was not successfully processed due to an invalid message error (invalid Message Type, encoding, format, etc.) + * + */ + @XmlEnumValue("MessageError") + MESSAGE_ERROR("MessageError"), + + /** + * The message status does not fit any known category. + * + */ + @XmlEnumValue("Other") + OTHER("Other"), + + /** + * The message was sucessfully received and accepted. + * + */ + @XmlEnumValue("Success") + SUCCESS("Success"), + + /** + * The message was successfully received by not successfully processed due to a system error. + * + */ + @XmlEnumValue("SystemError") + SYSTEM_ERROR("SystemError"), + + /** + * The message was not successfully received and/or processed due to an unknown error. + * + */ + @XmlEnumValue("UnknownError") + UNKNOWN_ERROR("UnknownError"); + private final String value; + + MessageStatusCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static MessageStatusCodeSimpleType fromValue(String v) { + for (MessageStatusCodeSimpleType c: MessageStatusCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeType.java new file mode 100644 index 000000000..564c922c0 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/MessageStatusCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type that defines the status of a message. + * + *

Java class for MessageStatusCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MessageStatusCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/cbrncl/4.0/>MessageStatusCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MessageStatusCodeType", propOrder = { + "value" +}) +public class MessageStatusCodeType { + + @XmlValue + protected MessageStatusCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type that defines the various code values for data types that defines the status of a message + * + * @return + * possible object is + * {@link MessageStatusCodeSimpleType } + * + */ + public MessageStatusCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link MessageStatusCodeSimpleType } + * + */ + public void setValue(MessageStatusCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/ObjectFactory.java new file mode 100644 index 000000000..0af9d0381 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/ObjectFactory.java @@ -0,0 +1,56 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.cbrncl._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.cbrncl._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link CredentialsAuthenticatedCodeType } + * + */ + public CredentialsAuthenticatedCodeType createCredentialsAuthenticatedCodeType() { + return new CredentialsAuthenticatedCodeType(); + } + + /** + * Create an instance of {@link MessageStatusCodeType } + * + */ + public MessageStatusCodeType createMessageStatusCodeType() { + return new MessageStatusCodeType(); + } + + /** + * Create an instance of {@link SystemOperatingModeCodeType } + * + */ + public SystemOperatingModeCodeType createSystemOperatingModeCodeType() { + return new SystemOperatingModeCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeSimpleType.java new file mode 100644 index 000000000..e4da1ddb3 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeSimpleType.java @@ -0,0 +1,84 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for SystemOperatingModeCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="SystemOperatingModeCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="Exercise"/>
+ *     <enumeration value="Ops"/>
+ *     <enumeration value="Other"/>
+ *     <enumeration value="Test"/>
+ *     <enumeration value="Unknown"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "SystemOperatingModeCodeSimpleType") +@XmlEnum +public enum SystemOperatingModeCodeSimpleType { + + + /** + * The system is in use by an exercise. + * + */ + @XmlEnumValue("Exercise") + EXERCISE("Exercise"), + + /** + * The system is in live operational use. + * + */ + @XmlEnumValue("Ops") + OPS("Ops"), + + /** + * The system is in an unspecified operating mode. A description of this model needs to be provided in the element SystemOperatingModeText. + * + */ + @XmlEnumValue("Other") + OTHER("Other"), + + /** + * The system is in test operations. + * + */ + @XmlEnumValue("Test") + TEST("Test"), + + /** + * The operating mode of the system is unknown. + * + */ + @XmlEnumValue("Unknown") + UNKNOWN("Unknown"); + private final String value; + + SystemOperatingModeCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static SystemOperatingModeCodeSimpleType fromValue(String v) { + for (SystemOperatingModeCodeSimpleType c: SystemOperatingModeCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeType.java new file mode 100644 index 000000000..6dac7f022 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/SystemOperatingModeCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.cbrncl._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for the operating modes of a system. + * + *

Java class for SystemOperatingModeCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SystemOperatingModeCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/cbrncl/4.0/>SystemOperatingModeCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SystemOperatingModeCodeType", propOrder = { + "value" +}) +public class SystemOperatingModeCodeType { + + @XmlValue + protected SystemOperatingModeCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for the operating modes of a system. + * + * @return + * possible object is + * {@link SystemOperatingModeCodeSimpleType } + * + */ + public SystemOperatingModeCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link SystemOperatingModeCodeSimpleType } + * + */ + public void setValue(SystemOperatingModeCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/package-info.java new file mode 100644 index 000000000..394b8cd97 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/cbrncl/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/cbrncl/4.0/") +package gov.niem.release.niem.codes.cbrncl._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/CountryCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/CountryCodeType.java new file mode 100644 index 000000000..78086bd60 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/CountryCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 2.2: Country Codes + * + *

Java class for CountryCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CountryCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>CountryCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CountryCodeType", propOrder = { + "value" +}) +public class CountryCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 2.2: Country Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EXLCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EXLCodeType.java new file mode 100644 index 000000000..3c7d27a0e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EXLCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 20 - Warrants Extradition Limitation (EXL) Field Codes + * + *

Java class for EXLCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="EXLCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>EXLCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "EXLCodeType", propOrder = { + "value" +}) +public class EXLCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 20 - Warrants Extradition Limitation (EXL) Field Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeSimpleType.java new file mode 100644 index 000000000..bf3a91a40 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeSimpleType.java @@ -0,0 +1,115 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for EYECodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="EYECodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="BLK"/>
+ *     <enumeration value="BLU"/>
+ *     <enumeration value="BR0"/>
+ *     <enumeration value="GRN"/>
+ *     <enumeration value="GRY"/>
+ *     <enumeration value="HAZ"/>
+ *     <enumeration value="MAR"/>
+ *     <enumeration value="MUL"/>
+ *     <enumeration value="PNK"/>
+ *     <enumeration value="XXX"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "EYECodeSimpleType") +@XmlEnum +public enum EYECodeSimpleType { + + + /** + * BLACK + * + */ + BLK("BLK"), + + /** + * BLUE + * + */ + BLU("BLU"), + + /** + * BROWN + * + */ + @XmlEnumValue("BR0") + BR_0("BR0"), + + /** + * GREEN + * + */ + GRN("GRN"), + + /** + * GRAY + * + */ + GRY("GRY"), + + /** + * HAZEL + * + */ + HAZ("HAZ"), + + /** + * MAROON + * + */ + MAR("MAR"), + + /** + * MULTICOLORED + * + */ + MUL("MUL"), + + /** + * PINK + * + */ + PNK("PNK"), + + /** + * UNKNOWN + * + */ + XXX("XXX"); + private final String value; + + EYECodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static EYECodeSimpleType fromValue(String v) { + for (EYECodeSimpleType c: EYECodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeType.java new file mode 100644 index 000000000..0eba1801a --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/EYECodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 4 - Eye Color (EYE) and Person with Information Eye Color (PEY) Field Codes + * + *

Java class for EYECodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="EYECodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>EYECodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "EYECodeType", propOrder = { + "value" +}) +public class EYECodeType { + + @XmlValue + protected EYECodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 4 - Eye Color (EYE) and Person with Information Eye Color (PEY) Field Codes + * + * @return + * possible object is + * {@link EYECodeSimpleType } + * + */ + public EYECodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link EYECodeSimpleType } + * + */ + public void setValue(EYECodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/HAIRCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/HAIRCodeType.java new file mode 100644 index 000000000..c6b719f2e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/HAIRCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 5 - Hair Color (HAI) and Person with Information Hair Color (PHA) Field Codes + * + *

Java class for HAIRCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="HAIRCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>HAIRCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "HAIRCodeType", propOrder = { + "value" +}) +public class HAIRCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 5 - Hair Color (HAI) and Person with Information Hair Color (PHA) Field Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/ObjectFactory.java new file mode 100644 index 000000000..8337219cf --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/ObjectFactory.java @@ -0,0 +1,128 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.fbi_ncic._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.fbi_ncic._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link VCOCodeType } + * + */ + public VCOCodeType createVCOCodeType() { + return new VCOCodeType(); + } + + /** + * Create an instance of {@link CountryCodeType } + * + */ + public CountryCodeType createCountryCodeType() { + return new CountryCodeType(); + } + + /** + * Create an instance of {@link EYECodeType } + * + */ + public EYECodeType createEYECodeType() { + return new EYECodeType(); + } + + /** + * Create an instance of {@link HAIRCodeType } + * + */ + public HAIRCodeType createHAIRCodeType() { + return new HAIRCodeType(); + } + + /** + * Create an instance of {@link RACECodeType } + * + */ + public RACECodeType createRACECodeType() { + return new RACECodeType(); + } + + /** + * Create an instance of {@link SEXCodeType } + * + */ + public SEXCodeType createSEXCodeType() { + return new SEXCodeType(); + } + + /** + * Create an instance of {@link SMTCodeType } + * + */ + public SMTCodeType createSMTCodeType() { + return new SMTCodeType(); + } + + /** + * Create an instance of {@link PCOCodeType } + * + */ + public PCOCodeType createPCOCodeType() { + return new PCOCodeType(); + } + + /** + * Create an instance of {@link VMACodeType } + * + */ + public VMACodeType createVMACodeType() { + return new VMACodeType(); + } + + /** + * Create an instance of {@link VMOCodeType } + * + */ + public VMOCodeType createVMOCodeType() { + return new VMOCodeType(); + } + + /** + * Create an instance of {@link VSTCodeType } + * + */ + public VSTCodeType createVSTCodeType() { + return new VSTCodeType(); + } + + /** + * Create an instance of {@link EXLCodeType } + * + */ + public EXLCodeType createEXLCodeType() { + return new EXLCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/PCOCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/PCOCodeType.java new file mode 100644 index 000000000..eed6185d8 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/PCOCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 19 - Protection Order Conditions (PCO) Field Codes + * + *

Java class for PCOCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PCOCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>PCOCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PCOCodeType", propOrder = { + "value" +}) +public class PCOCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 19 - Protection Order Conditions (PCO) Field Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeSimpleType.java new file mode 100644 index 000000000..39b910872 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeSimpleType.java @@ -0,0 +1,68 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for RACECodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="RACECodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="A"/>
+ *     <enumeration value="B"/>
+ *     <enumeration value="I"/>
+ *     <enumeration value="U"/>
+ *     <enumeration value="W"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "RACECodeSimpleType") +@XmlEnum +public enum RACECodeSimpleType { + + + /** + * ASIAN OR PACIFIC ISLANDER - A PERSON HAVING ORIGINS IN ANY OF THE ORIGINAL PEOPLES OF THE FAR EAST, SOUTHEAST ASIA, THE INDIAN SUBCONTINENT OR THE PACIFIC ISLANDS. + * + */ + A, + + /** + * BLACK - A PERSON HAVING ORIGINS IN ANY OF THE BLACK RACIAL GROUPS OF AFRICA. + * + */ + B, + + /** + * AMERICAN INDIAN OR ALASKAN NATIVE - A PERSON HAVING ORIGINS IN ANY OF THE ORIGINAL PEOPLES OF THE AMERICAS AND MAINTAINING CULTURAL IDENTIFICATION THROUGH TRIBAL AFFILIATIONS OR COMMUNITY RECOGNITION. + * + */ + I, + + /** + * UNKNOWN. + * + */ + U, + + /** + * WHITE - A PERSON HAVING ORIGINS IN ANY OF THE ORIGINAL PEOPLES OF EUROPE, NORTH AFRICA, OR MIDDLE EAST. + * + */ + W; + + public String value() { + return name(); + } + + public static RACECodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeType.java new file mode 100644 index 000000000..fa1d285d5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/RACECodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 3 - Race (RAC), Protected Person Race (PPR), and Person with Information Race (PIR) Field Codes + * + *

Java class for RACECodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="RACECodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>RACECodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "RACECodeType", propOrder = { + "value" +}) +public class RACECodeType { + + @XmlValue + protected RACECodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 3 - Race (RAC), Protected Person Race (PPR), and Person with Information Race (PIR) Field Codes + * + * @return + * possible object is + * {@link RACECodeSimpleType } + * + */ + public RACECodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link RACECodeSimpleType } + * + */ + public void setValue(RACECodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeSimpleType.java new file mode 100644 index 000000000..b81884882 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeSimpleType.java @@ -0,0 +1,54 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for SEXCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="SEXCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="F"/>
+ *     <enumeration value="M"/>
+ *     <enumeration value="U"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "SEXCodeSimpleType") +@XmlEnum +public enum SEXCodeSimpleType { + + + /** + * FEMALE + * + */ + F, + + /** + * MALE + * + */ + M, + + /** + * UNKNOWN + * + */ + U; + + public String value() { + return name(); + } + + public static SEXCodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeType.java new file mode 100644 index 000000000..e7f5cf828 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SEXCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 2 - Sex, Sex of Victim (SOV), and Protected Person Sex (PSX) Field Codes + * + *

Java class for SEXCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SEXCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>SEXCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SEXCodeType", propOrder = { + "value" +}) +public class SEXCodeType { + + @XmlValue + protected SEXCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 2 - Sex, Sex of Victim (SOV), and Protected Person Sex (PSX) Field Codes + * + * @return + * possible object is + * {@link SEXCodeSimpleType } + * + */ + public SEXCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link SEXCodeSimpleType } + * + */ + public void setValue(SEXCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SMTCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SMTCodeType.java new file mode 100644 index 000000000..05134945e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/SMTCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 7 - Scars, Marks, Tattoos, and Other Characteristics (SMT) and Person with Information SMT (PSM) Field Codes + * + *

Java class for SMTCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SMTCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>SMTCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SMTCodeType", propOrder = { + "value" +}) +public class SMTCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 7 - Scars, Marks, Tattoos, and Other Characteristics (SMT) and Person with Information SMT (PSM) Field Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VCOCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VCOCodeType.java new file mode 100644 index 000000000..a9930fdee --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VCOCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 5 - Vehicle Color (VCO) Field Codes + * + *

Java class for VCOCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="VCOCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>VCOCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "VCOCodeType", propOrder = { + "value" +}) +public class VCOCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 5 - Vehicle Color (VCO) Field Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMACodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMACodeType.java new file mode 100644 index 000000000..3a850e04b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMACodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 2.1: Vehicle Make (VMA) and Brand Name (BRA) Field Codes by Manufacturer + * + *

Java class for VMACodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="VMACodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>VMACodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "VMACodeType", propOrder = { + "value" +}) +public class VMACodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 2.1: Vehicle Make (VMA) and Brand Name (BRA) Field Codes by Manufacturer + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMOCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMOCodeType.java new file mode 100644 index 000000000..7a8b83a29 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VMOCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 2.2: Vehicle Make/Brand (VMA) and Model (VMO) for Automobiles, Light-Duty Vans, Light-Duty Trucks, and Parts + * + *

Java class for VMOCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="VMOCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>VMOCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "VMOCodeType", propOrder = { + "value" +}) +public class VMOCodeType { + + @XmlValue + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 2.2: Vehicle Make/Brand (VMA) and Model (VMO) for Automobiles, Light-Duty Vans, Light-Duty Trucks, and Parts + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VSTCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VSTCodeType.java new file mode 100644 index 000000000..d278ca39c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/VSTCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.fbi_ncic._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for 4 - Vehicle Style (VST) Field Codes + * + *

Java class for VSTCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="VSTCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ncic/4.0/>VSTCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "VSTCodeType", propOrder = { + "value" +}) +public class VSTCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for 4 - Vehicle Style (VST) Field Codes + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/package-info.java new file mode 100644 index 000000000..0fd2071cf --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ncic/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/fbi_ncic/4.0/") +package gov.niem.release.niem.codes.fbi_ncic._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeSimpleType.java new file mode 100644 index 000000000..4635c5592 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeSimpleType.java @@ -0,0 +1,54 @@ + +package gov.niem.release.niem.codes.fbi_ucr._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for EthnicityCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="EthnicityCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="H"/>
+ *     <enumeration value="N"/>
+ *     <enumeration value="U"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "EthnicityCodeSimpleType") +@XmlEnum +public enum EthnicityCodeSimpleType { + + + /** + * Hispanic or Latino + * + */ + H, + + /** + * Not Hispanic or Latino + * + */ + N, + + /** + * Unknown + * + */ + U; + + public String value() { + return name(); + } + + public static EthnicityCodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeType.java new file mode 100644 index 000000000..b2e93686e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/EthnicityCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.fbi_ucr._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for kinds of cultural lineages of a person. + * + *

Java class for EthnicityCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="EthnicityCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/fbi_ucr/4.1/>EthnicityCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "EthnicityCodeType", propOrder = { + "value" +}) +public class EthnicityCodeType { + + @XmlValue + protected EthnicityCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for kinds of cultural lineages of a person. + * + * @return + * possible object is + * {@link EthnicityCodeSimpleType } + * + */ + public EthnicityCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link EthnicityCodeSimpleType } + * + */ + public void setValue(EthnicityCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/ObjectFactory.java new file mode 100644 index 000000000..2b2d6b9ea --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/ObjectFactory.java @@ -0,0 +1,40 @@ + +package gov.niem.release.niem.codes.fbi_ucr._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.fbi_ucr._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.fbi_ucr._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link EthnicityCodeType } + * + */ + public EthnicityCodeType createEthnicityCodeType() { + return new EthnicityCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/package-info.java new file mode 100644 index 000000000..ac0a240d0 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/fbi_ucr/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/fbi_ucr/4.1/") +package gov.niem.release.niem.codes.fbi_ucr._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeSimpleType.java new file mode 100644 index 000000000..97e52b767 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeSimpleType.java @@ -0,0 +1,1776 @@ + +package gov.niem.release.niem.codes.iso_3166_1._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for CountryAlpha2CodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="CountryAlpha2CodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="AD"/>
+ *     <enumeration value="AE"/>
+ *     <enumeration value="AF"/>
+ *     <enumeration value="AG"/>
+ *     <enumeration value="AI"/>
+ *     <enumeration value="AL"/>
+ *     <enumeration value="AM"/>
+ *     <enumeration value="AO"/>
+ *     <enumeration value="AQ"/>
+ *     <enumeration value="AR"/>
+ *     <enumeration value="AS"/>
+ *     <enumeration value="AT"/>
+ *     <enumeration value="AU"/>
+ *     <enumeration value="AW"/>
+ *     <enumeration value="AX"/>
+ *     <enumeration value="AZ"/>
+ *     <enumeration value="BA"/>
+ *     <enumeration value="BB"/>
+ *     <enumeration value="BD"/>
+ *     <enumeration value="BE"/>
+ *     <enumeration value="BF"/>
+ *     <enumeration value="BG"/>
+ *     <enumeration value="BH"/>
+ *     <enumeration value="BI"/>
+ *     <enumeration value="BJ"/>
+ *     <enumeration value="BL"/>
+ *     <enumeration value="BM"/>
+ *     <enumeration value="BN"/>
+ *     <enumeration value="BO"/>
+ *     <enumeration value="BQ"/>
+ *     <enumeration value="BR"/>
+ *     <enumeration value="BS"/>
+ *     <enumeration value="BT"/>
+ *     <enumeration value="BV"/>
+ *     <enumeration value="BW"/>
+ *     <enumeration value="BY"/>
+ *     <enumeration value="BZ"/>
+ *     <enumeration value="CA"/>
+ *     <enumeration value="CC"/>
+ *     <enumeration value="CD"/>
+ *     <enumeration value="CF"/>
+ *     <enumeration value="CG"/>
+ *     <enumeration value="CH"/>
+ *     <enumeration value="CI"/>
+ *     <enumeration value="CK"/>
+ *     <enumeration value="CL"/>
+ *     <enumeration value="CM"/>
+ *     <enumeration value="CN"/>
+ *     <enumeration value="CO"/>
+ *     <enumeration value="CR"/>
+ *     <enumeration value="CU"/>
+ *     <enumeration value="CV"/>
+ *     <enumeration value="CW"/>
+ *     <enumeration value="CX"/>
+ *     <enumeration value="CY"/>
+ *     <enumeration value="CZ"/>
+ *     <enumeration value="DE"/>
+ *     <enumeration value="DJ"/>
+ *     <enumeration value="DK"/>
+ *     <enumeration value="DM"/>
+ *     <enumeration value="DO"/>
+ *     <enumeration value="DZ"/>
+ *     <enumeration value="EC"/>
+ *     <enumeration value="EE"/>
+ *     <enumeration value="EG"/>
+ *     <enumeration value="EH"/>
+ *     <enumeration value="ER"/>
+ *     <enumeration value="ES"/>
+ *     <enumeration value="ET"/>
+ *     <enumeration value="FI"/>
+ *     <enumeration value="FJ"/>
+ *     <enumeration value="FK"/>
+ *     <enumeration value="FM"/>
+ *     <enumeration value="FO"/>
+ *     <enumeration value="FR"/>
+ *     <enumeration value="GA"/>
+ *     <enumeration value="GB"/>
+ *     <enumeration value="GD"/>
+ *     <enumeration value="GE"/>
+ *     <enumeration value="GF"/>
+ *     <enumeration value="GG"/>
+ *     <enumeration value="GH"/>
+ *     <enumeration value="GI"/>
+ *     <enumeration value="GL"/>
+ *     <enumeration value="GM"/>
+ *     <enumeration value="GN"/>
+ *     <enumeration value="GP"/>
+ *     <enumeration value="GQ"/>
+ *     <enumeration value="GR"/>
+ *     <enumeration value="GS"/>
+ *     <enumeration value="GT"/>
+ *     <enumeration value="GU"/>
+ *     <enumeration value="GW"/>
+ *     <enumeration value="GY"/>
+ *     <enumeration value="HK"/>
+ *     <enumeration value="HM"/>
+ *     <enumeration value="HN"/>
+ *     <enumeration value="HR"/>
+ *     <enumeration value="HT"/>
+ *     <enumeration value="HU"/>
+ *     <enumeration value="ID"/>
+ *     <enumeration value="IE"/>
+ *     <enumeration value="IL"/>
+ *     <enumeration value="IM"/>
+ *     <enumeration value="IN"/>
+ *     <enumeration value="IO"/>
+ *     <enumeration value="IQ"/>
+ *     <enumeration value="IR"/>
+ *     <enumeration value="IS"/>
+ *     <enumeration value="IT"/>
+ *     <enumeration value="JE"/>
+ *     <enumeration value="JM"/>
+ *     <enumeration value="JO"/>
+ *     <enumeration value="JP"/>
+ *     <enumeration value="KE"/>
+ *     <enumeration value="KG"/>
+ *     <enumeration value="KH"/>
+ *     <enumeration value="KI"/>
+ *     <enumeration value="KM"/>
+ *     <enumeration value="KN"/>
+ *     <enumeration value="KP"/>
+ *     <enumeration value="KR"/>
+ *     <enumeration value="KW"/>
+ *     <enumeration value="KY"/>
+ *     <enumeration value="KZ"/>
+ *     <enumeration value="LA"/>
+ *     <enumeration value="LB"/>
+ *     <enumeration value="LC"/>
+ *     <enumeration value="LI"/>
+ *     <enumeration value="LK"/>
+ *     <enumeration value="LR"/>
+ *     <enumeration value="LS"/>
+ *     <enumeration value="LT"/>
+ *     <enumeration value="LU"/>
+ *     <enumeration value="LV"/>
+ *     <enumeration value="LY"/>
+ *     <enumeration value="MA"/>
+ *     <enumeration value="MC"/>
+ *     <enumeration value="MD"/>
+ *     <enumeration value="ME"/>
+ *     <enumeration value="MF"/>
+ *     <enumeration value="MG"/>
+ *     <enumeration value="MH"/>
+ *     <enumeration value="MK"/>
+ *     <enumeration value="ML"/>
+ *     <enumeration value="MM"/>
+ *     <enumeration value="MN"/>
+ *     <enumeration value="MO"/>
+ *     <enumeration value="MP"/>
+ *     <enumeration value="MQ"/>
+ *     <enumeration value="MR"/>
+ *     <enumeration value="MS"/>
+ *     <enumeration value="MT"/>
+ *     <enumeration value="MU"/>
+ *     <enumeration value="MV"/>
+ *     <enumeration value="MW"/>
+ *     <enumeration value="MX"/>
+ *     <enumeration value="MY"/>
+ *     <enumeration value="MZ"/>
+ *     <enumeration value="NA"/>
+ *     <enumeration value="NC"/>
+ *     <enumeration value="NE"/>
+ *     <enumeration value="NF"/>
+ *     <enumeration value="NG"/>
+ *     <enumeration value="NI"/>
+ *     <enumeration value="NL"/>
+ *     <enumeration value="NO"/>
+ *     <enumeration value="NP"/>
+ *     <enumeration value="NR"/>
+ *     <enumeration value="NU"/>
+ *     <enumeration value="NZ"/>
+ *     <enumeration value="OM"/>
+ *     <enumeration value="PA"/>
+ *     <enumeration value="PE"/>
+ *     <enumeration value="PF"/>
+ *     <enumeration value="PG"/>
+ *     <enumeration value="PH"/>
+ *     <enumeration value="PK"/>
+ *     <enumeration value="PL"/>
+ *     <enumeration value="PM"/>
+ *     <enumeration value="PN"/>
+ *     <enumeration value="PR"/>
+ *     <enumeration value="PS"/>
+ *     <enumeration value="PT"/>
+ *     <enumeration value="PW"/>
+ *     <enumeration value="PY"/>
+ *     <enumeration value="QA"/>
+ *     <enumeration value="RE"/>
+ *     <enumeration value="RO"/>
+ *     <enumeration value="RS"/>
+ *     <enumeration value="RU"/>
+ *     <enumeration value="RW"/>
+ *     <enumeration value="SA"/>
+ *     <enumeration value="SB"/>
+ *     <enumeration value="SC"/>
+ *     <enumeration value="SD"/>
+ *     <enumeration value="SE"/>
+ *     <enumeration value="SG"/>
+ *     <enumeration value="SH"/>
+ *     <enumeration value="SI"/>
+ *     <enumeration value="SJ"/>
+ *     <enumeration value="SK"/>
+ *     <enumeration value="SL"/>
+ *     <enumeration value="SM"/>
+ *     <enumeration value="SN"/>
+ *     <enumeration value="SO"/>
+ *     <enumeration value="SR"/>
+ *     <enumeration value="SS"/>
+ *     <enumeration value="ST"/>
+ *     <enumeration value="SV"/>
+ *     <enumeration value="SX"/>
+ *     <enumeration value="SY"/>
+ *     <enumeration value="SZ"/>
+ *     <enumeration value="TC"/>
+ *     <enumeration value="TD"/>
+ *     <enumeration value="TF"/>
+ *     <enumeration value="TG"/>
+ *     <enumeration value="TH"/>
+ *     <enumeration value="TJ"/>
+ *     <enumeration value="TK"/>
+ *     <enumeration value="TL"/>
+ *     <enumeration value="TM"/>
+ *     <enumeration value="TN"/>
+ *     <enumeration value="TO"/>
+ *     <enumeration value="TR"/>
+ *     <enumeration value="TT"/>
+ *     <enumeration value="TV"/>
+ *     <enumeration value="TW"/>
+ *     <enumeration value="TZ"/>
+ *     <enumeration value="UA"/>
+ *     <enumeration value="UG"/>
+ *     <enumeration value="UM"/>
+ *     <enumeration value="US"/>
+ *     <enumeration value="UY"/>
+ *     <enumeration value="UZ"/>
+ *     <enumeration value="VA"/>
+ *     <enumeration value="VC"/>
+ *     <enumeration value="VE"/>
+ *     <enumeration value="VG"/>
+ *     <enumeration value="VI"/>
+ *     <enumeration value="VN"/>
+ *     <enumeration value="VU"/>
+ *     <enumeration value="WF"/>
+ *     <enumeration value="WS"/>
+ *     <enumeration value="YE"/>
+ *     <enumeration value="YT"/>
+ *     <enumeration value="ZA"/>
+ *     <enumeration value="ZM"/>
+ *     <enumeration value="ZW"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "CountryAlpha2CodeSimpleType") +@XmlEnum +public enum CountryAlpha2CodeSimpleType { + + + /** + * Andorra + * + */ + AD, + + /** + * United Arab Emirates (the) + * + */ + AE, + + /** + * Afghanistan + * + */ + AF, + + /** + * Antigua and Barbuda + * + */ + AG, + + /** + * Anguilla + * + */ + AI, + + /** + * Albania + * + */ + AL, + + /** + * Armenia + * + */ + AM, + + /** + * Angola + * + */ + AO, + + /** + * Antarctica + * + */ + AQ, + + /** + * Argentina + * + */ + AR, + + /** + * American Samoa + * + */ + AS, + + /** + * Austria + * + */ + AT, + + /** + * Australia + * + */ + AU, + + /** + * Aruba + * + */ + AW, + + /** + * Åland Islands + * + */ + AX, + + /** + * Azerbaijan + * + */ + AZ, + + /** + * Bosnia and Herzegovina + * + */ + BA, + + /** + * Barbados + * + */ + BB, + + /** + * Bangladesh + * + */ + BD, + + /** + * Belgium + * + */ + BE, + + /** + * Burkina Faso + * + */ + BF, + + /** + * Bulgaria + * + */ + BG, + + /** + * Bahrain + * + */ + BH, + + /** + * Burundi + * + */ + BI, + + /** + * Benin + * + */ + BJ, + + /** + * Saint Barthélemy + * + */ + BL, + + /** + * Bermuda + * + */ + BM, + + /** + * Brunei Darussalam + * + */ + BN, + + /** + * Bolivia, Plurinational State of + * + */ + BO, + + /** + * Bonaire, Sint Eustatius and Saba + * + */ + BQ, + + /** + * Brazil + * + */ + BR, + + /** + * Bahamas (The) + * + */ + BS, + + /** + * Bhutan + * + */ + BT, + + /** + * Bouvet Island + * + */ + BV, + + /** + * Botswana + * + */ + BW, + + /** + * Belarus + * + */ + BY, + + /** + * Belize + * + */ + BZ, + + /** + * Canada + * + */ + CA, + + /** + * Cocos (Keeling) Islands (the) + * + */ + CC, + + /** + * Congo (the Democratic Republic of the) + * + */ + CD, + + /** + * Central African Republic (the) + * + */ + CF, + + /** + * Congo (the) + * + */ + CG, + + /** + * Switzerland + * + */ + CH, + + /** + * Côte d'Ivoire + * + */ + CI, + + /** + * Cook Islands (the) + * + */ + CK, + + /** + * Chile + * + */ + CL, + + /** + * Cameroon + * + */ + CM, + + /** + * China + * + */ + CN, + + /** + * Colombia + * + */ + CO, + + /** + * Costa Rica + * + */ + CR, + + /** + * Cuba + * + */ + CU, + + /** + * Cabo Verde + * + */ + CV, + + /** + * Curaçao + * + */ + CW, + + /** + * Christmas Island + * + */ + CX, + + /** + * Cyprus + * + */ + CY, + + /** + * Czechia + * + */ + CZ, + + /** + * Germany + * + */ + DE, + + /** + * Djibouti + * + */ + DJ, + + /** + * Denmark + * + */ + DK, + + /** + * Dominica + * + */ + DM, + + /** + * Dominican Republic (the) + * + */ + DO, + + /** + * Algeria + * + */ + DZ, + + /** + * Ecuador + * + */ + EC, + + /** + * Estonia + * + */ + EE, + + /** + * Egypt + * + */ + EG, + + /** + * Western Sahara + * + */ + EH, + + /** + * Eritrea + * + */ + ER, + + /** + * Spain + * + */ + ES, + + /** + * Ethiopia + * + */ + ET, + + /** + * Finland + * + */ + FI, + + /** + * Fiji + * + */ + FJ, + + /** + * Falkland Islands (the) [Malvinas] + * + */ + FK, + + /** + * Micronesia (Federated States of) + * + */ + FM, + + /** + * Faroe Islands (the) + * + */ + FO, + + /** + * France + * + */ + FR, + + /** + * Gabon + * + */ + GA, + + /** + * United Kingdom of Great Britain and Northern Ireland (the) + * + */ + GB, + + /** + * Grenada + * + */ + GD, + + /** + * Georgia + * + */ + GE, + + /** + * French Guiana + * + */ + GF, + + /** + * Guernsey + * + */ + GG, + + /** + * Ghana + * + */ + GH, + + /** + * Gibraltar + * + */ + GI, + + /** + * Greenland + * + */ + GL, + + /** + * Gambia (the) + * + */ + GM, + + /** + * Guinea + * + */ + GN, + + /** + * Guadeloupe + * + */ + GP, + + /** + * Equatorial Guinea + * + */ + GQ, + + /** + * Greece + * + */ + GR, + + /** + * South Georgia and the South Sandwich Islands + * + */ + GS, + + /** + * Guatemala + * + */ + GT, + + /** + * Guam + * + */ + GU, + + /** + * Guinea-Bissau + * + */ + GW, + + /** + * Guyana + * + */ + GY, + + /** + * Hong Kong + * + */ + HK, + + /** + * Heard Island and McDonald Islands + * + */ + HM, + + /** + * Honduras + * + */ + HN, + + /** + * Croatia + * + */ + HR, + + /** + * Haiti + * + */ + HT, + + /** + * Hungary + * + */ + HU, + + /** + * Indonesia + * + */ + ID, + + /** + * Ireland + * + */ + IE, + + /** + * Israel + * + */ + IL, + + /** + * Isle of Man + * + */ + IM, + + /** + * India + * + */ + IN, + + /** + * British Indian Ocean Territory (the) + * + */ + IO, + + /** + * Iraq + * + */ + IQ, + + /** + * Iran (Islamic Republic of) + * + */ + IR, + + /** + * Iceland + * + */ + IS, + + /** + * Italy + * + */ + IT, + + /** + * Jersey + * + */ + JE, + + /** + * Jamaica + * + */ + JM, + + /** + * Jordan + * + */ + JO, + + /** + * Japan + * + */ + JP, + + /** + * Kenya + * + */ + KE, + + /** + * Kyrgyzstan + * + */ + KG, + + /** + * Cambodia + * + */ + KH, + + /** + * Kiribati + * + */ + KI, + + /** + * Comoros (the) + * + */ + KM, + + /** + * Saint Kitts and Nevis + * + */ + KN, + + /** + * Korea (the Democratic People's Republic of) + * + */ + KP, + + /** + * Korea (the Republic of) + * + */ + KR, + + /** + * Kuwait + * + */ + KW, + + /** + * Cayman Islands (the) + * + */ + KY, + + /** + * Kazakhstan + * + */ + KZ, + + /** + * Lao People's Democratic Republic (the) + * + */ + LA, + + /** + * Lebanon + * + */ + LB, + + /** + * Saint Lucia + * + */ + LC, + + /** + * Liechtenstein + * + */ + LI, + + /** + * Sri Lanka + * + */ + LK, + + /** + * Liberia + * + */ + LR, + + /** + * Lesotho + * + */ + LS, + + /** + * Lithuania + * + */ + LT, + + /** + * Luxembourg + * + */ + LU, + + /** + * Latvia + * + */ + LV, + + /** + * Libya + * + */ + LY, + + /** + * Morocco + * + */ + MA, + + /** + * Monaco + * + */ + MC, + + /** + * Moldova (the Republic of) + * + */ + MD, + + /** + * Montenegro + * + */ + ME, + + /** + * Saint Martin (French part) + * + */ + MF, + + /** + * Madagascar + * + */ + MG, + + /** + * Marshall Islands (the) + * + */ + MH, + + /** + * Macedonia (the former Yugoslav Republic of) + * + */ + MK, + + /** + * Mali + * + */ + ML, + + /** + * Myanmar + * + */ + MM, + + /** + * Mongolia + * + */ + MN, + + /** + * Macao + * + */ + MO, + + /** + * Northern Mariana Islands (the) + * + */ + MP, + + /** + * Martinique + * + */ + MQ, + + /** + * Mauritania + * + */ + MR, + + /** + * Montserrat + * + */ + MS, + + /** + * Malta + * + */ + MT, + + /** + * Mauritius + * + */ + MU, + + /** + * Maldives + * + */ + MV, + + /** + * Malawi + * + */ + MW, + + /** + * Mexico + * + */ + MX, + + /** + * Malaysia + * + */ + MY, + + /** + * Mozambique + * + */ + MZ, + + /** + * Namibia + * + */ + NA, + + /** + * New Caledonia + * + */ + NC, + + /** + * Niger (the) + * + */ + NE, + + /** + * Norfolk Island + * + */ + NF, + + /** + * Nigeria + * + */ + NG, + + /** + * Nicaragua + * + */ + NI, + + /** + * Netherlands (the) + * + */ + NL, + + /** + * Norway + * + */ + NO, + + /** + * Nepal + * + */ + NP, + + /** + * Nauru + * + */ + NR, + + /** + * Niue + * + */ + NU, + + /** + * New Zealand + * + */ + NZ, + + /** + * Oman + * + */ + OM, + + /** + * Panama + * + */ + PA, + + /** + * Peru + * + */ + PE, + + /** + * French Polynesia + * + */ + PF, + + /** + * Papua New Guinea + * + */ + PG, + + /** + * Philippines (the) + * + */ + PH, + + /** + * Pakistan + * + */ + PK, + + /** + * Poland + * + */ + PL, + + /** + * Saint Pierre and Miquelon + * + */ + PM, + + /** + * Pitcairn + * + */ + PN, + + /** + * Puerto Rico + * + */ + PR, + + /** + * Palestine, State of + * + */ + PS, + + /** + * Portugal + * + */ + PT, + + /** + * Palau + * + */ + PW, + + /** + * Paraguay + * + */ + PY, + + /** + * Qatar + * + */ + QA, + + /** + * Réunion + * + */ + RE, + + /** + * Romania + * + */ + RO, + + /** + * Serbia + * + */ + RS, + + /** + * Russian Federation (the) + * + */ + RU, + + /** + * Rwanda + * + */ + RW, + + /** + * Saudi Arabia + * + */ + SA, + + /** + * Solomon Islands + * + */ + SB, + + /** + * Seychelles + * + */ + SC, + + /** + * Sudan (the) + * + */ + SD, + + /** + * Sweden + * + */ + SE, + + /** + * Singapore + * + */ + SG, + + /** + * Saint Helena, Ascension and Tristan da Cunha + * + */ + SH, + + /** + * Slovenia + * + */ + SI, + + /** + * Svalbard and Jan Mayen + * + */ + SJ, + + /** + * Slovakia + * + */ + SK, + + /** + * Sierra Leone + * + */ + SL, + + /** + * San Marino + * + */ + SM, + + /** + * Senegal + * + */ + SN, + + /** + * Somalia + * + */ + SO, + + /** + * Suriname + * + */ + SR, + + /** + * South Sudan + * + */ + SS, + + /** + * Sao Tome and Principe + * + */ + ST, + + /** + * El Salvador + * + */ + SV, + + /** + * Sint Maarten (Dutch part) + * + */ + SX, + + /** + * Syrian Arab Republic + * + */ + SY, + + /** + * Swaziland + * + */ + SZ, + + /** + * Turks and Caicos Islands (the) + * + */ + TC, + + /** + * Chad + * + */ + TD, + + /** + * French Southern Territories (the) + * + */ + TF, + + /** + * Togo + * + */ + TG, + + /** + * Thailand + * + */ + TH, + + /** + * Tajikistan + * + */ + TJ, + + /** + * Tokelau + * + */ + TK, + + /** + * Timor-Leste + * + */ + TL, + + /** + * Turkmenistan + * + */ + TM, + + /** + * Tunisia + * + */ + TN, + + /** + * Tonga + * + */ + TO, + + /** + * Turkey + * + */ + TR, + + /** + * Trinidad and Tobago + * + */ + TT, + + /** + * Tuvalu + * + */ + TV, + + /** + * Taiwan (Province of China) + * + */ + TW, + + /** + * Tanzania, United Republic of + * + */ + TZ, + + /** + * Ukraine + * + */ + UA, + + /** + * Uganda + * + */ + UG, + + /** + * United States Minor Outlying Islands (the) + * + */ + UM, + + /** + * United States of America (the) + * + */ + US, + + /** + * Uruguay + * + */ + UY, + + /** + * Uzbekistan + * + */ + UZ, + + /** + * Holy See (the) + * + */ + VA, + + /** + * Saint Vincent and the Grenadines + * + */ + VC, + + /** + * Venezuela (Bolivarian Republic of) + * + */ + VE, + + /** + * Virgin Islands (British) + * + */ + VG, + + /** + * Virgin Islands (U.S.) + * + */ + VI, + + /** + * Viet Nam + * + */ + VN, + + /** + * Vanuatu + * + */ + VU, + + /** + * Wallis and Futuna + * + */ + WF, + + /** + * Samoa + * + */ + WS, + + /** + * Yemen + * + */ + YE, + + /** + * Mayotte + * + */ + YT, + + /** + * South Africa + * + */ + ZA, + + /** + * Zambia + * + */ + ZM, + + /** + * Zimbabwe + * + */ + ZW; + + public String value() { + return name(); + } + + public static CountryAlpha2CodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeType.java new file mode 100644 index 000000000..4daf872d4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/CountryAlpha2CodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.iso_3166_1._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for country, territory, or dependency codes. Sourced from ISO 3166 Part 1, v7-8. + * + *

Java class for CountryAlpha2CodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CountryAlpha2CodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/iso_3166-1/4.0/>CountryAlpha2CodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CountryAlpha2CodeType", propOrder = { + "value" +}) +public class CountryAlpha2CodeType { + + @XmlValue + protected CountryAlpha2CodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for country, territory, or dependency codes. Sourced from ISO 3166 Part 1, v7-8. + * + * @return + * possible object is + * {@link CountryAlpha2CodeSimpleType } + * + */ + public CountryAlpha2CodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link CountryAlpha2CodeSimpleType } + * + */ + public void setValue(CountryAlpha2CodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/ObjectFactory.java new file mode 100644 index 000000000..7c9af86ae --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/ObjectFactory.java @@ -0,0 +1,40 @@ + +package gov.niem.release.niem.codes.iso_3166_1._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.iso_3166_1._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.iso_3166_1._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link CountryAlpha2CodeType } + * + */ + public CountryAlpha2CodeType createCountryAlpha2CodeType() { + return new CountryAlpha2CodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/package-info.java new file mode 100644 index 000000000..0c97cd05d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_3166_1/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/iso_3166-1/4.0/") +package gov.niem.release.niem.codes.iso_3166_1._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeSimpleType.java new file mode 100644 index 000000000..c215e199c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeSimpleType.java @@ -0,0 +1,1307 @@ + +package gov.niem.release.niem.codes.iso_4217._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for CurrencyCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="CurrencyCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="AED"/>
+ *     <enumeration value="AFN"/>
+ *     <enumeration value="ALL"/>
+ *     <enumeration value="AMD"/>
+ *     <enumeration value="ANG"/>
+ *     <enumeration value="AOA"/>
+ *     <enumeration value="ARS"/>
+ *     <enumeration value="AUD"/>
+ *     <enumeration value="AWG"/>
+ *     <enumeration value="AZN"/>
+ *     <enumeration value="BAM"/>
+ *     <enumeration value="BBD"/>
+ *     <enumeration value="BDT"/>
+ *     <enumeration value="BGN"/>
+ *     <enumeration value="BHD"/>
+ *     <enumeration value="BIF"/>
+ *     <enumeration value="BMD"/>
+ *     <enumeration value="BND"/>
+ *     <enumeration value="BOB"/>
+ *     <enumeration value="BOV"/>
+ *     <enumeration value="BRL"/>
+ *     <enumeration value="BSD"/>
+ *     <enumeration value="BTN"/>
+ *     <enumeration value="BWP"/>
+ *     <enumeration value="BYR"/>
+ *     <enumeration value="BZD"/>
+ *     <enumeration value="CAD"/>
+ *     <enumeration value="CDF"/>
+ *     <enumeration value="CHE"/>
+ *     <enumeration value="CHF"/>
+ *     <enumeration value="CHW"/>
+ *     <enumeration value="CLF"/>
+ *     <enumeration value="CLP"/>
+ *     <enumeration value="CNY"/>
+ *     <enumeration value="COP"/>
+ *     <enumeration value="COU"/>
+ *     <enumeration value="CRC"/>
+ *     <enumeration value="CUC"/>
+ *     <enumeration value="CUP"/>
+ *     <enumeration value="CVE"/>
+ *     <enumeration value="CZK"/>
+ *     <enumeration value="DJF"/>
+ *     <enumeration value="DKK"/>
+ *     <enumeration value="DOP"/>
+ *     <enumeration value="DZD"/>
+ *     <enumeration value="EGP"/>
+ *     <enumeration value="ERN"/>
+ *     <enumeration value="ETB"/>
+ *     <enumeration value="EUR"/>
+ *     <enumeration value="FJD"/>
+ *     <enumeration value="FKP"/>
+ *     <enumeration value="GBP"/>
+ *     <enumeration value="GEL"/>
+ *     <enumeration value="GHS"/>
+ *     <enumeration value="GIP"/>
+ *     <enumeration value="GMD"/>
+ *     <enumeration value="GNF"/>
+ *     <enumeration value="GTQ"/>
+ *     <enumeration value="GYD"/>
+ *     <enumeration value="HKD"/>
+ *     <enumeration value="HNL"/>
+ *     <enumeration value="HRK"/>
+ *     <enumeration value="HTG"/>
+ *     <enumeration value="HUF"/>
+ *     <enumeration value="IDR"/>
+ *     <enumeration value="ILS"/>
+ *     <enumeration value="INR"/>
+ *     <enumeration value="IQD"/>
+ *     <enumeration value="IRR"/>
+ *     <enumeration value="ISK"/>
+ *     <enumeration value="JMD"/>
+ *     <enumeration value="JOD"/>
+ *     <enumeration value="JPY"/>
+ *     <enumeration value="KES"/>
+ *     <enumeration value="KGS"/>
+ *     <enumeration value="KHR"/>
+ *     <enumeration value="KMF"/>
+ *     <enumeration value="KPW"/>
+ *     <enumeration value="KRW"/>
+ *     <enumeration value="KWD"/>
+ *     <enumeration value="KYD"/>
+ *     <enumeration value="KZT"/>
+ *     <enumeration value="LAK"/>
+ *     <enumeration value="LBP"/>
+ *     <enumeration value="LKR"/>
+ *     <enumeration value="LRD"/>
+ *     <enumeration value="LSL"/>
+ *     <enumeration value="LTL"/>
+ *     <enumeration value="LVL"/>
+ *     <enumeration value="LYD"/>
+ *     <enumeration value="MAD"/>
+ *     <enumeration value="MDL"/>
+ *     <enumeration value="MGA"/>
+ *     <enumeration value="MKD"/>
+ *     <enumeration value="MMK"/>
+ *     <enumeration value="MNT"/>
+ *     <enumeration value="MOP"/>
+ *     <enumeration value="MRO"/>
+ *     <enumeration value="MUR"/>
+ *     <enumeration value="MVR"/>
+ *     <enumeration value="MWK"/>
+ *     <enumeration value="MXN"/>
+ *     <enumeration value="MXV"/>
+ *     <enumeration value="MYR"/>
+ *     <enumeration value="MZN"/>
+ *     <enumeration value="NAD"/>
+ *     <enumeration value="NGN"/>
+ *     <enumeration value="NIO"/>
+ *     <enumeration value="NOK"/>
+ *     <enumeration value="NPR"/>
+ *     <enumeration value="NZD"/>
+ *     <enumeration value="OMR"/>
+ *     <enumeration value="PAB"/>
+ *     <enumeration value="PEN"/>
+ *     <enumeration value="PGK"/>
+ *     <enumeration value="PHP"/>
+ *     <enumeration value="PKR"/>
+ *     <enumeration value="PLN"/>
+ *     <enumeration value="PYG"/>
+ *     <enumeration value="QAR"/>
+ *     <enumeration value="RON"/>
+ *     <enumeration value="RSD"/>
+ *     <enumeration value="RUB"/>
+ *     <enumeration value="RWF"/>
+ *     <enumeration value="SAR"/>
+ *     <enumeration value="SBD"/>
+ *     <enumeration value="SCR"/>
+ *     <enumeration value="SDG"/>
+ *     <enumeration value="SEK"/>
+ *     <enumeration value="SGD"/>
+ *     <enumeration value="SHP"/>
+ *     <enumeration value="SLL"/>
+ *     <enumeration value="SOS"/>
+ *     <enumeration value="SRD"/>
+ *     <enumeration value="SSP"/>
+ *     <enumeration value="STD"/>
+ *     <enumeration value="SVC"/>
+ *     <enumeration value="SYP"/>
+ *     <enumeration value="SZL"/>
+ *     <enumeration value="THB"/>
+ *     <enumeration value="TJS"/>
+ *     <enumeration value="TMT"/>
+ *     <enumeration value="TND"/>
+ *     <enumeration value="TOP"/>
+ *     <enumeration value="TRY"/>
+ *     <enumeration value="TTD"/>
+ *     <enumeration value="TWD"/>
+ *     <enumeration value="TZS"/>
+ *     <enumeration value="UAH"/>
+ *     <enumeration value="UGX"/>
+ *     <enumeration value="USD"/>
+ *     <enumeration value="USN"/>
+ *     <enumeration value="USS"/>
+ *     <enumeration value="UYI"/>
+ *     <enumeration value="UYU"/>
+ *     <enumeration value="UZS"/>
+ *     <enumeration value="VEF"/>
+ *     <enumeration value="VND"/>
+ *     <enumeration value="VUV"/>
+ *     <enumeration value="WST"/>
+ *     <enumeration value="XAF"/>
+ *     <enumeration value="XAG"/>
+ *     <enumeration value="XAU"/>
+ *     <enumeration value="XBA"/>
+ *     <enumeration value="XBB"/>
+ *     <enumeration value="XBC"/>
+ *     <enumeration value="XBD"/>
+ *     <enumeration value="XCD"/>
+ *     <enumeration value="XDR"/>
+ *     <enumeration value="XFU"/>
+ *     <enumeration value="XOF"/>
+ *     <enumeration value="XPD"/>
+ *     <enumeration value="XPF"/>
+ *     <enumeration value="XPT"/>
+ *     <enumeration value="XSU"/>
+ *     <enumeration value="XTS"/>
+ *     <enumeration value="XUA"/>
+ *     <enumeration value="XXX"/>
+ *     <enumeration value="YER"/>
+ *     <enumeration value="ZAR"/>
+ *     <enumeration value="ZMW"/>
+ *     <enumeration value="ZWL"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "CurrencyCodeSimpleType") +@XmlEnum +public enum CurrencyCodeSimpleType { + + + /** + * UAE Dirham + * + */ + AED, + + /** + * Afghani + * + */ + AFN, + + /** + * Lek + * + */ + ALL, + + /** + * Armenian Dram + * + */ + AMD, + + /** + * Netherlands Antillean Guilder + * + */ + ANG, + + /** + * Kwanza + * + */ + AOA, + + /** + * Argentine Peso + * + */ + ARS, + + /** + * Australian Dollar + * + */ + AUD, + + /** + * Aruban Florin + * + */ + AWG, + + /** + * Azerbaijanian Manat + * + */ + AZN, + + /** + * Convertible Mark + * + */ + BAM, + + /** + * Barbados Dollar + * + */ + BBD, + + /** + * Taka + * + */ + BDT, + + /** + * Bulgarian Lev + * + */ + BGN, + + /** + * Bahraini Dinar + * + */ + BHD, + + /** + * Burundi Franc + * + */ + BIF, + + /** + * Bermudian Dollar + * + */ + BMD, + + /** + * Brunei Dollar + * + */ + BND, + + /** + * Boliviano + * + */ + BOB, + + /** + * Mvdol + * + */ + BOV, + + /** + * Brazilian Real + * + */ + BRL, + + /** + * Bahamian Dollar + * + */ + BSD, + + /** + * Ngultrum + * + */ + BTN, + + /** + * Pula + * + */ + BWP, + + /** + * Belarussian Ruble + * + */ + BYR, + + /** + * Belize Dollar + * + */ + BZD, + + /** + * Canadian Dollar + * + */ + CAD, + + /** + * Congolese Franc + * + */ + CDF, + + /** + * WIR Euro + * + */ + CHE, + + /** + * Swiss Franc + * + */ + CHF, + + /** + * WIR Franc + * + */ + CHW, + + /** + * Unidades de fomento + * + */ + CLF, + + /** + * Chilean Peso + * + */ + CLP, + + /** + * Yuan Renminbi + * + */ + CNY, + + /** + * Colombian Peso + * + */ + COP, + + /** + * Unidad de Valor Real + * + */ + COU, + + /** + * Costa Rican Colon + * + */ + CRC, + + /** + * Peso Convertible + * + */ + CUC, + + /** + * Cuban Peso + * + */ + CUP, + + /** + * Cape Verde Escudo + * + */ + CVE, + + /** + * Czech Koruna + * + */ + CZK, + + /** + * Djibouti Franc + * + */ + DJF, + + /** + * Danish Krone + * + */ + DKK, + + /** + * Dominican Peso + * + */ + DOP, + + /** + * Algerian Dinar + * + */ + DZD, + + /** + * Egyptian Pound + * + */ + EGP, + + /** + * Nakfa + * + */ + ERN, + + /** + * Ethiopian Birr + * + */ + ETB, + + /** + * Euro + * + */ + EUR, + + /** + * Fiji Dollar + * + */ + FJD, + + /** + * Falkland Islands Pound + * + */ + FKP, + + /** + * Pound Sterling + * + */ + GBP, + + /** + * Lari + * + */ + GEL, + + /** + * Ghana Cedi + * + */ + GHS, + + /** + * Gibraltar Pound + * + */ + GIP, + + /** + * Dalasi + * + */ + GMD, + + /** + * Guinea Franc + * + */ + GNF, + + /** + * Quetzal + * + */ + GTQ, + + /** + * Guyana Dollar + * + */ + GYD, + + /** + * Hong Kong Dollar + * + */ + HKD, + + /** + * Lempira + * + */ + HNL, + + /** + * Croatian Kuna + * + */ + HRK, + + /** + * Gourde + * + */ + HTG, + + /** + * Forint + * + */ + HUF, + + /** + * Rupiah + * + */ + IDR, + + /** + * New Israeli Sheqel + * + */ + ILS, + + /** + * Indian Rupee + * + */ + INR, + + /** + * Iraqi Dinar + * + */ + IQD, + + /** + * Iranian Rial + * + */ + IRR, + + /** + * Iceland Krona + * + */ + ISK, + + /** + * Jamaican Dollar + * + */ + JMD, + + /** + * Jordanian Dinar + * + */ + JOD, + + /** + * Yen + * + */ + JPY, + + /** + * Kenyan Shilling + * + */ + KES, + + /** + * Som + * + */ + KGS, + + /** + * Riel + * + */ + KHR, + + /** + * Comoro Franc + * + */ + KMF, + + /** + * North Korean Won + * + */ + KPW, + + /** + * Won + * + */ + KRW, + + /** + * Kuwaiti Dinar + * + */ + KWD, + + /** + * Cayman Islands Dollar + * + */ + KYD, + + /** + * Tenge + * + */ + KZT, + + /** + * Kip + * + */ + LAK, + + /** + * Lebanese Pound + * + */ + LBP, + + /** + * Sri Lanka Rupee + * + */ + LKR, + + /** + * Liberian Dollar + * + */ + LRD, + + /** + * Loti + * + */ + LSL, + + /** + * Lithuanian Litas + * + */ + LTL, + + /** + * Latvian Lats + * + */ + LVL, + + /** + * Libyan Dinar + * + */ + LYD, + + /** + * Moroccan Dirham + * + */ + MAD, + + /** + * Moldovan Leu + * + */ + MDL, + + /** + * Malagasy Ariary + * + */ + MGA, + + /** + * Denar + * + */ + MKD, + + /** + * Kyat + * + */ + MMK, + + /** + * Tugrik + * + */ + MNT, + + /** + * Pataca + * + */ + MOP, + + /** + * Ouguiya + * + */ + MRO, + + /** + * Mauritius Rupee + * + */ + MUR, + + /** + * Rufiyaa + * + */ + MVR, + + /** + * Kwacha + * + */ + MWK, + + /** + * Mexican Peso + * + */ + MXN, + + /** + * Mexican Unidad de Inversion (UDI) + * + */ + MXV, + + /** + * Malaysian Ringgit + * + */ + MYR, + + /** + * Mozambique Metical + * + */ + MZN, + + /** + * Namibia Dollar + * + */ + NAD, + + /** + * Naira + * + */ + NGN, + + /** + * Cordoba Oro + * + */ + NIO, + + /** + * Norwegian Krone + * + */ + NOK, + + /** + * Nepalese Rupee + * + */ + NPR, + + /** + * New Zealand Dollar + * + */ + NZD, + + /** + * Rial Omani + * + */ + OMR, + + /** + * Balboa + * + */ + PAB, + + /** + * Nuevo Sol + * + */ + PEN, + + /** + * Kina + * + */ + PGK, + + /** + * Philippine Peso + * + */ + PHP, + + /** + * Pakistan Rupee + * + */ + PKR, + + /** + * Zloty + * + */ + PLN, + + /** + * Guarani + * + */ + PYG, + + /** + * Qatari Rial + * + */ + QAR, + + /** + * New Romanian Leu + * + */ + RON, + + /** + * Serbian Dinar + * + */ + RSD, + + /** + * Russian Ruble + * + */ + RUB, + + /** + * Rwanda Franc + * + */ + RWF, + + /** + * Saudi Riyal + * + */ + SAR, + + /** + * Solomon Islands Dollar + * + */ + SBD, + + /** + * Seychelles Rupee + * + */ + SCR, + + /** + * Sudanese Pound + * + */ + SDG, + + /** + * Swedish Krona + * + */ + SEK, + + /** + * Singapore Dollar + * + */ + SGD, + + /** + * Saint Helena Pound + * + */ + SHP, + + /** + * Leone + * + */ + SLL, + + /** + * Somali Shilling + * + */ + SOS, + + /** + * Surinam Dollar + * + */ + SRD, + + /** + * South Sudanese Pound + * + */ + SSP, + + /** + * Dobra + * + */ + STD, + + /** + * El Salvador Colon + * + */ + SVC, + + /** + * Syrian Pound + * + */ + SYP, + + /** + * Lilangeni + * + */ + SZL, + + /** + * Baht + * + */ + THB, + + /** + * Somoni + * + */ + TJS, + + /** + * Turkmenistan New Manat + * + */ + TMT, + + /** + * Tunisian Dinar + * + */ + TND, + + /** + * Pa'anga + * + */ + TOP, + + /** + * Turkish Lira + * + */ + TRY, + + /** + * Trinidad and Tobago Dollar + * + */ + TTD, + + /** + * New Taiwan Dollar + * + */ + TWD, + + /** + * Tanzanian Shilling + * + */ + TZS, + + /** + * Hryvnia + * + */ + UAH, + + /** + * Uganda Shilling + * + */ + UGX, + + /** + * US Dollar + * + */ + USD, + + /** + * US Dollar (Next day) + * + */ + USN, + + /** + * US Dollar (Same day) + * + */ + USS, + + /** + * Uruguay Peso en Unidades Indexadas (URUIURUI) + * + */ + UYI, + + /** + * Peso Uruguayo + * + */ + UYU, + + /** + * Uzbekistan Sum + * + */ + UZS, + + /** + * Bolivar + * + */ + VEF, + + /** + * Dong + * + */ + VND, + + /** + * Vatu + * + */ + VUV, + + /** + * Tala + * + */ + WST, + + /** + * CFA Franc BEAC + * + */ + XAF, + + /** + * Silver + * + */ + XAG, + + /** + * Gold + * + */ + XAU, + + /** + * Bond Markets Unit European Composite Unit (EURCO) + * + */ + XBA, + + /** + * Bond Markets Unit European Monetary Unit (E.M.U.-6) + * + */ + XBB, + + /** + * Bond Markets Unit European Unit of Account 9 (E.U.A.-9) + * + */ + XBC, + + /** + * Bond Markets Unit European Unit of Account 17 (E.U.A.-17) + * + */ + XBD, + + /** + * East Caribbean Dollar + * + */ + XCD, + + /** + * SDR (Special Drawing Right) + * + */ + XDR, + + /** + * UIC-Franc + * + */ + XFU, + + /** + * CFA Franc BCEAO + * + */ + XOF, + + /** + * Palladium + * + */ + XPD, + + /** + * CFP Franc + * + */ + XPF, + + /** + * Platinum + * + */ + XPT, + + /** + * Sucre + * + */ + XSU, + + /** + * Codes specifically reserved for testing purposes + * + */ + XTS, + + /** + * ADB Unit of Account + * + */ + XUA, + + /** + * The codes assigned for transactions where no currency is involved + * + */ + XXX, + + /** + * Yemeni Rial + * + */ + YER, + + /** + * Rand + * + */ + ZAR, + + /** + * Zambian Kwacha + * + */ + ZMW, + + /** + * Zimbabwe Dollar + * + */ + ZWL; + + public String value() { + return name(); + } + + public static CurrencyCodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeType.java new file mode 100644 index 000000000..eea907237 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/CurrencyCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.iso_4217._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a currency that qualifies a monetary amount. + * + *

Java class for CurrencyCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CurrencyCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/iso_4217/4.0/>CurrencyCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CurrencyCodeType", propOrder = { + "value" +}) +public class CurrencyCodeType { + + @XmlValue + protected CurrencyCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for a currency that qualifies a monetary amount. + * + * @return + * possible object is + * {@link CurrencyCodeSimpleType } + * + */ + public CurrencyCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link CurrencyCodeSimpleType } + * + */ + public void setValue(CurrencyCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/ObjectFactory.java new file mode 100644 index 000000000..53c89ba44 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/ObjectFactory.java @@ -0,0 +1,40 @@ + +package gov.niem.release.niem.codes.iso_4217._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.iso_4217._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.iso_4217._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link CurrencyCodeType } + * + */ + public CurrencyCodeType createCurrencyCodeType() { + return new CurrencyCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/package-info.java new file mode 100644 index 000000000..e72ca52e4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_4217/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/iso_4217/4.0/") +package gov.niem.release.niem.codes.iso_4217._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/LanguageCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/LanguageCodeType.java new file mode 100644 index 000000000..9115ea98d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/LanguageCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.iso_639_3._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for language codes. + * + *

Java class for LanguageCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="LanguageCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/iso_639-3/4.0/>LanguageCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "LanguageCodeType", propOrder = { + "value" +}) +public class LanguageCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for language codes. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/ObjectFactory.java new file mode 100644 index 000000000..22390abe3 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/ObjectFactory.java @@ -0,0 +1,40 @@ + +package gov.niem.release.niem.codes.iso_639_3._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.iso_639_3._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.iso_639_3._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link LanguageCodeType } + * + */ + public LanguageCodeType createLanguageCodeType() { + return new LanguageCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/package-info.java new file mode 100644 index 000000000..bdcb3bc3d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/iso_639_3/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/iso_639-3/4.0/") +package gov.niem.release.niem.codes.iso_639_3._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/DrivingRestrictionCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/DrivingRestrictionCodeType.java new file mode 100644 index 000000000..70a34b668 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/DrivingRestrictionCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.mmucc._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for restrictions assigned to an individuals driver license by the license examiner. + * + *

Java class for DrivingRestrictionCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DrivingRestrictionCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/mmucc/4.1/>DrivingRestrictionCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DrivingRestrictionCodeType", propOrder = { + "value" +}) +public class DrivingRestrictionCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for restrictions assigned to an individuals driver license by the license examiner. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/ObjectFactory.java new file mode 100644 index 000000000..b83f393c3 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/ObjectFactory.java @@ -0,0 +1,40 @@ + +package gov.niem.release.niem.codes.mmucc._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.mmucc._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.mmucc._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link DrivingRestrictionCodeType } + * + */ + public DrivingRestrictionCodeType createDrivingRestrictionCodeType() { + return new DrivingRestrictionCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/package-info.java new file mode 100644 index 000000000..f599c11e2 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/mmucc/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/mmucc/4.1/") +package gov.niem.release.niem.codes.mmucc._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/LengthCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/LengthCodeType.java new file mode 100644 index 000000000..0f19f5836 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/LengthCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.unece_rec20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for units of measurements for a length value. + * + *

Java class for LengthCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="LengthCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/unece_rec20/4.0/>LengthCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "LengthCodeType", propOrder = { + "value" +}) +public class LengthCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for units of measurements for a length value. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/MassCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/MassCodeType.java new file mode 100644 index 000000000..f8b2770f2 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/MassCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.unece_rec20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for units of measurement for a weight value. + * + *

Java class for MassCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MassCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/unece_rec20/4.0/>MassCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MassCodeType", propOrder = { + "value" +}) +public class MassCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for units of measurement for a weight value. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/ObjectFactory.java new file mode 100644 index 000000000..7c39f2d75 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/ObjectFactory.java @@ -0,0 +1,56 @@ + +package gov.niem.release.niem.codes.unece_rec20._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.unece_rec20._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.unece_rec20._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link LengthCodeType } + * + */ + public LengthCodeType createLengthCodeType() { + return new LengthCodeType(); + } + + /** + * Create an instance of {@link VelocityCodeType } + * + */ + public VelocityCodeType createVelocityCodeType() { + return new VelocityCodeType(); + } + + /** + * Create an instance of {@link MassCodeType } + * + */ + public MassCodeType createMassCodeType() { + return new MassCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/VelocityCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/VelocityCodeType.java new file mode 100644 index 000000000..678082354 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/VelocityCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.codes.unece_rec20._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for units of measurement for a speed or velocity. + * + *

Java class for VelocityCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="VelocityCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/unece_rec20/4.0/>VelocityCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "VelocityCodeType", propOrder = { + "value" +}) +public class VelocityCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for units of measurement for a speed or velocity. + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/package-info.java new file mode 100644 index 000000000..ef5961120 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/unece_rec20/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/unece_rec20/4.0/") +package gov.niem.release.niem.codes.unece_rec20._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/ObjectFactory.java new file mode 100644 index 000000000..82a9d9fa4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/ObjectFactory.java @@ -0,0 +1,40 @@ + +package gov.niem.release.niem.codes.usps_states._4; + +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.codes.usps_states._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.codes.usps_states._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link USStateCodeType } + * + */ + public USStateCodeType createUSStateCodeType() { + return new USStateCodeType(); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeSimpleType.java new file mode 100644 index 000000000..11ca289e1 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeSimpleType.java @@ -0,0 +1,467 @@ + +package gov.niem.release.niem.codes.usps_states._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for USStateCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="USStateCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="AA"/>
+ *     <enumeration value="AE"/>
+ *     <enumeration value="AK"/>
+ *     <enumeration value="AL"/>
+ *     <enumeration value="AP"/>
+ *     <enumeration value="AR"/>
+ *     <enumeration value="AS"/>
+ *     <enumeration value="AZ"/>
+ *     <enumeration value="CA"/>
+ *     <enumeration value="CO"/>
+ *     <enumeration value="CT"/>
+ *     <enumeration value="DC"/>
+ *     <enumeration value="DE"/>
+ *     <enumeration value="FL"/>
+ *     <enumeration value="FM"/>
+ *     <enumeration value="GA"/>
+ *     <enumeration value="GU"/>
+ *     <enumeration value="HI"/>
+ *     <enumeration value="IA"/>
+ *     <enumeration value="ID"/>
+ *     <enumeration value="IL"/>
+ *     <enumeration value="IN"/>
+ *     <enumeration value="KS"/>
+ *     <enumeration value="KY"/>
+ *     <enumeration value="LA"/>
+ *     <enumeration value="MA"/>
+ *     <enumeration value="MD"/>
+ *     <enumeration value="ME"/>
+ *     <enumeration value="MH"/>
+ *     <enumeration value="MI"/>
+ *     <enumeration value="MN"/>
+ *     <enumeration value="MO"/>
+ *     <enumeration value="MP"/>
+ *     <enumeration value="MS"/>
+ *     <enumeration value="MT"/>
+ *     <enumeration value="NC"/>
+ *     <enumeration value="ND"/>
+ *     <enumeration value="NE"/>
+ *     <enumeration value="NH"/>
+ *     <enumeration value="NJ"/>
+ *     <enumeration value="NM"/>
+ *     <enumeration value="NV"/>
+ *     <enumeration value="NY"/>
+ *     <enumeration value="OH"/>
+ *     <enumeration value="OK"/>
+ *     <enumeration value="OR"/>
+ *     <enumeration value="PA"/>
+ *     <enumeration value="PR"/>
+ *     <enumeration value="PW"/>
+ *     <enumeration value="RI"/>
+ *     <enumeration value="SC"/>
+ *     <enumeration value="SD"/>
+ *     <enumeration value="TN"/>
+ *     <enumeration value="TX"/>
+ *     <enumeration value="UT"/>
+ *     <enumeration value="VA"/>
+ *     <enumeration value="VI"/>
+ *     <enumeration value="VT"/>
+ *     <enumeration value="WA"/>
+ *     <enumeration value="WI"/>
+ *     <enumeration value="WV"/>
+ *     <enumeration value="WY"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "USStateCodeSimpleType") +@XmlEnum +public enum USStateCodeSimpleType { + + + /** + * Armed Forces Americas (except Canada) + * + */ + AA, + + /** + * Armed Forces Europe, the Middle East, and Canada + * + */ + AE, + + /** + * ALASKA + * + */ + AK, + + /** + * ALABAMA + * + */ + AL, + + /** + * Armed Forces Pacific + * + */ + AP, + + /** + * ARKANSAS + * + */ + AR, + + /** + * AMERICAN SAMOA + * + */ + AS, + + /** + * ARIZONA + * + */ + AZ, + + /** + * CALIFORNIA + * + */ + CA, + + /** + * COLORADO + * + */ + CO, + + /** + * CONNECTICUT + * + */ + CT, + + /** + * DISTRICT OF COLUMBIA + * + */ + DC, + + /** + * DELAWARE + * + */ + DE, + + /** + * FLORIDA + * + */ + FL, + + /** + * FEDERATED STATES OF MICRONESIA + * + */ + FM, + + /** + * GEORGIA + * + */ + GA, + + /** + * GUAM GU + * + */ + GU, + + /** + * HAWAII + * + */ + HI, + + /** + * IOWA + * + */ + IA, + + /** + * IDAHO + * + */ + ID, + + /** + * ILLINOIS + * + */ + IL, + + /** + * INDIANA + * + */ + IN, + + /** + * KANSAS + * + */ + KS, + + /** + * KENTUCKY + * + */ + KY, + + /** + * LOUISIANA + * + */ + LA, + + /** + * MASSACHUSETTS + * + */ + MA, + + /** + * MARYLAND + * + */ + MD, + + /** + * MAINE + * + */ + ME, + + /** + * MARSHALL ISLANDS + * + */ + MH, + + /** + * MICHIGAN + * + */ + MI, + + /** + * MINNESOTA + * + */ + MN, + + /** + * MISSOURI + * + */ + MO, + + /** + * NORTHERN MARIANA ISLANDS + * + */ + MP, + + /** + * MISSISSIPPI + * + */ + MS, + + /** + * MONTANA + * + */ + MT, + + /** + * NORTH CAROLINA + * + */ + NC, + + /** + * NORTH DAKOTA + * + */ + ND, + + /** + * NEBRASKA + * + */ + NE, + + /** + * NEW HAMPSHIRE + * + */ + NH, + + /** + * NEW JERSEY + * + */ + NJ, + + /** + * NEW MEXICO + * + */ + NM, + + /** + * NEVADA + * + */ + NV, + + /** + * NEW YORK + * + */ + NY, + + /** + * OHIO + * + */ + OH, + + /** + * OKLAHOMA + * + */ + OK, + + /** + * OREGON + * + */ + OR, + + /** + * PENNSYLVANIA + * + */ + PA, + + /** + * PUERTO RICO + * + */ + PR, + + /** + * PALAU + * + */ + PW, + + /** + * RHODE ISLAND + * + */ + RI, + + /** + * SOUTH CAROLINA + * + */ + SC, + + /** + * SOUTH DAKOTA + * + */ + SD, + + /** + * TENNESSEE + * + */ + TN, + + /** + * TEXAS + * + */ + TX, + + /** + * UTAH + * + */ + UT, + + /** + * VIRGINIA + * + */ + VA, + + /** + * VIRGIN ISLANDS + * + */ + VI, + + /** + * VERMONT + * + */ + VT, + + /** + * WASHINGTON + * + */ + WA, + + /** + * WISCONSIN + * + */ + WI, + + /** + * WEST VIRGINIA + * + */ + WV, + + /** + * WYOMING + * + */ + WY; + + public String value() { + return name(); + } + + public static USStateCodeSimpleType fromValue(String v) { + return valueOf(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeType.java new file mode 100644 index 000000000..e89254d47 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/USStateCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.codes.usps_states._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for states. + * + *

Java class for USStateCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="USStateCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/codes/usps_states/4.0/>USStateCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "USStateCodeType", propOrder = { + "value" +}) +public class USStateCodeType { + + @XmlValue + protected USStateCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for states. + * + * @return + * possible object is + * {@link USStateCodeSimpleType } + * + */ + public USStateCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link USStateCodeSimpleType } + * + */ + public void setValue(USStateCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/package-info.java new file mode 100644 index 000000000..c8e498813 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/codes/usps_states/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/codes/usps_states/4.0/") +package gov.niem.release.niem.codes.usps_states._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricCategoryCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricCategoryCodeType.java new file mode 100644 index 000000000..a8a19fe9c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricCategoryCodeType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a kind of biometric technology + * + *

Java class for BiometricCategoryCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="BiometricCategoryCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/domains/biometrics/4.1/>BiometricCategoryCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "BiometricCategoryCodeType", propOrder = { + "value" +}) +public class BiometricCategoryCodeType { + + @XmlValue + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + protected String value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type describing the kinds of biometrics used + * + * @return + * possible object is + * {@link String } + * + */ + public String getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setValue(String value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricClassificationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricClassificationType.java new file mode 100644 index 000000000..878176837 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricClassificationType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for the classification of the kind of the Biometric information in the message. + * + *

Java class for BiometricClassificationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="BiometricClassificationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}BiometricClassificationCategoryCode"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "BiometricClassificationType", propOrder = { + "biometricClassificationCategoryCode" +}) +public class BiometricClassificationType + extends ObjectType +{ + + @XmlElement(name = "BiometricClassificationCategoryCode", required = true) + protected BiometricCategoryCodeType biometricClassificationCategoryCode; + + /** + * Gets the value of the biometricClassificationCategoryCode property. + * + * @return + * possible object is + * {@link BiometricCategoryCodeType } + * + */ + public BiometricCategoryCodeType getBiometricClassificationCategoryCode() { + return biometricClassificationCategoryCode; + } + + /** + * Sets the value of the biometricClassificationCategoryCode property. + * + * @param value + * allowed object is + * {@link BiometricCategoryCodeType } + * + */ + public void setBiometricClassificationCategoryCode(BiometricCategoryCodeType value) { + this.biometricClassificationCategoryCode = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricDataType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricDataType.java new file mode 100644 index 000000000..c37ad52c1 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/BiometricDataType.java @@ -0,0 +1,183 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.EntityType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a representation of the identifying Biometric in. + * + *

Java class for BiometricDataType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="BiometricDataType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}BiometricClassification"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}BiometricDetailAbstract" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}BiometricImageAbstract" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}BiometricCapturer" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "BiometricDataType", propOrder = { + "biometricClassification", + "biometricDetailAbstract", + "biometricImageAbstract", + "biometricCapturer" +}) +public class BiometricDataType + extends ObjectType +{ + + @XmlElement(name = "BiometricClassification", required = true) + protected BiometricClassificationType biometricClassification; + @XmlElementRef(name = "BiometricDetailAbstract", namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", type = JAXBElement.class, required = false) + protected List> biometricDetailAbstract; + @XmlElementRef(name = "BiometricImageAbstract", namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", type = JAXBElement.class, required = false) + protected List> biometricImageAbstract; + @XmlElement(name = "BiometricCapturer") + protected EntityType biometricCapturer; + + /** + * Gets the value of the biometricClassification property. + * + * @return + * possible object is + * {@link BiometricClassificationType } + * + */ + public BiometricClassificationType getBiometricClassification() { + return biometricClassification; + } + + /** + * Sets the value of the biometricClassification property. + * + * @param value + * allowed object is + * {@link BiometricClassificationType } + * + */ + public void setBiometricClassification(BiometricClassificationType value) { + this.biometricClassification = value; + } + + /** + * Gets the value of the biometricDetailAbstract property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the biometricDetailAbstract property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getBiometricDetailAbstract().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link DNASampleType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getBiometricDetailAbstract() { + if (biometricDetailAbstract == null) { + biometricDetailAbstract = new ArrayList>(); + } + return this.biometricDetailAbstract; + } + + /** + * Gets the value of the biometricImageAbstract property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the biometricImageAbstract property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getBiometricImageAbstract().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link FingerprintImageType }{@code >} + * {@link JAXBElement }{@code <}{@link ImageType }{@code >} + * {@link JAXBElement }{@code <}{@link PhysicalFeatureImageType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getBiometricImageAbstract() { + if (biometricImageAbstract == null) { + biometricImageAbstract = new ArrayList>(); + } + return this.biometricImageAbstract; + } + + /** + * Gets the value of the biometricCapturer property. + * + * @return + * possible object is + * {@link EntityType } + * + */ + public EntityType getBiometricCapturer() { + return biometricCapturer; + } + + /** + * Sets the value of the biometricCapturer property. + * + * @param value + * allowed object is + * {@link EntityType } + * + */ + public void setBiometricCapturer(EntityType value) { + this.biometricCapturer = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASTRProfileType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASTRProfileType.java new file mode 100644 index 000000000..69c1e92d6 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASTRProfileType.java @@ -0,0 +1,121 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an autosomal STR, X-STR, and Y-STR DNA profile + * + *

Java class for DNASTRProfileType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DNASTRProfileType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}DNALocusReferenceID" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}DNAAlleleCall1Text" maxOccurs="2"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DNASTRProfileType", propOrder = { + "dnaLocusReferenceID", + "dnaAlleleCall1Text" +}) +public class DNASTRProfileType + extends ObjectType +{ + + @XmlElement(name = "DNALocusReferenceID") + protected List dnaLocusReferenceID; + @XmlElement(name = "DNAAlleleCall1Text", required = true) + protected List dnaAlleleCall1Text; + + /** + * Gets the value of the dnaLocusReferenceID property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the dnaLocusReferenceID property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDNALocusReferenceID().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Integer1To999Type } + * + * + */ + public List getDNALocusReferenceID() { + if (dnaLocusReferenceID == null) { + dnaLocusReferenceID = new ArrayList(); + } + return this.dnaLocusReferenceID; + } + + /** + * Gets the value of the dnaAlleleCall1Text property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the dnaAlleleCall1Text property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDNAAlleleCall1Text().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link TextType } + * + * + */ + public List getDNAAlleleCall1Text() { + if (dnaAlleleCall1Text == null) { + dnaAlleleCall1Text = new ArrayList(); + } + return this.dnaAlleleCall1Text; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASampleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASampleType.java new file mode 100644 index 000000000..80ff2802f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/DNASampleType.java @@ -0,0 +1,87 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a DNA sample + * + *

Java class for DNASampleType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DNASampleType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/biometrics/4.1/}DNASTRProfile" maxOccurs="14" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DNASampleType", propOrder = { + "dnastrProfile" +}) +public class DNASampleType + extends ObjectType +{ + + @XmlElement(name = "DNASTRProfile") + protected List dnastrProfile; + + /** + * Gets the value of the dnastrProfile property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the dnastrProfile property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDNASTRProfile().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link DNASTRProfileType } + * + * + */ + public List getDNASTRProfile() { + if (dnastrProfile == null) { + dnastrProfile = new ArrayList(); + } + return this.dnastrProfile; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/FingerprintImageType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/FingerprintImageType.java new file mode 100644 index 000000000..fc871cdc1 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/FingerprintImageType.java @@ -0,0 +1,47 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a fingerprint image + * + *

Java class for FingerprintImageType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="FingerprintImageType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/biometrics/4.1/}ImageType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "FingerprintImageType") +public class FingerprintImageType + extends ImageType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ImageType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ImageType.java new file mode 100644 index 000000000..bed38c5e7 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ImageType.java @@ -0,0 +1,53 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import gov.niem.release.niem.niem_core._4.BinaryType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a biometric image + * + *

Java class for ImageType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ImageType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}BinaryType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ImageType") +@XmlSeeAlso({ + FingerprintImageType.class, + PhysicalFeatureImageType.class +}) +public class ImageType + extends BinaryType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/Integer1To999Type.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/Integer1To999Type.java new file mode 100644 index 000000000..2a5019e7c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/Integer1To999Type.java @@ -0,0 +1,249 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type of integer that has a value range of 1 to 999 + * + *

Java class for Integer1to999Type complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="Integer1to999Type">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/domains/biometrics/4.1/>Integer1to999SimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "Integer1to999Type", propOrder = { + "value" +}) +public class Integer1To999Type { + + @XmlValue + protected int value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type of integer that has a value range of 1 to 999 + * + */ + public int getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + */ + public void setValue(int value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ObjectFactory.java new file mode 100644 index 000000000..518e99583 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/ObjectFactory.java @@ -0,0 +1,291 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import javax.xml.namespace.QName; +import gov.niem.release.niem.niem_core._4.EntityType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlElementDecl; +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.domains.biometrics._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + private final static QName _Biometric_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "Biometric"); + private final static QName _BiometricCapturer_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "BiometricCapturer"); + private final static QName _BiometricClassification_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "BiometricClassification"); + private final static QName _BiometricClassificationCategoryCode_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "BiometricClassificationCategoryCode"); + private final static QName _BiometricDetailAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "BiometricDetailAbstract"); + private final static QName _BiometricImageAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "BiometricImageAbstract"); + private final static QName _DNAAlleleCall1Text_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "DNAAlleleCall1Text"); + private final static QName _DNAElectropherogramScreenshotImage_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "DNAElectropherogramScreenshotImage"); + private final static QName _DNALocusReferenceID_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "DNALocusReferenceID"); + private final static QName _DNASTRProfile_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "DNASTRProfile"); + private final static QName _DNASample_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "DNASample"); + private final static QName _FingerprintImage_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "FingerprintImage"); + private final static QName _PhysicalFeatureImage_QNAME = new QName("http://release.niem.gov/niem/domains/biometrics/4.1/", "PhysicalFeatureImage"); + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.domains.biometrics._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link BiometricDataType } + * + */ + public BiometricDataType createBiometricDataType() { + return new BiometricDataType(); + } + + /** + * Create an instance of {@link BiometricClassificationType } + * + */ + public BiometricClassificationType createBiometricClassificationType() { + return new BiometricClassificationType(); + } + + /** + * Create an instance of {@link BiometricCategoryCodeType } + * + */ + public BiometricCategoryCodeType createBiometricCategoryCodeType() { + return new BiometricCategoryCodeType(); + } + + /** + * Create an instance of {@link ImageType } + * + */ + public ImageType createImageType() { + return new ImageType(); + } + + /** + * Create an instance of {@link Integer1To999Type } + * + */ + public Integer1To999Type createInteger1To999Type() { + return new Integer1To999Type(); + } + + /** + * Create an instance of {@link DNASTRProfileType } + * + */ + public DNASTRProfileType createDNASTRProfileType() { + return new DNASTRProfileType(); + } + + /** + * Create an instance of {@link DNASampleType } + * + */ + public DNASampleType createDNASampleType() { + return new DNASampleType(); + } + + /** + * Create an instance of {@link FingerprintImageType } + * + */ + public FingerprintImageType createFingerprintImageType() { + return new FingerprintImageType(); + } + + /** + * Create an instance of {@link PhysicalFeatureImageType } + * + */ + public PhysicalFeatureImageType createPhysicalFeatureImageType() { + return new PhysicalFeatureImageType(); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link BiometricDataType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link BiometricDataType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "Biometric") + public JAXBElement createBiometric(BiometricDataType value) { + return new JAXBElement(_Biometric_QNAME, BiometricDataType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "BiometricCapturer") + public JAXBElement createBiometricCapturer(EntityType value) { + return new JAXBElement(_BiometricCapturer_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link BiometricClassificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link BiometricClassificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "BiometricClassification") + public JAXBElement createBiometricClassification(BiometricClassificationType value) { + return new JAXBElement(_BiometricClassification_QNAME, BiometricClassificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link BiometricCategoryCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link BiometricCategoryCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "BiometricClassificationCategoryCode") + public JAXBElement createBiometricClassificationCategoryCode(BiometricCategoryCodeType value) { + return new JAXBElement(_BiometricClassificationCategoryCode_QNAME, BiometricCategoryCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "BiometricDetailAbstract") + public JAXBElement createBiometricDetailAbstract(Object value) { + return new JAXBElement(_BiometricDetailAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "BiometricImageAbstract") + public JAXBElement createBiometricImageAbstract(Object value) { + return new JAXBElement(_BiometricImageAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "DNAAlleleCall1Text") + public JAXBElement createDNAAlleleCall1Text(TextType value) { + return new JAXBElement(_DNAAlleleCall1Text_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ImageType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ImageType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "DNAElectropherogramScreenshotImage", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", substitutionHeadName = "BiometricImageAbstract") + public JAXBElement createDNAElectropherogramScreenshotImage(ImageType value) { + return new JAXBElement(_DNAElectropherogramScreenshotImage_QNAME, ImageType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Integer1To999Type }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Integer1To999Type }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "DNALocusReferenceID") + public JAXBElement createDNALocusReferenceID(Integer1To999Type value) { + return new JAXBElement(_DNALocusReferenceID_QNAME, Integer1To999Type.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DNASTRProfileType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DNASTRProfileType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "DNASTRProfile") + public JAXBElement createDNASTRProfile(DNASTRProfileType value) { + return new JAXBElement(_DNASTRProfile_QNAME, DNASTRProfileType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DNASampleType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DNASampleType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "DNASample", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", substitutionHeadName = "BiometricDetailAbstract") + public JAXBElement createDNASample(DNASampleType value) { + return new JAXBElement(_DNASample_QNAME, DNASampleType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link FingerprintImageType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link FingerprintImageType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "FingerprintImage", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", substitutionHeadName = "BiometricImageAbstract") + public JAXBElement createFingerprintImage(FingerprintImageType value) { + return new JAXBElement(_FingerprintImage_QNAME, FingerprintImageType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PhysicalFeatureImageType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PhysicalFeatureImageType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", name = "PhysicalFeatureImage", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", substitutionHeadName = "BiometricImageAbstract") + public JAXBElement createPhysicalFeatureImage(PhysicalFeatureImageType value) { + return new JAXBElement(_PhysicalFeatureImage_QNAME, PhysicalFeatureImageType.class, null, value); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/PhysicalFeatureImageType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/PhysicalFeatureImageType.java new file mode 100644 index 000000000..e61c2fd1d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/PhysicalFeatureImageType.java @@ -0,0 +1,47 @@ + +package gov.niem.release.niem.domains.biometrics._4; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an image of a physical feature + * + *

Java class for PhysicalFeatureImageType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PhysicalFeatureImageType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/biometrics/4.1/}ImageType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PhysicalFeatureImageType") +public class PhysicalFeatureImageType + extends ImageType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/package-info.java new file mode 100644 index 000000000..c6b92eb26 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/biometrics/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/domains/biometrics/4.1/", elementFormDefault = jakarta.xml.bind.annotation.XmlNsForm.QUALIFIED) +package gov.niem.release.niem.domains.biometrics._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageContentErrorType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageContentErrorType.java new file mode 100644 index 000000000..87a7bb4e5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageContentErrorType.java @@ -0,0 +1,109 @@ + +package gov.niem.release.niem.domains.cbrn._4; + +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type that provides information about the point in the xml payload content of a message where an error occurred in processing the message. + * + *

Java class for MessageContentErrorType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MessageContentErrorType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}ErrorNodeName"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}ErrorDescription"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MessageContentErrorType", propOrder = { + "errorNodeName", + "errorDescription" +}) +public class MessageContentErrorType + extends ObjectType +{ + + @XmlElement(name = "ErrorNodeName", required = true) + protected TextType errorNodeName; + @XmlElement(name = "ErrorDescription", required = true) + protected MessageErrorType errorDescription; + + /** + * Gets the value of the errorNodeName property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getErrorNodeName() { + return errorNodeName; + } + + /** + * Sets the value of the errorNodeName property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setErrorNodeName(TextType value) { + this.errorNodeName = value; + } + + /** + * Gets the value of the errorDescription property. + * + * @return + * possible object is + * {@link MessageErrorType } + * + */ + public MessageErrorType getErrorDescription() { + return errorDescription; + } + + /** + * Sets the value of the errorDescription property. + * + * @param value + * allowed object is + * {@link MessageErrorType } + * + */ + public void setErrorDescription(MessageErrorType value) { + this.errorDescription = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageErrorType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageErrorType.java new file mode 100644 index 000000000..45984c5e6 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageErrorType.java @@ -0,0 +1,109 @@ + +package gov.niem.release.niem.domains.cbrn._4; + +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type that describes a message error. + * + *

Java class for MessageErrorType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MessageErrorType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}ErrorCodeText"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}ErrorCodeDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MessageErrorType", propOrder = { + "errorCodeText", + "errorCodeDescriptionText" +}) +public class MessageErrorType + extends ObjectType +{ + + @XmlElement(name = "ErrorCodeText", required = true) + protected TextType errorCodeText; + @XmlElement(name = "ErrorCodeDescriptionText") + protected TextType errorCodeDescriptionText; + + /** + * Gets the value of the errorCodeText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getErrorCodeText() { + return errorCodeText; + } + + /** + * Sets the value of the errorCodeText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setErrorCodeText(TextType value) { + this.errorCodeText = value; + } + + /** + * Gets the value of the errorCodeDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getErrorCodeDescriptionText() { + return errorCodeDescriptionText; + } + + /** + * Sets the value of the errorCodeDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setErrorCodeDescriptionText(TextType value) { + this.errorCodeDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageStatusType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageStatusType.java new file mode 100644 index 000000000..1f1a6be6c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/MessageStatusType.java @@ -0,0 +1,238 @@ + +package gov.niem.release.niem.domains.cbrn._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.codes.cbrncl._4.CredentialsAuthenticatedCodeType; +import gov.niem.release.niem.codes.cbrncl._4.MessageStatusCodeType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type to provide success or error feedback on a message that has been received. + * + *

Java class for MessageStatusType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MessageStatusType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/cbrn/4.1/}SystemEventType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}CredentialsAuthenticatedCode"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}MessageStatusCode"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}MessageContentError" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}MessageHandlingError"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}ResendRequestIndicator"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}MessageStatusAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MessageStatusType", propOrder = { + "credentialsAuthenticatedCode", + "messageStatusCode", + "messageContentError", + "messageHandlingError", + "resendRequestIndicator", + "messageStatusAugmentationPoint" +}) +public class MessageStatusType + extends SystemEventType +{ + + @XmlElement(name = "CredentialsAuthenticatedCode", required = true) + protected CredentialsAuthenticatedCodeType credentialsAuthenticatedCode; + @XmlElement(name = "MessageStatusCode", required = true) + protected MessageStatusCodeType messageStatusCode; + @XmlElement(name = "MessageContentError") + protected List messageContentError; + @XmlElement(name = "MessageHandlingError", required = true) + protected MessageErrorType messageHandlingError; + @XmlElement(name = "ResendRequestIndicator", required = true) + protected Boolean resendRequestIndicator; + @XmlElementRef(name = "MessageStatusAugmentationPoint", namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", type = JAXBElement.class, required = false) + protected List> messageStatusAugmentationPoint; + + /** + * Gets the value of the credentialsAuthenticatedCode property. + * + * @return + * possible object is + * {@link CredentialsAuthenticatedCodeType } + * + */ + public CredentialsAuthenticatedCodeType getCredentialsAuthenticatedCode() { + return credentialsAuthenticatedCode; + } + + /** + * Sets the value of the credentialsAuthenticatedCode property. + * + * @param value + * allowed object is + * {@link CredentialsAuthenticatedCodeType } + * + */ + public void setCredentialsAuthenticatedCode(CredentialsAuthenticatedCodeType value) { + this.credentialsAuthenticatedCode = value; + } + + /** + * Gets the value of the messageStatusCode property. + * + * @return + * possible object is + * {@link MessageStatusCodeType } + * + */ + public MessageStatusCodeType getMessageStatusCode() { + return messageStatusCode; + } + + /** + * Sets the value of the messageStatusCode property. + * + * @param value + * allowed object is + * {@link MessageStatusCodeType } + * + */ + public void setMessageStatusCode(MessageStatusCodeType value) { + this.messageStatusCode = value; + } + + /** + * Gets the value of the messageContentError property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the messageContentError property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMessageContentError().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link MessageContentErrorType } + * + * + */ + public List getMessageContentError() { + if (messageContentError == null) { + messageContentError = new ArrayList(); + } + return this.messageContentError; + } + + /** + * Gets the value of the messageHandlingError property. + * + * @return + * possible object is + * {@link MessageErrorType } + * + */ + public MessageErrorType getMessageHandlingError() { + return messageHandlingError; + } + + /** + * Sets the value of the messageHandlingError property. + * + * @param value + * allowed object is + * {@link MessageErrorType } + * + */ + public void setMessageHandlingError(MessageErrorType value) { + this.messageHandlingError = value; + } + + /** + * Gets the value of the resendRequestIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getResendRequestIndicator() { + return resendRequestIndicator; + } + + /** + * Sets the value of the resendRequestIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setResendRequestIndicator(Boolean value) { + this.resendRequestIndicator = value; + } + + /** + * Gets the value of the messageStatusAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the messageStatusAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMessageStatusAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.MessageStatusAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.common.MessageStatusAugmentationType }{@code >} + * + * + */ + public List> getMessageStatusAugmentationPoint() { + if (messageStatusAugmentationPoint == null) { + messageStatusAugmentationPoint = new ArrayList>(); + } + return this.messageStatusAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/ObjectFactory.java new file mode 100644 index 000000000..d2c1afd95 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/ObjectFactory.java @@ -0,0 +1,278 @@ + +package gov.niem.release.niem.domains.cbrn._4; + +import javax.xml.namespace.QName; +import gov.niem.release.niem.codes.cbrncl._4.CredentialsAuthenticatedCodeType; +import gov.niem.release.niem.codes.cbrncl._4.MessageStatusCodeType; +import gov.niem.release.niem.codes.cbrncl._4.SystemOperatingModeCodeType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import gov.niem.release.niem.proxy.xsd._4.DateTime; +import gov.niem.release.niem.proxy.xsd._4.String; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlElementDecl; +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.domains.cbrn._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + private final static QName _MessageStatusAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "MessageStatusAugmentationPoint"); + private final static QName _CredentialsAuthenticatedCode_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "CredentialsAuthenticatedCode"); + private final static QName _ErrorCodeDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "ErrorCodeDescriptionText"); + private final static QName _ErrorCodeText_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "ErrorCodeText"); + private final static QName _ErrorDescription_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "ErrorDescription"); + private final static QName _ErrorNodeName_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "ErrorNodeName"); + private final static QName _MessageContentError_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "MessageContentError"); + private final static QName _MessageHandlingError_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "MessageHandlingError"); + private final static QName _MessageStatus_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "MessageStatus"); + private final static QName _MessageStatusCode_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "MessageStatusCode"); + private final static QName _MultimediaDataMIMEKindText_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "MultimediaDataMIMEKindText"); + private final static QName _ResendRequestIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "ResendRequestIndicator"); + private final static QName _SystemEventDateTime_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "SystemEventDateTime"); + private final static QName _SystemOperatingModeCode_QNAME = new QName("http://release.niem.gov/niem/domains/cbrn/4.1/", "SystemOperatingModeCode"); + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.domains.cbrn._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link MessageErrorType } + * + */ + public MessageErrorType createMessageErrorType() { + return new MessageErrorType(); + } + + /** + * Create an instance of {@link MessageContentErrorType } + * + */ + public MessageContentErrorType createMessageContentErrorType() { + return new MessageContentErrorType(); + } + + /** + * Create an instance of {@link MessageStatusType } + * + */ + public MessageStatusType createMessageStatusType() { + return new MessageStatusType(); + } + + /** + * Create an instance of {@link RemarksComplexObjectType } + * + */ + public RemarksComplexObjectType createRemarksComplexObjectType() { + return new RemarksComplexObjectType(); + } + + /** + * Create an instance of {@link SystemEventType } + * + */ + public SystemEventType createSystemEventType() { + return new SystemEventType(); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "MessageStatusAugmentationPoint") + public JAXBElement createMessageStatusAugmentationPoint(Object value) { + return new JAXBElement(_MessageStatusAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CredentialsAuthenticatedCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CredentialsAuthenticatedCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "CredentialsAuthenticatedCode") + public JAXBElement createCredentialsAuthenticatedCode(CredentialsAuthenticatedCodeType value) { + return new JAXBElement(_CredentialsAuthenticatedCode_QNAME, CredentialsAuthenticatedCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "ErrorCodeDescriptionText") + public JAXBElement createErrorCodeDescriptionText(TextType value) { + return new JAXBElement(_ErrorCodeDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "ErrorCodeText") + public JAXBElement createErrorCodeText(TextType value) { + return new JAXBElement(_ErrorCodeText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link MessageErrorType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link MessageErrorType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "ErrorDescription") + public JAXBElement createErrorDescription(MessageErrorType value) { + return new JAXBElement(_ErrorDescription_QNAME, MessageErrorType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "ErrorNodeName") + public JAXBElement createErrorNodeName(TextType value) { + return new JAXBElement(_ErrorNodeName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link MessageContentErrorType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link MessageContentErrorType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "MessageContentError") + public JAXBElement createMessageContentError(MessageContentErrorType value) { + return new JAXBElement(_MessageContentError_QNAME, MessageContentErrorType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link MessageErrorType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link MessageErrorType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "MessageHandlingError") + public JAXBElement createMessageHandlingError(MessageErrorType value) { + return new JAXBElement(_MessageHandlingError_QNAME, MessageErrorType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link MessageStatusType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link MessageStatusType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "MessageStatus") + public JAXBElement createMessageStatus(MessageStatusType value) { + return new JAXBElement(_MessageStatus_QNAME, MessageStatusType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link MessageStatusCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link MessageStatusCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "MessageStatusCode") + public JAXBElement createMessageStatusCode(MessageStatusCodeType value) { + return new JAXBElement(_MessageStatusCode_QNAME, MessageStatusCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "MultimediaDataMIMEKindText") + public JAXBElement createMultimediaDataMIMEKindText(String value) { + return new JAXBElement(_MultimediaDataMIMEKindText_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "ResendRequestIndicator") + public JAXBElement createResendRequestIndicator(Boolean value) { + return new JAXBElement(_ResendRequestIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateTime }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateTime }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "SystemEventDateTime") + public JAXBElement createSystemEventDateTime(DateTime value) { + return new JAXBElement(_SystemEventDateTime_QNAME, DateTime.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SystemOperatingModeCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SystemOperatingModeCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", name = "SystemOperatingModeCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "SystemOperatingModeAbstract") + public JAXBElement createSystemOperatingModeCode(SystemOperatingModeCodeType value) { + return new JAXBElement(_SystemOperatingModeCode_QNAME, SystemOperatingModeCodeType.class, null, value); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/RemarksComplexObjectType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/RemarksComplexObjectType.java new file mode 100644 index 000000000..ed92015aa --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/RemarksComplexObjectType.java @@ -0,0 +1,52 @@ + +package gov.niem.release.niem.domains.cbrn._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type providing a Remark via inheritance to applicable Types. + * + *

Java class for RemarksComplexObjectType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="RemarksComplexObjectType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "RemarksComplexObjectType") +@XmlSeeAlso({ + SystemEventType.class +}) +public class RemarksComplexObjectType + extends ObjectType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/SystemEventType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/SystemEventType.java new file mode 100644 index 000000000..57ff73d9a --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/SystemEventType.java @@ -0,0 +1,137 @@ + +package gov.niem.release.niem.domains.cbrn._4; + +import gov.niem.release.niem.codes.cbrncl._4.SystemOperatingModeCodeType; +import gov.niem.release.niem.proxy.xsd._4.DateTime; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a system event. + * + *

Java class for SystemEventType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SystemEventType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/cbrn/4.1/}RemarksComplexObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}SystemEventDateTime"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}SystemOperatingModeAbstract"/>
+ *       </sequence>
+ *       <attribute ref="{http://release.niem.gov/niem/domains/cbrn/4.1/}systemSimulatedIndicator use="required""/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SystemEventType", propOrder = { + "systemEventDateTime", + "systemOperatingModeAbstract" +}) +@XmlSeeAlso({ + MessageStatusType.class +}) +public class SystemEventType + extends RemarksComplexObjectType +{ + + @XmlElement(name = "SystemEventDateTime", required = true) + protected DateTime systemEventDateTime; + @XmlElementRef(name = "SystemOperatingModeAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class) + protected JAXBElement systemOperatingModeAbstract; + @XmlAttribute(name = "systemSimulatedIndicator", namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", required = true) + protected boolean systemSimulatedIndicator; + + /** + * Gets the value of the systemEventDateTime property. + * + * @return + * possible object is + * {@link DateTime } + * + */ + public DateTime getSystemEventDateTime() { + return systemEventDateTime; + } + + /** + * Sets the value of the systemEventDateTime property. + * + * @param value + * allowed object is + * {@link DateTime } + * + */ + public void setSystemEventDateTime(DateTime value) { + this.systemEventDateTime = value; + } + + /** + * Gets the value of the systemOperatingModeAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link SystemOperatingModeCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getSystemOperatingModeAbstract() { + return systemOperatingModeAbstract; + } + + /** + * Sets the value of the systemOperatingModeAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link SystemOperatingModeCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setSystemOperatingModeAbstract(JAXBElement value) { + this.systemOperatingModeAbstract = value; + } + + /** + * Gets the value of the systemSimulatedIndicator property. + * + */ + public boolean isSystemSimulatedIndicator() { + return systemSimulatedIndicator; + } + + /** + * Sets the value of the systemSimulatedIndicator property. + * + */ + public void setSystemSimulatedIndicator(boolean value) { + this.systemSimulatedIndicator = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/package-info.java new file mode 100644 index 000000000..3dd64fd3f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/cbrn/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/domains/cbrn/4.1/", elementFormDefault = jakarta.xml.bind.annotation.XmlNsForm.QUALIFIED) +package gov.niem.release.niem.domains.cbrn._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildSupportEnforcementCaseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildSupportEnforcementCaseType.java new file mode 100644 index 000000000..74e4c71ab --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildSupportEnforcementCaseType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.CaseType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a child support enforcement case. + * + *

Java class for ChildSupportEnforcementCaseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ChildSupportEnforcementCaseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}CaseType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}SupportingGroundsDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ChildSupportEnforcementCaseType", propOrder = { + "supportingGroundsDescriptionText" +}) +public class ChildSupportEnforcementCaseType + extends CaseType +{ + + @XmlElement(name = "SupportingGroundsDescriptionText") + protected TextType supportingGroundsDescriptionText; + + /** + * Gets the value of the supportingGroundsDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getSupportingGroundsDescriptionText() { + return supportingGroundsDescriptionText; + } + + /** + * Sets the value of the supportingGroundsDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setSupportingGroundsDescriptionText(TextType value) { + this.supportingGroundsDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildType.java new file mode 100644 index 000000000..d96ccef89 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ChildType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for information about a person who has not yet reached the age of legal majority (i.e., adulthood). + * + *

Java class for ChildType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ChildType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}RoleOfPerson"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ChildType", propOrder = { + "roleOfPerson" +}) +public class ChildType + extends ObjectType +{ + + @XmlElement(name = "RoleOfPerson", namespace = "http://release.niem.gov/niem/niem-core/4.0/", required = true, nillable = true) + protected PersonType roleOfPerson; + + /** + * Gets the value of the roleOfPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getRoleOfPerson() { + return roleOfPerson; + } + + /** + * Sets the value of the roleOfPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setRoleOfPerson(PersonType value) { + this.roleOfPerson = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/DependencyPetitionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/DependencyPetitionType.java new file mode 100644 index 000000000..ca5708d35 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/DependencyPetitionType.java @@ -0,0 +1,48 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.DocumentType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a document that is filed with the Court, typically by an attorney representing the Child Welfare Agency, that formally files allegations of abuse and/or neglect against one or more alleged perpetrators. + * + *

Java class for DependencyPetitionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DependencyPetitionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}DocumentType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DependencyPetitionType") +public class DependencyPetitionType + extends DocumentType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileAbuseNeglectAllegationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileAbuseNeglectAllegationType.java new file mode 100644 index 000000000..cd27a371b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileAbuseNeglectAllegationType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.domains.jxdm._6.ChargeType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for allegations of juvenile abuse or neglect. + * + *

Java class for JuvenileAbuseNeglectAllegationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenileAbuseNeglectAllegationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}AbuseNeglectAllegationCategoryText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenileAbuseNeglectAllegationType", propOrder = { + "abuseNeglectAllegationCategoryText" +}) +public class JuvenileAbuseNeglectAllegationType + extends ChargeType +{ + + @XmlElement(name = "AbuseNeglectAllegationCategoryText") + protected TextType abuseNeglectAllegationCategoryText; + + /** + * Gets the value of the abuseNeglectAllegationCategoryText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getAbuseNeglectAllegationCategoryText() { + return abuseNeglectAllegationCategoryText; + } + + /** + * Sets the value of the abuseNeglectAllegationCategoryText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setAbuseNeglectAllegationCategoryText(TextType value) { + this.abuseNeglectAllegationCategoryText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileCaseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileCaseType.java new file mode 100644 index 000000000..8b883232d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileCaseType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.CaseType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a juvenile case. + * + *

Java class for JuvenileCaseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenileCaseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}CaseType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}Juvenile"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenileCaseType", propOrder = { + "juvenile" +}) +public class JuvenileCaseType + extends CaseType +{ + + @XmlElement(name = "Juvenile", required = true) + protected JuvenileType juvenile; + + /** + * Gets the value of the juvenile property. + * + * @return + * possible object is + * {@link JuvenileType } + * + */ + public JuvenileType getJuvenile() { + return juvenile; + } + + /** + * Sets the value of the juvenile property. + * + * @param value + * allowed object is + * {@link JuvenileType } + * + */ + public void setJuvenile(JuvenileType value) { + this.juvenile = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileGangAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileGangAssociationType.java new file mode 100644 index 000000000..300e13e6a --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileGangAssociationType.java @@ -0,0 +1,88 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association between a juvenile and a criminal gang organization. + * + *

Java class for JuvenileGangAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenileGangAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}GangOrganization" maxOccurs="unbounded"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenileGangAssociationType", propOrder = { + "gangOrganization" +}) +public class JuvenileGangAssociationType + extends AssociationType +{ + + @XmlElement(name = "GangOrganization", required = true, nillable = true) + protected List gangOrganization; + + /** + * Gets the value of the gangOrganization property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the gangOrganization property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getGangOrganization().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link OrganizationType } + * + * + */ + public List getGangOrganization() { + if (gangOrganization == null) { + gangOrganization = new ArrayList(); + } + return this.gangOrganization; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementFacilityAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementFacilityAssociationType.java new file mode 100644 index 000000000..ae1a4e80d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementFacilityAssociationType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.FacilityType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association between a juvenile and a facility where the juvenile is directed to reside (e.g., orphanage, detention center, etc.). + * + *

Java class for JuvenilePlacementFacilityAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenilePlacementFacilityAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}PlacementFacility"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenilePlacementFacilityAssociationType", propOrder = { + "placementFacility" +}) +public class JuvenilePlacementFacilityAssociationType + extends AssociationType +{ + + @XmlElement(name = "PlacementFacility", required = true) + protected FacilityType placementFacility; + + /** + * Gets the value of the placementFacility property. + * + * @return + * possible object is + * {@link FacilityType } + * + */ + public FacilityType getPlacementFacility() { + return placementFacility; + } + + /** + * Sets the value of the placementFacility property. + * + * @param value + * allowed object is + * {@link FacilityType } + * + */ + public void setPlacementFacility(FacilityType value) { + this.placementFacility = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementPersonAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementPersonAssociationType.java new file mode 100644 index 000000000..212d530b5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementPersonAssociationType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association between a juvenile and a person with whom the juvenile is directed to reside (e.g., foster parent, grandparent, etc.). + * + *

Java class for JuvenilePlacementPersonAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenilePlacementPersonAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}PlacementPerson"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenilePlacementPersonAssociationType", propOrder = { + "placementPerson" +}) +public class JuvenilePlacementPersonAssociationType + extends AssociationType +{ + + @XmlElement(name = "PlacementPerson", required = true, nillable = true) + protected PersonType placementPerson; + + /** + * Gets the value of the placementPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getPlacementPerson() { + return placementPerson; + } + + /** + * Sets the value of the placementPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setPlacementPerson(PersonType value) { + this.placementPerson = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementType.java new file mode 100644 index 000000000..2fc549415 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenilePlacementType.java @@ -0,0 +1,47 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for information about where a juvenile is directed to reside during the pendency of a delinquency proceeding. + * + *

Java class for JuvenilePlacementType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenilePlacementType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/humanServices/4.1/}PlacementType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenilePlacementType") +public class JuvenilePlacementType + extends PlacementType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileType.java new file mode 100644 index 000000000..3eccb48a9 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/JuvenileType.java @@ -0,0 +1,109 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a juvenile. + * + *

Java class for JuvenileType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JuvenileType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}RoleOfPerson"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}JuvenileAugmentationPoint"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JuvenileType", propOrder = { + "roleOfPerson", + "juvenileAugmentationPoint" +}) +public class JuvenileType + extends ObjectType +{ + + @XmlElement(name = "RoleOfPerson", namespace = "http://release.niem.gov/niem/niem-core/4.0/", required = true, nillable = true) + protected PersonType roleOfPerson; + @XmlElement(name = "JuvenileAugmentationPoint", required = true) + protected Object juvenileAugmentationPoint; + + /** + * Gets the value of the roleOfPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getRoleOfPerson() { + return roleOfPerson; + } + + /** + * Sets the value of the roleOfPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setRoleOfPerson(PersonType value) { + this.roleOfPerson = value; + } + + /** + * Gets the value of the juvenileAugmentationPoint property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getJuvenileAugmentationPoint() { + return juvenileAugmentationPoint; + } + + /** + * Sets the value of the juvenileAugmentationPoint property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setJuvenileAugmentationPoint(Object value) { + this.juvenileAugmentationPoint = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ObjectFactory.java new file mode 100644 index 000000000..70faf2ef0 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ObjectFactory.java @@ -0,0 +1,539 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import javax.xml.namespace.QName; +import gov.niem.release.niem.niem_core._4.FacilityType; +import gov.niem.release.niem.niem_core._4.IncidentType; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlElementDecl; +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.domains.humanservices._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + private final static QName _AbuseNeglectAllegationCategoryText_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "AbuseNeglectAllegationCategoryText"); + private final static QName _BiologicalParentDeterminationDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "BiologicalParentDeterminationDescriptionText"); + private final static QName _Child_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "Child"); + private final static QName _ChildSupportEnforcementCase_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "ChildSupportEnforcementCase"); + private final static QName _DelinquentAct_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "DelinquentAct"); + private final static QName _DependencyPetition_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "DependencyPetition"); + private final static QName _GangOrganization_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "GangOrganization"); + private final static QName _Juvenile_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "Juvenile"); + private final static QName _JuvenileAbuseNeglectAllegation_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "JuvenileAbuseNeglectAllegation"); + private final static QName _JuvenileAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "JuvenileAugmentationPoint"); + private final static QName _JuvenileCase_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "JuvenileCase"); + private final static QName _JuvenilePlacement_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "JuvenilePlacement"); + private final static QName _JuvenilePlacementFacilityAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "JuvenilePlacementFacilityAssociation"); + private final static QName _JuvenilePlacementPersonAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "JuvenilePlacementPersonAssociation"); + private final static QName _Parent_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "Parent"); + private final static QName _ParentChildAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "ParentChildAssociation"); + private final static QName _ParentChildKinshipCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "ParentChildKinshipCategoryAbstract"); + private final static QName _ParentChildKinshipCategoryCode_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "ParentChildKinshipCategoryCode"); + private final static QName _PersonCaseAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PersonCaseAssociation"); + private final static QName _PersonCaseAssociationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PersonCaseAssociationAugmentationPoint"); + private final static QName _PlacementAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PlacementAugmentationPoint"); + private final static QName _PlacementCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PlacementCategoryAbstract"); + private final static QName _PlacementCategoryCode_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PlacementCategoryCode"); + private final static QName _PlacementFacility_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PlacementFacility"); + private final static QName _PlacementPerson_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "PlacementPerson"); + private final static QName _StateDisbursementIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "StateDisbursementIndicator"); + private final static QName _SupportingGroundsDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/humanServices/4.1/", "SupportingGroundsDescriptionText"); + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.domains.humanservices._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link ChildType } + * + */ + public ChildType createChildType() { + return new ChildType(); + } + + /** + * Create an instance of {@link ChildSupportEnforcementCaseType } + * + */ + public ChildSupportEnforcementCaseType createChildSupportEnforcementCaseType() { + return new ChildSupportEnforcementCaseType(); + } + + /** + * Create an instance of {@link DependencyPetitionType } + * + */ + public DependencyPetitionType createDependencyPetitionType() { + return new DependencyPetitionType(); + } + + /** + * Create an instance of {@link JuvenileType } + * + */ + public JuvenileType createJuvenileType() { + return new JuvenileType(); + } + + /** + * Create an instance of {@link JuvenileAbuseNeglectAllegationType } + * + */ + public JuvenileAbuseNeglectAllegationType createJuvenileAbuseNeglectAllegationType() { + return new JuvenileAbuseNeglectAllegationType(); + } + + /** + * Create an instance of {@link JuvenileCaseType } + * + */ + public JuvenileCaseType createJuvenileCaseType() { + return new JuvenileCaseType(); + } + + /** + * Create an instance of {@link JuvenilePlacementType } + * + */ + public JuvenilePlacementType createJuvenilePlacementType() { + return new JuvenilePlacementType(); + } + + /** + * Create an instance of {@link JuvenilePlacementFacilityAssociationType } + * + */ + public JuvenilePlacementFacilityAssociationType createJuvenilePlacementFacilityAssociationType() { + return new JuvenilePlacementFacilityAssociationType(); + } + + /** + * Create an instance of {@link JuvenilePlacementPersonAssociationType } + * + */ + public JuvenilePlacementPersonAssociationType createJuvenilePlacementPersonAssociationType() { + return new JuvenilePlacementPersonAssociationType(); + } + + /** + * Create an instance of {@link ParentChildAssociationType } + * + */ + public ParentChildAssociationType createParentChildAssociationType() { + return new ParentChildAssociationType(); + } + + /** + * Create an instance of {@link ParentChildKinshipCategoryCodeType } + * + */ + public ParentChildKinshipCategoryCodeType createParentChildKinshipCategoryCodeType() { + return new ParentChildKinshipCategoryCodeType(); + } + + /** + * Create an instance of {@link PersonCaseAssociationType } + * + */ + public PersonCaseAssociationType createPersonCaseAssociationType() { + return new PersonCaseAssociationType(); + } + + /** + * Create an instance of {@link PlacementLocationCodeType } + * + */ + public PlacementLocationCodeType createPlacementLocationCodeType() { + return new PlacementLocationCodeType(); + } + + /** + * Create an instance of {@link JuvenileGangAssociationType } + * + */ + public JuvenileGangAssociationType createJuvenileGangAssociationType() { + return new JuvenileGangAssociationType(); + } + + /** + * Create an instance of {@link PlacementType } + * + */ + public PlacementType createPlacementType() { + return new PlacementType(); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "AbuseNeglectAllegationCategoryText") + public JAXBElement createAbuseNeglectAllegationCategoryText(TextType value) { + return new JAXBElement(_AbuseNeglectAllegationCategoryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "BiologicalParentDeterminationDescriptionText") + public JAXBElement createBiologicalParentDeterminationDescriptionText(TextType value) { + return new JAXBElement(_BiologicalParentDeterminationDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChildType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChildType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "Child") + public JAXBElement createChild(ChildType value) { + return new JAXBElement(_Child_QNAME, ChildType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChildSupportEnforcementCaseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChildSupportEnforcementCaseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "ChildSupportEnforcementCase", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "Case") + public JAXBElement createChildSupportEnforcementCase(ChildSupportEnforcementCaseType value) { + return new JAXBElement(_ChildSupportEnforcementCase_QNAME, ChildSupportEnforcementCaseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IncidentType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IncidentType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "DelinquentAct") + public JAXBElement createDelinquentAct(IncidentType value) { + return new JAXBElement(_DelinquentAct_QNAME, IncidentType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DependencyPetitionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DependencyPetitionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "DependencyPetition") + public JAXBElement createDependencyPetition(DependencyPetitionType value) { + return new JAXBElement(_DependencyPetition_QNAME, DependencyPetitionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "GangOrganization") + public JAXBElement createGangOrganization(OrganizationType value) { + return new JAXBElement(_GangOrganization_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JuvenileType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JuvenileType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "Juvenile") + public JAXBElement createJuvenile(JuvenileType value) { + return new JAXBElement(_Juvenile_QNAME, JuvenileType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JuvenileAbuseNeglectAllegationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JuvenileAbuseNeglectAllegationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "JuvenileAbuseNeglectAllegation") + public JAXBElement createJuvenileAbuseNeglectAllegation(JuvenileAbuseNeglectAllegationType value) { + return new JAXBElement(_JuvenileAbuseNeglectAllegation_QNAME, JuvenileAbuseNeglectAllegationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "JuvenileAugmentationPoint") + public JAXBElement createJuvenileAugmentationPoint(Object value) { + return new JAXBElement(_JuvenileAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JuvenileCaseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JuvenileCaseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "JuvenileCase") + public JAXBElement createJuvenileCase(JuvenileCaseType value) { + return new JAXBElement(_JuvenileCase_QNAME, JuvenileCaseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JuvenilePlacementType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JuvenilePlacementType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "JuvenilePlacement") + public JAXBElement createJuvenilePlacement(JuvenilePlacementType value) { + return new JAXBElement(_JuvenilePlacement_QNAME, JuvenilePlacementType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JuvenilePlacementFacilityAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JuvenilePlacementFacilityAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "JuvenilePlacementFacilityAssociation") + public JAXBElement createJuvenilePlacementFacilityAssociation(JuvenilePlacementFacilityAssociationType value) { + return new JAXBElement(_JuvenilePlacementFacilityAssociation_QNAME, JuvenilePlacementFacilityAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JuvenilePlacementPersonAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JuvenilePlacementPersonAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "JuvenilePlacementPersonAssociation") + public JAXBElement createJuvenilePlacementPersonAssociation(JuvenilePlacementPersonAssociationType value) { + return new JAXBElement(_JuvenilePlacementPersonAssociation_QNAME, JuvenilePlacementPersonAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "Parent") + public JAXBElement createParent(PersonType value) { + return new JAXBElement(_Parent_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ParentChildAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ParentChildAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "ParentChildAssociation") + public JAXBElement createParentChildAssociation(ParentChildAssociationType value) { + return new JAXBElement(_ParentChildAssociation_QNAME, ParentChildAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "ParentChildKinshipCategoryAbstract") + public JAXBElement createParentChildKinshipCategoryAbstract(Object value) { + return new JAXBElement(_ParentChildKinshipCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ParentChildKinshipCategoryCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ParentChildKinshipCategoryCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "ParentChildKinshipCategoryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", substitutionHeadName = "ParentChildKinshipCategoryAbstract") + public JAXBElement createParentChildKinshipCategoryCode(ParentChildKinshipCategoryCodeType value) { + return new JAXBElement(_ParentChildKinshipCategoryCode_QNAME, ParentChildKinshipCategoryCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonCaseAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonCaseAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PersonCaseAssociation") + public JAXBElement createPersonCaseAssociation(PersonCaseAssociationType value) { + return new JAXBElement(_PersonCaseAssociation_QNAME, PersonCaseAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PersonCaseAssociationAugmentationPoint") + public JAXBElement createPersonCaseAssociationAugmentationPoint(Object value) { + return new JAXBElement(_PersonCaseAssociationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PlacementAugmentationPoint") + public JAXBElement createPlacementAugmentationPoint(Object value) { + return new JAXBElement(_PlacementAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PlacementCategoryAbstract") + public JAXBElement createPlacementCategoryAbstract(Object value) { + return new JAXBElement(_PlacementCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PlacementLocationCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PlacementLocationCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PlacementCategoryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", substitutionHeadName = "PlacementCategoryAbstract") + public JAXBElement createPlacementCategoryCode(PlacementLocationCodeType value) { + return new JAXBElement(_PlacementCategoryCode_QNAME, PlacementLocationCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link FacilityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link FacilityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PlacementFacility") + public JAXBElement createPlacementFacility(FacilityType value) { + return new JAXBElement(_PlacementFacility_QNAME, FacilityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "PlacementPerson") + public JAXBElement createPlacementPerson(PersonType value) { + return new JAXBElement(_PlacementPerson_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "StateDisbursementIndicator") + public JAXBElement createStateDisbursementIndicator(Boolean value) { + return new JAXBElement(_StateDisbursementIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", name = "SupportingGroundsDescriptionText") + public JAXBElement createSupportingGroundsDescriptionText(TextType value) { + return new JAXBElement(_SupportingGroundsDescriptionText_QNAME, TextType.class, null, value); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildAssociationType.java new file mode 100644 index 000000000..a89088b14 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildAssociationType.java @@ -0,0 +1,177 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association between a child and a person who is in a parent role toward that child. + * + *

Java class for ParentChildAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ParentChildAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}Child"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}Parent" maxOccurs="unbounded"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}ParentChildKinshipCategoryAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}BiologicalParentDeterminationDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ParentChildAssociationType", propOrder = { + "child", + "parent", + "parentChildKinshipCategoryAbstract", + "biologicalParentDeterminationDescriptionText" +}) +public class ParentChildAssociationType + extends AssociationType +{ + + @XmlElement(name = "Child", required = true) + protected ChildType child; + @XmlElement(name = "Parent", required = true, nillable = true) + protected List parent; + @XmlElementRef(name = "ParentChildKinshipCategoryAbstract", namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", type = JAXBElement.class, required = false) + protected JAXBElement parentChildKinshipCategoryAbstract; + @XmlElement(name = "BiologicalParentDeterminationDescriptionText") + protected TextType biologicalParentDeterminationDescriptionText; + + /** + * Gets the value of the child property. + * + * @return + * possible object is + * {@link ChildType } + * + */ + public ChildType getChild() { + return child; + } + + /** + * Sets the value of the child property. + * + * @param value + * allowed object is + * {@link ChildType } + * + */ + public void setChild(ChildType value) { + this.child = value; + } + + /** + * Gets the value of the parent property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the parent property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getParent().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link PersonType } + * + * + */ + public List getParent() { + if (parent == null) { + parent = new ArrayList(); + } + return this.parent; + } + + /** + * Gets the value of the parentChildKinshipCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link ParentChildKinshipCategoryCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getParentChildKinshipCategoryAbstract() { + return parentChildKinshipCategoryAbstract; + } + + /** + * Sets the value of the parentChildKinshipCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link ParentChildKinshipCategoryCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setParentChildKinshipCategoryAbstract(JAXBElement value) { + this.parentChildKinshipCategoryAbstract = value; + } + + /** + * Gets the value of the biologicalParentDeterminationDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getBiologicalParentDeterminationDescriptionText() { + return biologicalParentDeterminationDescriptionText; + } + + /** + * Sets the value of the biologicalParentDeterminationDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setBiologicalParentDeterminationDescriptionText(TextType value) { + this.biologicalParentDeterminationDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeSimpleType.java new file mode 100644 index 000000000..aa53b3ac6 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeSimpleType.java @@ -0,0 +1,100 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for ParentChildKinshipCategoryCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="ParentChildKinshipCategoryCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="Adoption"/>
+ *     <enumeration value="Biological"/>
+ *     <enumeration value="Foster"/>
+ *     <enumeration value="Guardianship"/>
+ *     <enumeration value="Marriage"/>
+ *     <enumeration value="Putative"/>
+ *     <enumeration value="Surrogate"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "ParentChildKinshipCategoryCodeSimpleType") +@XmlEnum +public enum ParentChildKinshipCategoryCodeSimpleType { + + + /** + * Adoption + * + */ + @XmlEnumValue("Adoption") + ADOPTION("Adoption"), + + /** + * Biological + * + */ + @XmlEnumValue("Biological") + BIOLOGICAL("Biological"), + + /** + * Foster + * + */ + @XmlEnumValue("Foster") + FOSTER("Foster"), + + /** + * Guardianship + * + */ + @XmlEnumValue("Guardianship") + GUARDIANSHIP("Guardianship"), + + /** + * Marriage + * + */ + @XmlEnumValue("Marriage") + MARRIAGE("Marriage"), + + /** + * Putative + * + */ + @XmlEnumValue("Putative") + PUTATIVE("Putative"), + + /** + * Surrogate + * + */ + @XmlEnumValue("Surrogate") + SURROGATE("Surrogate"); + private final String value; + + ParentChildKinshipCategoryCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static ParentChildKinshipCategoryCodeSimpleType fromValue(String v) { + for (ParentChildKinshipCategoryCodeSimpleType c: ParentChildKinshipCategoryCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeType.java new file mode 100644 index 000000000..67a9c96d4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/ParentChildKinshipCategoryCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for describing the nature of the relationship from a parent to a child + * + *

Java class for ParentChildKinshipCategoryCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ParentChildKinshipCategoryCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/domains/humanServices/4.1/>ParentChildKinshipCategoryCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ParentChildKinshipCategoryCodeType", propOrder = { + "value" +}) +public class ParentChildKinshipCategoryCodeType { + + @XmlValue + protected ParentChildKinshipCategoryCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for describing the nature of the relationship from a parent to a child + * + * @return + * possible object is + * {@link ParentChildKinshipCategoryCodeSimpleType } + * + */ + public ParentChildKinshipCategoryCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link ParentChildKinshipCategoryCodeSimpleType } + * + */ + public void setValue(ParentChildKinshipCategoryCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PersonCaseAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PersonCaseAssociationType.java new file mode 100644 index 000000000..e4b897cf9 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PersonCaseAssociationType.java @@ -0,0 +1,159 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.CaseType; +import gov.niem.release.niem.niem_core._4.PersonType; +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.civil.FiduciaryCaseAssociationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a relationship between a person and a case. + * + *

Java class for PersonCaseAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PersonCaseAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}Person" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}Case" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}PersonCaseAssociationAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PersonCaseAssociationType", propOrder = { + "person", + "_case", + "personCaseAssociationAugmentationPoint" +}) +@XmlSeeAlso({ + FiduciaryCaseAssociationType.class +}) +public class PersonCaseAssociationType + extends AssociationType +{ + + @XmlElement(name = "Person", namespace = "http://release.niem.gov/niem/niem-core/4.0/", nillable = true) + protected List person; + @XmlElementRef(name = "Case", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement _case; + @XmlElement(name = "PersonCaseAssociationAugmentationPoint") + protected List personCaseAssociationAugmentationPoint; + + /** + * Gets the value of the person property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the person property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getPerson().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link PersonType } + * + * + */ + public List getPerson() { + if (person == null) { + person = new ArrayList(); + } + return this.person; + } + + /** + * Gets the value of the case property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link ChildSupportEnforcementCaseType }{@code >} + * {@link JAXBElement }{@code <}{@link CaseType }{@code >} + * + */ + public JAXBElement getCase() { + return _case; + } + + /** + * Sets the value of the case property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link ChildSupportEnforcementCaseType }{@code >} + * {@link JAXBElement }{@code <}{@link CaseType }{@code >} + * + */ + public void setCase(JAXBElement value) { + this._case = value; + } + + /** + * Gets the value of the personCaseAssociationAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the personCaseAssociationAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getPersonCaseAssociationAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getPersonCaseAssociationAugmentationPoint() { + if (personCaseAssociationAugmentationPoint == null) { + personCaseAssociationAugmentationPoint = new ArrayList(); + } + return this.personCaseAssociationAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeSimpleType.java new file mode 100644 index 000000000..18befe016 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeSimpleType.java @@ -0,0 +1,137 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for PlacementLocationCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="PlacementLocationCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="Family"/>
+ *     <enumeration value="Father"/>
+ *     <enumeration value="Fictive Kin"/>
+ *     <enumeration value="Foster Group Home"/>
+ *     <enumeration value="Foster Home"/>
+ *     <enumeration value="Foster Home Adoptive"/>
+ *     <enumeration value="Habitative Foster Home"/>
+ *     <enumeration value="Mother"/>
+ *     <enumeration value="Psychiatric Hospital"/>
+ *     <enumeration value="RSA"/>
+ *     <enumeration value="RTC"/>
+ *     <enumeration value="TFH"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "PlacementLocationCodeSimpleType") +@XmlEnum +public enum PlacementLocationCodeSimpleType { + + + /** + * Family + * + */ + @XmlEnumValue("Family") + FAMILY("Family"), + + /** + * Father + * + */ + @XmlEnumValue("Father") + FATHER("Father"), + + /** + * Symbolic Relative (also known as Fictive Kin) + * + */ + @XmlEnumValue("Fictive Kin") + FICTIVE_KIN("Fictive Kin"), + + /** + * Foster Group Home + * + */ + @XmlEnumValue("Foster Group Home") + FOSTER_GROUP_HOME("Foster Group Home"), + + /** + * Foster Home + * + */ + @XmlEnumValue("Foster Home") + FOSTER_HOME("Foster Home"), + + /** + * Foster Home Adoptive + * + */ + @XmlEnumValue("Foster Home Adoptive") + FOSTER_HOME_ADOPTIVE("Foster Home Adoptive"), + + /** + * Habitative Foster Home + * + */ + @XmlEnumValue("Habitative Foster Home") + HABITATIVE_FOSTER_HOME("Habitative Foster Home"), + + /** + * Mother + * + */ + @XmlEnumValue("Mother") + MOTHER("Mother"), + + /** + * Psychiatric Hospital + * + */ + @XmlEnumValue("Psychiatric Hospital") + PSYCHIATRIC_HOSPITAL("Psychiatric Hospital"), + + /** + * Residential Substance Abuse Treatment Center + * + */ + RSA("RSA"), + + /** + * Residential Treatment Center + * + */ + RTC("RTC"), + + /** + * Therapeutic Foster Home + * + */ + TFH("TFH"); + private final String value; + + PlacementLocationCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static PlacementLocationCodeSimpleType fromValue(String v) { + for (PlacementLocationCodeSimpleType c: PlacementLocationCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeType.java new file mode 100644 index 000000000..7e86c2e0a --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementLocationCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a list that describes the location of a child or youth's placement. + * + *

Java class for PlacementLocationCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PlacementLocationCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/domains/humanServices/4.1/>PlacementLocationCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PlacementLocationCodeType", propOrder = { + "value" +}) +public class PlacementLocationCodeType { + + @XmlValue + protected PlacementLocationCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for a list that describes the location of a child or youth's placement. + * + * @return + * possible object is + * {@link PlacementLocationCodeSimpleType } + * + */ + public PlacementLocationCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link PlacementLocationCodeSimpleType } + * + */ + public void setValue(PlacementLocationCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementType.java new file mode 100644 index 000000000..3acae7b9f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/PlacementType.java @@ -0,0 +1,123 @@ + +package gov.niem.release.niem.domains.humanservices._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.ActivityType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for the placement history of a child or youth. + * + *

Java class for PlacementType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PlacementType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}PlacementCategoryAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/humanServices/4.1/}PlacementAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PlacementType", propOrder = { + "placementCategoryAbstract", + "placementAugmentationPoint" +}) +@XmlSeeAlso({ + JuvenilePlacementType.class +}) +public class PlacementType + extends ActivityType +{ + + @XmlElementRef(name = "PlacementCategoryAbstract", namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", type = JAXBElement.class, required = false) + protected JAXBElement placementCategoryAbstract; + @XmlElement(name = "PlacementAugmentationPoint") + protected List placementAugmentationPoint; + + /** + * Gets the value of the placementCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link PlacementLocationCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getPlacementCategoryAbstract() { + return placementCategoryAbstract; + } + + /** + * Sets the value of the placementCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link PlacementLocationCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setPlacementCategoryAbstract(JAXBElement value) { + this.placementCategoryAbstract = value; + } + + /** + * Gets the value of the placementAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the placementAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getPlacementAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getPlacementAugmentationPoint() { + if (placementAugmentationPoint == null) { + placementAugmentationPoint = new ArrayList(); + } + return this.placementAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/package-info.java new file mode 100644 index 000000000..e30e9b315 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/humanservices/_4/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/domains/humanServices/4.1/", elementFormDefault = jakarta.xml.bind.annotation.XmlNsForm.QUALIFIED) +package gov.niem.release.niem.domains.humanservices._4; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseNoticeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseNoticeType.java new file mode 100644 index 000000000..69c4cf966 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseNoticeType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.DocumentType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a request filed with an appellate court to start an appellate case. + * + *

Java class for AppellateCaseNoticeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="AppellateCaseNoticeType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}DocumentType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}AppellateCaseNoticeReasonText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "AppellateCaseNoticeType", propOrder = { + "appellateCaseNoticeReasonText" +}) +public class AppellateCaseNoticeType + extends DocumentType +{ + + @XmlElement(name = "AppellateCaseNoticeReasonText") + protected TextType appellateCaseNoticeReasonText; + + /** + * Gets the value of the appellateCaseNoticeReasonText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getAppellateCaseNoticeReasonText() { + return appellateCaseNoticeReasonText; + } + + /** + * Sets the value of the appellateCaseNoticeReasonText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setAppellateCaseNoticeReasonText(TextType value) { + this.appellateCaseNoticeReasonText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseType.java new file mode 100644 index 000000000..60e347919 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/AppellateCaseType.java @@ -0,0 +1,115 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.CaseType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a single case heard by a court to determine if the original case was tried properly and the defendant received a fair trial. + * + *

Java class for AppellateCaseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="AppellateCaseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}CaseType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}AppellateCaseNotice" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}AppellateCaseOriginalCase" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "AppellateCaseType", propOrder = { + "appellateCaseNotice", + "appellateCaseOriginalCase" +}) +public class AppellateCaseType + extends CaseType +{ + + @XmlElement(name = "AppellateCaseNotice", nillable = true) + protected AppellateCaseNoticeType appellateCaseNotice; + @XmlElement(name = "AppellateCaseOriginalCase", nillable = true) + protected List appellateCaseOriginalCase; + + /** + * Gets the value of the appellateCaseNotice property. + * + * @return + * possible object is + * {@link AppellateCaseNoticeType } + * + */ + public AppellateCaseNoticeType getAppellateCaseNotice() { + return appellateCaseNotice; + } + + /** + * Sets the value of the appellateCaseNotice property. + * + * @param value + * allowed object is + * {@link AppellateCaseNoticeType } + * + */ + public void setAppellateCaseNotice(AppellateCaseNoticeType value) { + this.appellateCaseNotice = value; + } + + /** + * Gets the value of the appellateCaseOriginalCase property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the appellateCaseOriginalCase property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getAppellateCaseOriginalCase().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link CaseType } + * + * + */ + public List getAppellateCaseOriginalCase() { + if (appellateCaseOriginalCase == null) { + appellateCaseOriginalCase = new ArrayList(); + } + return this.appellateCaseOriginalCase; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ArrestType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ArrestType.java new file mode 100644 index 000000000..85aac258d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ArrestType.java @@ -0,0 +1,286 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.ActivityType; +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.LocationType; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for the apprehension of a subject by a peace official. + * + *

Java class for ArrestType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ArrestType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestAgency" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestAgencyRecordIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestCharge" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestLocation" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestOfficial" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestSubject" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ArrestWarrant" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}Booking" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ArrestType", propOrder = { + "arrestAgency", + "arrestAgencyRecordIdentification", + "arrestCharge", + "arrestLocation", + "arrestOfficial", + "arrestSubject", + "arrestWarrant", + "booking" +}) +public class ArrestType + extends ActivityType +{ + + @XmlElement(name = "ArrestAgency", nillable = true) + protected OrganizationType arrestAgency; + @XmlElement(name = "ArrestAgencyRecordIdentification") + protected IdentificationType arrestAgencyRecordIdentification; + @XmlElement(name = "ArrestCharge", nillable = true) + protected List arrestCharge; + @XmlElement(name = "ArrestLocation", nillable = true) + protected LocationType arrestLocation; + @XmlElement(name = "ArrestOfficial") + protected EnforcementOfficialType arrestOfficial; + @XmlElement(name = "ArrestSubject") + protected SubjectType arrestSubject; + @XmlElement(name = "ArrestWarrant") + protected WarrantType arrestWarrant; + @XmlElement(name = "Booking") + protected BookingType booking; + + /** + * Gets the value of the arrestAgency property. + * + * @return + * possible object is + * {@link OrganizationType } + * + */ + public OrganizationType getArrestAgency() { + return arrestAgency; + } + + /** + * Sets the value of the arrestAgency property. + * + * @param value + * allowed object is + * {@link OrganizationType } + * + */ + public void setArrestAgency(OrganizationType value) { + this.arrestAgency = value; + } + + /** + * Gets the value of the arrestAgencyRecordIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getArrestAgencyRecordIdentification() { + return arrestAgencyRecordIdentification; + } + + /** + * Sets the value of the arrestAgencyRecordIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setArrestAgencyRecordIdentification(IdentificationType value) { + this.arrestAgencyRecordIdentification = value; + } + + /** + * Gets the value of the arrestCharge property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the arrestCharge property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getArrestCharge().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link ChargeType } + * + * + */ + public List getArrestCharge() { + if (arrestCharge == null) { + arrestCharge = new ArrayList(); + } + return this.arrestCharge; + } + + /** + * Gets the value of the arrestLocation property. + * + * @return + * possible object is + * {@link LocationType } + * + */ + public LocationType getArrestLocation() { + return arrestLocation; + } + + /** + * Sets the value of the arrestLocation property. + * + * @param value + * allowed object is + * {@link LocationType } + * + */ + public void setArrestLocation(LocationType value) { + this.arrestLocation = value; + } + + /** + * Gets the value of the arrestOfficial property. + * + * @return + * possible object is + * {@link EnforcementOfficialType } + * + */ + public EnforcementOfficialType getArrestOfficial() { + return arrestOfficial; + } + + /** + * Sets the value of the arrestOfficial property. + * + * @param value + * allowed object is + * {@link EnforcementOfficialType } + * + */ + public void setArrestOfficial(EnforcementOfficialType value) { + this.arrestOfficial = value; + } + + /** + * Gets the value of the arrestSubject property. + * + * @return + * possible object is + * {@link SubjectType } + * + */ + public SubjectType getArrestSubject() { + return arrestSubject; + } + + /** + * Sets the value of the arrestSubject property. + * + * @param value + * allowed object is + * {@link SubjectType } + * + */ + public void setArrestSubject(SubjectType value) { + this.arrestSubject = value; + } + + /** + * Gets the value of the arrestWarrant property. + * + * @return + * possible object is + * {@link WarrantType } + * + */ + public WarrantType getArrestWarrant() { + return arrestWarrant; + } + + /** + * Sets the value of the arrestWarrant property. + * + * @param value + * allowed object is + * {@link WarrantType } + * + */ + public void setArrestWarrant(WarrantType value) { + this.arrestWarrant = value; + } + + /** + * Gets the value of the booking property. + * + * @return + * possible object is + * {@link BookingType } + * + */ + public BookingType getBooking() { + return booking; + } + + /** + * Sets the value of the booking property. + * + * @param value + * allowed object is + * {@link BookingType } + * + */ + public void setBooking(BookingType value) { + this.booking = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/BookingType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/BookingType.java new file mode 100644 index 000000000..59f8ed057 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/BookingType.java @@ -0,0 +1,110 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.ActivityType; +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an administrative step taken after an arrest subject is brought to a police station or detention facility. + * + *

Java class for BookingType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="BookingType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}BookingAgency" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}BookingAgencyRecordIdentification" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "BookingType", propOrder = { + "bookingAgency", + "bookingAgencyRecordIdentification" +}) +public class BookingType + extends ActivityType +{ + + @XmlElement(name = "BookingAgency", nillable = true) + protected OrganizationType bookingAgency; + @XmlElement(name = "BookingAgencyRecordIdentification") + protected IdentificationType bookingAgencyRecordIdentification; + + /** + * Gets the value of the bookingAgency property. + * + * @return + * possible object is + * {@link OrganizationType } + * + */ + public OrganizationType getBookingAgency() { + return bookingAgency; + } + + /** + * Sets the value of the bookingAgency property. + * + * @param value + * allowed object is + * {@link OrganizationType } + * + */ + public void setBookingAgency(OrganizationType value) { + this.bookingAgency = value; + } + + /** + * Gets the value of the bookingAgencyRecordIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getBookingAgencyRecordIdentification() { + return bookingAgencyRecordIdentification; + } + + /** + * Sets the value of the bookingAgencyRecordIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setBookingAgencyRecordIdentification(IdentificationType value) { + this.bookingAgencyRecordIdentification = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseAugmentationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseAugmentationType.java new file mode 100644 index 000000000..dcdcd7ae2 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseAugmentationType.java @@ -0,0 +1,282 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.CaseType; +import gov.niem.release.niem.niem_core._4.EntityType; +import gov.niem.release.niem.structures._4.AugmentationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for additional information about a case. + * + *

Java class for CaseAugmentationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CaseAugmentationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}AugmentationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseCharge" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseCourt" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseCourtEvent" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseJudge" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseLineageCase" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseOfficial" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseOtherEntity" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CaseAugmentationType", propOrder = { + "caseCharge", + "caseCourt", + "caseCourtEvent", + "caseJudge", + "caseLineageCase", + "caseOfficial", + "caseOtherEntity" +}) +public class CaseAugmentationType + extends AugmentationType +{ + + @XmlElement(name = "CaseCharge", nillable = true) + protected List caseCharge; + @XmlElement(name = "CaseCourt") + protected CourtType caseCourt; + @XmlElement(name = "CaseCourtEvent") + protected List caseCourtEvent; + @XmlElement(name = "CaseJudge") + protected List caseJudge; + @XmlElement(name = "CaseLineageCase", nillable = true) + protected List caseLineageCase; + @XmlElement(name = "CaseOfficial") + protected List caseOfficial; + @XmlElement(name = "CaseOtherEntity") + protected List caseOtherEntity; + + /** + * Gets the value of the caseCharge property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseCharge property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseCharge().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link ChargeType } + * + * + */ + public List getCaseCharge() { + if (caseCharge == null) { + caseCharge = new ArrayList(); + } + return this.caseCharge; + } + + /** + * Gets the value of the caseCourt property. + * + * @return + * possible object is + * {@link CourtType } + * + */ + public CourtType getCaseCourt() { + return caseCourt; + } + + /** + * Sets the value of the caseCourt property. + * + * @param value + * allowed object is + * {@link CourtType } + * + */ + public void setCaseCourt(CourtType value) { + this.caseCourt = value; + } + + /** + * Gets the value of the caseCourtEvent property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseCourtEvent property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseCourtEvent().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link CourtEventType } + * + * + */ + public List getCaseCourtEvent() { + if (caseCourtEvent == null) { + caseCourtEvent = new ArrayList(); + } + return this.caseCourtEvent; + } + + /** + * Gets the value of the caseJudge property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseJudge property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseJudge().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link CaseOfficialType } + * + * + */ + public List getCaseJudge() { + if (caseJudge == null) { + caseJudge = new ArrayList(); + } + return this.caseJudge; + } + + /** + * Gets the value of the caseLineageCase property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseLineageCase property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseLineageCase().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link CaseType } + * + * + */ + public List getCaseLineageCase() { + if (caseLineageCase == null) { + caseLineageCase = new ArrayList(); + } + return this.caseLineageCase; + } + + /** + * Gets the value of the caseOfficial property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseOfficial property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseOfficial().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link CaseOfficialType } + * + * + */ + public List getCaseOfficial() { + if (caseOfficial == null) { + caseOfficial = new ArrayList(); + } + return this.caseOfficial; + } + + /** + * Gets the value of the caseOtherEntity property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseOtherEntity property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseOtherEntity().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link EntityType } + * + * + */ + public List getCaseOtherEntity() { + if (caseOtherEntity == null) { + caseOtherEntity = new ArrayList(); + } + return this.caseOtherEntity; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseOfficialType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseOfficialType.java new file mode 100644 index 000000000..d654fe377 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CaseOfficialType.java @@ -0,0 +1,121 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.IdentificationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.common.CaseJudgeAugmentationType; + + +/** + * A data type for an official's involvement in a case. + * + *

Java class for CaseOfficialType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CaseOfficialType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}JudicialOfficialType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseOfficialCaseIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CaseOfficialAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CaseOfficialType", propOrder = { + "caseOfficialCaseIdentification", + "caseOfficialAugmentationPoint" +}) +public class CaseOfficialType + extends JudicialOfficialType +{ + + @XmlElement(name = "CaseOfficialCaseIdentification") + protected IdentificationType caseOfficialCaseIdentification; + @XmlElementRef(name = "CaseOfficialAugmentationPoint", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected List> caseOfficialAugmentationPoint; + + /** + * Gets the value of the caseOfficialCaseIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getCaseOfficialCaseIdentification() { + return caseOfficialCaseIdentification; + } + + /** + * Sets the value of the caseOfficialCaseIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setCaseOfficialCaseIdentification(IdentificationType value) { + this.caseOfficialCaseIdentification = value; + } + + /** + * Gets the value of the caseOfficialAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseOfficialAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseOfficialAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.CaseOfficialAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link CaseJudgeAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.common.CaseOfficialAugmentationType }{@code >} + * + * + */ + public List> getCaseOfficialAugmentationPoint() { + if (caseOfficialAugmentationPoint == null) { + caseOfficialAugmentationPoint = new ArrayList>(); + } + return this.caseOfficialAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeDispositionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeDispositionType.java new file mode 100644 index 000000000..8a63e77b5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeDispositionType.java @@ -0,0 +1,48 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.DispositionType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for the results or processing of a charge. + * + *

Java class for ChargeDispositionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ChargeDispositionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}DispositionType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ChargeDispositionType") +public class ChargeDispositionType + extends DispositionType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeEnhancingFactorType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeEnhancingFactorType.java new file mode 100644 index 000000000..3d65d5841 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeEnhancingFactorType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a factor or reason that makes a charge more serious. + * + *

Java class for ChargeEnhancingFactorType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ChargeEnhancingFactorType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeEnhancingFactorText"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ChargeEnhancingFactorType", propOrder = { + "chargeEnhancingFactorText" +}) +public class ChargeEnhancingFactorType + extends ObjectType +{ + + @XmlElement(name = "ChargeEnhancingFactorText", required = true) + protected TextType chargeEnhancingFactorText; + + /** + * Gets the value of the chargeEnhancingFactorText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getChargeEnhancingFactorText() { + return chargeEnhancingFactorText; + } + + /** + * Sets the value of the chargeEnhancingFactorText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setChargeEnhancingFactorText(TextType value) { + this.chargeEnhancingFactorText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeType.java new file mode 100644 index 000000000..181d6efcd --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ChargeType.java @@ -0,0 +1,379 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.domains.humanservices._4.JuvenileAbuseNeglectAllegationType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.criminal.ChargeAugmentationType; +import tyler.ecf.v5_0.extensions.criminal.ChargeHistoryType; + + +/** + * A data type for a formal allegation that a specific person has committed a specific offense. + * + *

Java class for ChargeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ChargeType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeDegreeText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeDisposition" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeEnhancingAllegationCharge" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeEnhancingFactor" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeQualifierText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeSequenceID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeSeverityLevel" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeSpecialAllegationText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeStatute" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ChargeAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ChargeType", propOrder = { + "chargeDegreeText", + "chargeDescriptionText", + "chargeDisposition", + "chargeEnhancingAllegationCharge", + "chargeEnhancingFactor", + "chargeQualifierText", + "chargeSequenceID", + "chargeSeverityLevel", + "chargeSpecialAllegationText", + "chargeStatute", + "chargeAugmentationPoint" +}) +@XmlSeeAlso({ + JuvenileAbuseNeglectAllegationType.class, + ChargeHistoryType.class +}) +public class ChargeType + extends ObjectType +{ + + @XmlElement(name = "ChargeDegreeText") + protected TextType chargeDegreeText; + @XmlElement(name = "ChargeDescriptionText") + protected TextType chargeDescriptionText; + @XmlElement(name = "ChargeDisposition") + protected ChargeDispositionType chargeDisposition; + @XmlElement(name = "ChargeEnhancingAllegationCharge", nillable = true) + protected ChargeType chargeEnhancingAllegationCharge; + @XmlElement(name = "ChargeEnhancingFactor") + protected ChargeEnhancingFactorType chargeEnhancingFactor; + @XmlElement(name = "ChargeQualifierText") + protected TextType chargeQualifierText; + @XmlElement(name = "ChargeSequenceID") + protected gov.niem.release.niem.proxy.xsd._4.String chargeSequenceID; + @XmlElement(name = "ChargeSeverityLevel") + protected SeverityLevelType chargeSeverityLevel; + @XmlElement(name = "ChargeSpecialAllegationText") + protected TextType chargeSpecialAllegationText; + @XmlElement(name = "ChargeStatute", nillable = true) + protected StatuteType chargeStatute; + @XmlElementRef(name = "ChargeAugmentationPoint", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected List> chargeAugmentationPoint; + + /** + * Gets the value of the chargeDegreeText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getChargeDegreeText() { + return chargeDegreeText; + } + + /** + * Sets the value of the chargeDegreeText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setChargeDegreeText(TextType value) { + this.chargeDegreeText = value; + } + + /** + * Gets the value of the chargeDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getChargeDescriptionText() { + return chargeDescriptionText; + } + + /** + * Sets the value of the chargeDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setChargeDescriptionText(TextType value) { + this.chargeDescriptionText = value; + } + + /** + * Gets the value of the chargeDisposition property. + * + * @return + * possible object is + * {@link ChargeDispositionType } + * + */ + public ChargeDispositionType getChargeDisposition() { + return chargeDisposition; + } + + /** + * Sets the value of the chargeDisposition property. + * + * @param value + * allowed object is + * {@link ChargeDispositionType } + * + */ + public void setChargeDisposition(ChargeDispositionType value) { + this.chargeDisposition = value; + } + + /** + * Gets the value of the chargeEnhancingAllegationCharge property. + * + * @return + * possible object is + * {@link ChargeType } + * + */ + public ChargeType getChargeEnhancingAllegationCharge() { + return chargeEnhancingAllegationCharge; + } + + /** + * Sets the value of the chargeEnhancingAllegationCharge property. + * + * @param value + * allowed object is + * {@link ChargeType } + * + */ + public void setChargeEnhancingAllegationCharge(ChargeType value) { + this.chargeEnhancingAllegationCharge = value; + } + + /** + * Gets the value of the chargeEnhancingFactor property. + * + * @return + * possible object is + * {@link ChargeEnhancingFactorType } + * + */ + public ChargeEnhancingFactorType getChargeEnhancingFactor() { + return chargeEnhancingFactor; + } + + /** + * Sets the value of the chargeEnhancingFactor property. + * + * @param value + * allowed object is + * {@link ChargeEnhancingFactorType } + * + */ + public void setChargeEnhancingFactor(ChargeEnhancingFactorType value) { + this.chargeEnhancingFactor = value; + } + + /** + * Gets the value of the chargeQualifierText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getChargeQualifierText() { + return chargeQualifierText; + } + + /** + * Sets the value of the chargeQualifierText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setChargeQualifierText(TextType value) { + this.chargeQualifierText = value; + } + + /** + * Gets the value of the chargeSequenceID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getChargeSequenceID() { + return chargeSequenceID; + } + + /** + * Sets the value of the chargeSequenceID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setChargeSequenceID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.chargeSequenceID = value; + } + + /** + * Gets the value of the chargeSeverityLevel property. + * + * @return + * possible object is + * {@link SeverityLevelType } + * + */ + public SeverityLevelType getChargeSeverityLevel() { + return chargeSeverityLevel; + } + + /** + * Sets the value of the chargeSeverityLevel property. + * + * @param value + * allowed object is + * {@link SeverityLevelType } + * + */ + public void setChargeSeverityLevel(SeverityLevelType value) { + this.chargeSeverityLevel = value; + } + + /** + * Gets the value of the chargeSpecialAllegationText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getChargeSpecialAllegationText() { + return chargeSpecialAllegationText; + } + + /** + * Sets the value of the chargeSpecialAllegationText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setChargeSpecialAllegationText(TextType value) { + this.chargeSpecialAllegationText = value; + } + + /** + * Gets the value of the chargeStatute property. + * + * @return + * possible object is + * {@link StatuteType } + * + */ + public StatuteType getChargeStatute() { + return chargeStatute; + } + + /** + * Sets the value of the chargeStatute property. + * + * @param value + * allowed object is + * {@link StatuteType } + * + */ + public void setChargeStatute(StatuteType value) { + this.chargeStatute = value; + } + + /** + * Gets the value of the chargeAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the chargeAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getChargeAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link ChargeAugmentationType }{@code >} + * + * + */ + public List> getChargeAugmentationPoint() { + if (chargeAugmentationPoint == null) { + chargeAugmentationPoint = new ArrayList>(); + } + return this.chargeAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CitationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CitationType.java new file mode 100644 index 000000000..c02a6e40c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CitationType.java @@ -0,0 +1,195 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.ActivityType; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an official summons to appear in court or pay a fine. + * + *

Java class for CitationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CitationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CitationAgency" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CitationDismissalConditionIndicator" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CitationDismissalConditionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CitationIssuingOfficial" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CitationSubject" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CitationType", propOrder = { + "citationAgency", + "citationDismissalConditionIndicator", + "citationDismissalConditionText", + "citationIssuingOfficial", + "citationSubject" +}) +public class CitationType + extends ActivityType +{ + + @XmlElement(name = "CitationAgency", nillable = true) + protected OrganizationType citationAgency; + @XmlElement(name = "CitationDismissalConditionIndicator") + protected Boolean citationDismissalConditionIndicator; + @XmlElement(name = "CitationDismissalConditionText") + protected TextType citationDismissalConditionText; + @XmlElement(name = "CitationIssuingOfficial") + protected EnforcementOfficialType citationIssuingOfficial; + @XmlElement(name = "CitationSubject") + protected SubjectType citationSubject; + + /** + * Gets the value of the citationAgency property. + * + * @return + * possible object is + * {@link OrganizationType } + * + */ + public OrganizationType getCitationAgency() { + return citationAgency; + } + + /** + * Sets the value of the citationAgency property. + * + * @param value + * allowed object is + * {@link OrganizationType } + * + */ + public void setCitationAgency(OrganizationType value) { + this.citationAgency = value; + } + + /** + * Gets the value of the citationDismissalConditionIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getCitationDismissalConditionIndicator() { + return citationDismissalConditionIndicator; + } + + /** + * Sets the value of the citationDismissalConditionIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setCitationDismissalConditionIndicator(Boolean value) { + this.citationDismissalConditionIndicator = value; + } + + /** + * Gets the value of the citationDismissalConditionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getCitationDismissalConditionText() { + return citationDismissalConditionText; + } + + /** + * Sets the value of the citationDismissalConditionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setCitationDismissalConditionText(TextType value) { + this.citationDismissalConditionText = value; + } + + /** + * Gets the value of the citationIssuingOfficial property. + * + * @return + * possible object is + * {@link EnforcementOfficialType } + * + */ + public EnforcementOfficialType getCitationIssuingOfficial() { + return citationIssuingOfficial; + } + + /** + * Sets the value of the citationIssuingOfficial property. + * + * @param value + * allowed object is + * {@link EnforcementOfficialType } + * + */ + public void setCitationIssuingOfficial(EnforcementOfficialType value) { + this.citationIssuingOfficial = value; + } + + /** + * Gets the value of the citationSubject property. + * + * @return + * possible object is + * {@link SubjectType } + * + */ + public SubjectType getCitationSubject() { + return citationSubject; + } + + /** + * Sets the value of the citationSubject property. + * + * @param value + * allowed object is + * {@link SubjectType } + * + */ + public void setCitationSubject(SubjectType value) { + this.citationSubject = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ConveyanceRegistrationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ConveyanceRegistrationType.java new file mode 100644 index 000000000..cd03b5430 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ConveyanceRegistrationType.java @@ -0,0 +1,113 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a registration of a conveyance with an authority. + * + *

Java class for ConveyanceRegistrationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ConveyanceRegistrationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}ItemRegistrationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ConveyanceRegistrationPlateIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ConveyanceRegistrationPlateCategoryAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ConveyanceRegistrationType", propOrder = { + "conveyanceRegistrationPlateIdentification", + "conveyanceRegistrationPlateCategoryAbstract" +}) +public class ConveyanceRegistrationType + extends ItemRegistrationType +{ + + @XmlElement(name = "ConveyanceRegistrationPlateIdentification") + protected IdentificationType conveyanceRegistrationPlateIdentification; + @XmlElementRef(name = "ConveyanceRegistrationPlateCategoryAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement conveyanceRegistrationPlateCategoryAbstract; + + /** + * Gets the value of the conveyanceRegistrationPlateIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getConveyanceRegistrationPlateIdentification() { + return conveyanceRegistrationPlateIdentification; + } + + /** + * Sets the value of the conveyanceRegistrationPlateIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setConveyanceRegistrationPlateIdentification(IdentificationType value) { + this.conveyanceRegistrationPlateIdentification = value; + } + + /** + * Gets the value of the conveyanceRegistrationPlateCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getConveyanceRegistrationPlateCategoryAbstract() { + return conveyanceRegistrationPlateCategoryAbstract; + } + + /** + * Sets the value of the conveyanceRegistrationPlateCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setConveyanceRegistrationPlateCategoryAbstract(JAXBElement value) { + this.conveyanceRegistrationPlateCategoryAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtAppearanceType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtAppearanceType.java new file mode 100644 index 000000000..5da219607 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtAppearanceType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.DateType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an appearance required of a party in a court of law on a certain date. + * + *

Java class for CourtAppearanceType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CourtAppearanceType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtAppearanceDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CourtAppearanceType", propOrder = { + "courtAppearanceDate" +}) +public class CourtAppearanceType + extends ObjectType +{ + + @XmlElement(name = "CourtAppearanceDate") + protected DateType courtAppearanceDate; + + /** + * Gets the value of the courtAppearanceDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getCourtAppearanceDate() { + return courtAppearanceDate; + } + + /** + * Sets the value of the courtAppearanceDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setCourtAppearanceDate(DateType value) { + this.courtAppearanceDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtEventType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtEventType.java new file mode 100644 index 000000000..70d4c62c8 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtEventType.java @@ -0,0 +1,186 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.ActivityType; +import gov.niem.release.niem.niem_core._4.ScheduleDayType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a court occurrence. + * + *

Java class for CourtEventType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CourtEventType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtEventJudge" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtEventSchedule" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtEventSequenceID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtEventAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CourtEventType", propOrder = { + "courtEventJudge", + "courtEventSchedule", + "courtEventSequenceID", + "courtEventAugmentationPoint" +}) +public class CourtEventType + extends ActivityType +{ + + @XmlElement(name = "CourtEventJudge") + protected List courtEventJudge; + @XmlElement(name = "CourtEventSchedule") + protected List courtEventSchedule; + @XmlElement(name = "CourtEventSequenceID") + protected gov.niem.release.niem.proxy.xsd._4.String courtEventSequenceID; + @XmlElementRef(name = "CourtEventAugmentationPoint", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected List> courtEventAugmentationPoint; + + /** + * Gets the value of the courtEventJudge property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the courtEventJudge property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCourtEventJudge().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JudicialOfficialType } + * + * + */ + public List getCourtEventJudge() { + if (courtEventJudge == null) { + courtEventJudge = new ArrayList(); + } + return this.courtEventJudge; + } + + /** + * Gets the value of the courtEventSchedule property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the courtEventSchedule property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCourtEventSchedule().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link ScheduleDayType } + * + * + */ + public List getCourtEventSchedule() { + if (courtEventSchedule == null) { + courtEventSchedule = new ArrayList(); + } + return this.courtEventSchedule; + } + + /** + * Gets the value of the courtEventSequenceID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getCourtEventSequenceID() { + return courtEventSequenceID; + } + + /** + * Sets the value of the courtEventSequenceID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setCourtEventSequenceID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.courtEventSequenceID = value; + } + + /** + * Gets the value of the courtEventAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the courtEventAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCourtEventAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.CourtEventAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.common.CourtEventAugmentationType }{@code >} + * + * + */ + public List> getCourtEventAugmentationPoint() { + if (courtEventAugmentationPoint == null) { + courtEventAugmentationPoint = new ArrayList>(); + } + return this.courtEventAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtOrderType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtOrderType.java new file mode 100644 index 000000000..016fbfa1b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtOrderType.java @@ -0,0 +1,92 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.ActivityType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a direction of a judge not including a judgement, which determines some point or directs some steps in proceedings. + * + *

Java class for CourtOrderType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CourtOrderType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtOrderAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CourtOrderType", propOrder = { + "courtOrderAugmentationPoint" +}) +@XmlSeeAlso({ + WarrantType.class, + ProtectionOrderType.class +}) +public class CourtOrderType + extends ActivityType +{ + + @XmlElement(name = "CourtOrderAugmentationPoint") + protected List courtOrderAugmentationPoint; + + /** + * Gets the value of the courtOrderAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the courtOrderAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCourtOrderAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getCourtOrderAugmentationPoint() { + if (courtOrderAugmentationPoint == null) { + courtOrderAugmentationPoint = new ArrayList(); + } + return this.courtOrderAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtType.java new file mode 100644 index 000000000..77b7c24f5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/CourtType.java @@ -0,0 +1,116 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a court or a unit of a court responsible for trying justice proceedings. + * + *

Java class for CourtType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CourtType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}OrganizationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtName" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CourtType", propOrder = { + "courtName", + "courtAugmentationPoint" +}) +public class CourtType + extends OrganizationType +{ + + @XmlElement(name = "CourtName") + protected TextType courtName; + @XmlElement(name = "CourtAugmentationPoint") + protected List courtAugmentationPoint; + + /** + * Gets the value of the courtName property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getCourtName() { + return courtName; + } + + /** + * Sets the value of the courtName property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setCourtName(TextType value) { + this.courtName = value; + } + + /** + * Gets the value of the courtAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the courtAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCourtAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getCourtAugmentationPoint() { + if (courtAugmentationPoint == null) { + courtAugmentationPoint = new ArrayList(); + } + return this.courtAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseBaseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseBaseType.java new file mode 100644 index 000000000..efad778ab --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseBaseType.java @@ -0,0 +1,142 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.DateType; +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an authorization issued to a driver granting driving privileges. + * + *

Java class for DriverLicenseBaseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DriverLicenseBaseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseIdentification"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseExpirationDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseIssueDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DriverLicenseBaseType", propOrder = { + "driverLicenseIdentification", + "driverLicenseExpirationDate", + "driverLicenseIssueDate" +}) +@XmlSeeAlso({ + DriverLicenseType.class +}) +public class DriverLicenseBaseType + extends ObjectType +{ + + @XmlElement(name = "DriverLicenseIdentification", required = true) + protected IdentificationType driverLicenseIdentification; + @XmlElement(name = "DriverLicenseExpirationDate") + protected DateType driverLicenseExpirationDate; + @XmlElement(name = "DriverLicenseIssueDate") + protected DateType driverLicenseIssueDate; + + /** + * Gets the value of the driverLicenseIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getDriverLicenseIdentification() { + return driverLicenseIdentification; + } + + /** + * Sets the value of the driverLicenseIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setDriverLicenseIdentification(IdentificationType value) { + this.driverLicenseIdentification = value; + } + + /** + * Gets the value of the driverLicenseExpirationDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDriverLicenseExpirationDate() { + return driverLicenseExpirationDate; + } + + /** + * Sets the value of the driverLicenseExpirationDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDriverLicenseExpirationDate(DateType value) { + this.driverLicenseExpirationDate = value; + } + + /** + * Gets the value of the driverLicenseIssueDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDriverLicenseIssueDate() { + return driverLicenseIssueDate; + } + + /** + * Sets the value of the driverLicenseIssueDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDriverLicenseIssueDate(DateType value) { + this.driverLicenseIssueDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseRestrictionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseRestrictionType.java new file mode 100644 index 000000000..99c1e940d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseRestrictionType.java @@ -0,0 +1,47 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a restriction applicable to a driver license. + * + *

Java class for DriverLicenseRestrictionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DriverLicenseRestrictionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingRestrictionType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DriverLicenseRestrictionType") +public class DriverLicenseRestrictionType + extends DrivingRestrictionType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseType.java new file mode 100644 index 000000000..97c7f2636 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseType.java @@ -0,0 +1,140 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.codes.aamva_d20._4.DriverLicenseClassCodeType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a license issued to a person granting driving privileges. + * + *

Java class for DriverLicenseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DriverLicenseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseBaseType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseCommercialClassAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseWithdrawal" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseRestriction" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DriverLicenseType", propOrder = { + "driverLicenseCommercialClassAbstract", + "driverLicenseWithdrawal", + "driverLicenseRestriction" +}) +public class DriverLicenseType + extends DriverLicenseBaseType +{ + + @XmlElementRef(name = "DriverLicenseCommercialClassAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement driverLicenseCommercialClassAbstract; + @XmlElement(name = "DriverLicenseWithdrawal") + protected DriverLicenseWithdrawalType driverLicenseWithdrawal; + @XmlElement(name = "DriverLicenseRestriction") + protected DriverLicenseRestrictionType driverLicenseRestriction; + + /** + * Gets the value of the driverLicenseCommercialClassAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link DriverLicenseClassCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDriverLicenseCommercialClassAbstract() { + return driverLicenseCommercialClassAbstract; + } + + /** + * Sets the value of the driverLicenseCommercialClassAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link DriverLicenseClassCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDriverLicenseCommercialClassAbstract(JAXBElement value) { + this.driverLicenseCommercialClassAbstract = value; + } + + /** + * Gets the value of the driverLicenseWithdrawal property. + * + * @return + * possible object is + * {@link DriverLicenseWithdrawalType } + * + */ + public DriverLicenseWithdrawalType getDriverLicenseWithdrawal() { + return driverLicenseWithdrawal; + } + + /** + * Sets the value of the driverLicenseWithdrawal property. + * + * @param value + * allowed object is + * {@link DriverLicenseWithdrawalType } + * + */ + public void setDriverLicenseWithdrawal(DriverLicenseWithdrawalType value) { + this.driverLicenseWithdrawal = value; + } + + /** + * Gets the value of the driverLicenseRestriction property. + * + * @return + * possible object is + * {@link DriverLicenseRestrictionType } + * + */ + public DriverLicenseRestrictionType getDriverLicenseRestriction() { + return driverLicenseRestriction; + } + + /** + * Sets the value of the driverLicenseRestriction property. + * + * @param value + * allowed object is + * {@link DriverLicenseRestrictionType } + * + */ + public void setDriverLicenseRestriction(DriverLicenseRestrictionType value) { + this.driverLicenseRestriction = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseWithdrawalType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseWithdrawalType.java new file mode 100644 index 000000000..4b2cdf227 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DriverLicenseWithdrawalType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.ActivityType; +import gov.niem.release.niem.niem_core._4.DateType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a driver license withdrawal. + * + *

Java class for DriverLicenseWithdrawalType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DriverLicenseWithdrawalType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DriverLicenseWithdrawalEffectiveDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DriverLicenseWithdrawalType", propOrder = { + "driverLicenseWithdrawalEffectiveDate" +}) +public class DriverLicenseWithdrawalType + extends ActivityType +{ + + @XmlElement(name = "DriverLicenseWithdrawalEffectiveDate") + protected DateType driverLicenseWithdrawalEffectiveDate; + + /** + * Gets the value of the driverLicenseWithdrawalEffectiveDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDriverLicenseWithdrawalEffectiveDate() { + return driverLicenseWithdrawalEffectiveDate; + } + + /** + * Sets the value of the driverLicenseWithdrawalEffectiveDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDriverLicenseWithdrawalEffectiveDate(DateType value) { + this.driverLicenseWithdrawalEffectiveDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingIncidentType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingIncidentType.java new file mode 100644 index 000000000..d2eb6c06d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingIncidentType.java @@ -0,0 +1,294 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.codes.aamva_d20._4.AccidentSeverityCodeType; +import gov.niem.release.niem.codes.aamva_d20._4.HazMatCodeType; +import gov.niem.release.niem.niem_core._4.IncidentType; +import gov.niem.release.niem.niem_core._4.SpeedMeasureType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for details of an incident involving a vehicle. + * + *

Java class for DrivingIncidentType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DrivingIncidentType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}IncidentType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingAccidentSeverityAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentRecordedSpeedRateMeasure" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentHazMatAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentLaserDetectionIndicator" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentLegalSpeedRateMeasure" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentPassengerQuantityText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentRadarDetectionIndicator" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingIncidentAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DrivingIncidentType", propOrder = { + "drivingAccidentSeverityAbstract", + "drivingIncidentRecordedSpeedRateMeasure", + "drivingIncidentHazMatAbstract", + "drivingIncidentLaserDetectionIndicator", + "drivingIncidentLegalSpeedRateMeasure", + "drivingIncidentPassengerQuantityText", + "drivingIncidentRadarDetectionIndicator", + "drivingIncidentAugmentationPoint" +}) +public class DrivingIncidentType + extends IncidentType +{ + + @XmlElementRef(name = "DrivingAccidentSeverityAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement drivingAccidentSeverityAbstract; + @XmlElement(name = "DrivingIncidentRecordedSpeedRateMeasure") + protected SpeedMeasureType drivingIncidentRecordedSpeedRateMeasure; + @XmlElementRef(name = "DrivingIncidentHazMatAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement drivingIncidentHazMatAbstract; + @XmlElement(name = "DrivingIncidentLaserDetectionIndicator") + protected Boolean drivingIncidentLaserDetectionIndicator; + @XmlElement(name = "DrivingIncidentLegalSpeedRateMeasure") + protected SpeedMeasureType drivingIncidentLegalSpeedRateMeasure; + @XmlElement(name = "DrivingIncidentPassengerQuantityText") + protected TextType drivingIncidentPassengerQuantityText; + @XmlElement(name = "DrivingIncidentRadarDetectionIndicator") + protected Boolean drivingIncidentRadarDetectionIndicator; + @XmlElement(name = "DrivingIncidentAugmentationPoint") + protected List drivingIncidentAugmentationPoint; + + /** + * Gets the value of the drivingAccidentSeverityAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link AccidentSeverityCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDrivingAccidentSeverityAbstract() { + return drivingAccidentSeverityAbstract; + } + + /** + * Sets the value of the drivingAccidentSeverityAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link AccidentSeverityCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDrivingAccidentSeverityAbstract(JAXBElement value) { + this.drivingAccidentSeverityAbstract = value; + } + + /** + * Gets the value of the drivingIncidentRecordedSpeedRateMeasure property. + * + * @return + * possible object is + * {@link SpeedMeasureType } + * + */ + public SpeedMeasureType getDrivingIncidentRecordedSpeedRateMeasure() { + return drivingIncidentRecordedSpeedRateMeasure; + } + + /** + * Sets the value of the drivingIncidentRecordedSpeedRateMeasure property. + * + * @param value + * allowed object is + * {@link SpeedMeasureType } + * + */ + public void setDrivingIncidentRecordedSpeedRateMeasure(SpeedMeasureType value) { + this.drivingIncidentRecordedSpeedRateMeasure = value; + } + + /** + * Gets the value of the drivingIncidentHazMatAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link HazMatCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDrivingIncidentHazMatAbstract() { + return drivingIncidentHazMatAbstract; + } + + /** + * Sets the value of the drivingIncidentHazMatAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link HazMatCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDrivingIncidentHazMatAbstract(JAXBElement value) { + this.drivingIncidentHazMatAbstract = value; + } + + /** + * Gets the value of the drivingIncidentLaserDetectionIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getDrivingIncidentLaserDetectionIndicator() { + return drivingIncidentLaserDetectionIndicator; + } + + /** + * Sets the value of the drivingIncidentLaserDetectionIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setDrivingIncidentLaserDetectionIndicator(Boolean value) { + this.drivingIncidentLaserDetectionIndicator = value; + } + + /** + * Gets the value of the drivingIncidentLegalSpeedRateMeasure property. + * + * @return + * possible object is + * {@link SpeedMeasureType } + * + */ + public SpeedMeasureType getDrivingIncidentLegalSpeedRateMeasure() { + return drivingIncidentLegalSpeedRateMeasure; + } + + /** + * Sets the value of the drivingIncidentLegalSpeedRateMeasure property. + * + * @param value + * allowed object is + * {@link SpeedMeasureType } + * + */ + public void setDrivingIncidentLegalSpeedRateMeasure(SpeedMeasureType value) { + this.drivingIncidentLegalSpeedRateMeasure = value; + } + + /** + * Gets the value of the drivingIncidentPassengerQuantityText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getDrivingIncidentPassengerQuantityText() { + return drivingIncidentPassengerQuantityText; + } + + /** + * Sets the value of the drivingIncidentPassengerQuantityText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setDrivingIncidentPassengerQuantityText(TextType value) { + this.drivingIncidentPassengerQuantityText = value; + } + + /** + * Gets the value of the drivingIncidentRadarDetectionIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getDrivingIncidentRadarDetectionIndicator() { + return drivingIncidentRadarDetectionIndicator; + } + + /** + * Sets the value of the drivingIncidentRadarDetectionIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setDrivingIncidentRadarDetectionIndicator(Boolean value) { + this.drivingIncidentRadarDetectionIndicator = value; + } + + /** + * Gets the value of the drivingIncidentAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the drivingIncidentAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDrivingIncidentAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getDrivingIncidentAugmentationPoint() { + if (drivingIncidentAugmentationPoint == null) { + drivingIncidentAugmentationPoint = new ArrayList(); + } + return this.drivingIncidentAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingRestrictionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingRestrictionType.java new file mode 100644 index 000000000..d7839b9d9 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/DrivingRestrictionType.java @@ -0,0 +1,121 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.codes.mmucc._4.DrivingRestrictionCodeType; +import gov.niem.release.niem.niem_core._4.DateType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a restriction applicable to a driver permit or license. + * + *

Java class for DrivingRestrictionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DrivingRestrictionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingRestrictionAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}DrivingRestrictionEndDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DrivingRestrictionType", propOrder = { + "drivingRestrictionAbstract", + "drivingRestrictionEndDate" +}) +@XmlSeeAlso({ + DriverLicenseRestrictionType.class +}) +public class DrivingRestrictionType + extends ObjectType +{ + + @XmlElementRef(name = "DrivingRestrictionAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement drivingRestrictionAbstract; + @XmlElement(name = "DrivingRestrictionEndDate") + protected DateType drivingRestrictionEndDate; + + /** + * Gets the value of the drivingRestrictionAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link DrivingRestrictionCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDrivingRestrictionAbstract() { + return drivingRestrictionAbstract; + } + + /** + * Sets the value of the drivingRestrictionAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link DrivingRestrictionCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDrivingRestrictionAbstract(JAXBElement value) { + this.drivingRestrictionAbstract = value; + } + + /** + * Gets the value of the drivingRestrictionEndDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDrivingRestrictionEndDate() { + return drivingRestrictionEndDate; + } + + /** + * Sets the value of the drivingRestrictionEndDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDrivingRestrictionEndDate(DateType value) { + this.drivingRestrictionEndDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementOfficialType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementOfficialType.java new file mode 100644 index 000000000..7e595c629 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementOfficialType.java @@ -0,0 +1,167 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.niem_core._4.ScheduleDayType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a person involved in the enforcement of law. + * + *

Java class for EnforcementOfficialType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="EnforcementOfficialType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}RoleOfPerson"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}EnforcementOfficialBadgeIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}EnforcementOfficialUnavailableSchedule" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}EnforcementOfficialUnit" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "EnforcementOfficialType", propOrder = { + "roleOfPerson", + "enforcementOfficialBadgeIdentification", + "enforcementOfficialUnavailableSchedule", + "enforcementOfficialUnit" +}) +public class EnforcementOfficialType + extends ObjectType +{ + + @XmlElement(name = "RoleOfPerson", namespace = "http://release.niem.gov/niem/niem-core/4.0/", required = true, nillable = true) + protected PersonType roleOfPerson; + @XmlElement(name = "EnforcementOfficialBadgeIdentification") + protected IdentificationType enforcementOfficialBadgeIdentification; + @XmlElement(name = "EnforcementOfficialUnavailableSchedule") + protected ScheduleDayType enforcementOfficialUnavailableSchedule; + @XmlElement(name = "EnforcementOfficialUnit") + protected EnforcementUnitType enforcementOfficialUnit; + + /** + * Gets the value of the roleOfPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getRoleOfPerson() { + return roleOfPerson; + } + + /** + * Sets the value of the roleOfPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setRoleOfPerson(PersonType value) { + this.roleOfPerson = value; + } + + /** + * Gets the value of the enforcementOfficialBadgeIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getEnforcementOfficialBadgeIdentification() { + return enforcementOfficialBadgeIdentification; + } + + /** + * Sets the value of the enforcementOfficialBadgeIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setEnforcementOfficialBadgeIdentification(IdentificationType value) { + this.enforcementOfficialBadgeIdentification = value; + } + + /** + * Gets the value of the enforcementOfficialUnavailableSchedule property. + * + * @return + * possible object is + * {@link ScheduleDayType } + * + */ + public ScheduleDayType getEnforcementOfficialUnavailableSchedule() { + return enforcementOfficialUnavailableSchedule; + } + + /** + * Sets the value of the enforcementOfficialUnavailableSchedule property. + * + * @param value + * allowed object is + * {@link ScheduleDayType } + * + */ + public void setEnforcementOfficialUnavailableSchedule(ScheduleDayType value) { + this.enforcementOfficialUnavailableSchedule = value; + } + + /** + * Gets the value of the enforcementOfficialUnit property. + * + * @return + * possible object is + * {@link EnforcementUnitType } + * + */ + public EnforcementUnitType getEnforcementOfficialUnit() { + return enforcementOfficialUnit; + } + + /** + * Sets the value of the enforcementOfficialUnit property. + * + * @param value + * allowed object is + * {@link EnforcementUnitType } + * + */ + public void setEnforcementOfficialUnit(EnforcementUnitType value) { + this.enforcementOfficialUnit = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementUnitType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementUnitType.java new file mode 100644 index 000000000..0d6f166ec --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/EnforcementUnitType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.OrganizationType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a unit of an agency responsible for enforcing the law and maintaining peace. + * + *

Java class for EnforcementUnitType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="EnforcementUnitType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}OrganizationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}EnforcementUnitName" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "EnforcementUnitType", propOrder = { + "enforcementUnitName" +}) +public class EnforcementUnitType + extends OrganizationType +{ + + @XmlElement(name = "EnforcementUnitName") + protected TextType enforcementUnitName; + + /** + * Gets the value of the enforcementUnitName property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getEnforcementUnitName() { + return enforcementUnitName; + } + + /** + * Sets the value of the enforcementUnitName property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setEnforcementUnitName(TextType value) { + this.enforcementUnitName = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/IncidentAugmentationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/IncidentAugmentationType.java new file mode 100644 index 000000000..978cb4537 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/IncidentAugmentationType.java @@ -0,0 +1,199 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.ItemType; +import gov.niem.release.niem.niem_core._4.OffenseLevelCodeType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import gov.niem.release.niem.structures._4.AugmentationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for additional information about an incident. + * + *

Java class for IncidentAugmentationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="IncidentAugmentationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}AugmentationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}IncidentGeneralCategoryAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}IncidentDamagedItem" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}IncidentOfficialPresentIndicator" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}IncidentTrafficAccidentInvolvedIndicator" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}IncidentLevelAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "IncidentAugmentationType", propOrder = { + "incidentGeneralCategoryAbstract", + "incidentDamagedItem", + "incidentOfficialPresentIndicator", + "incidentTrafficAccidentInvolvedIndicator", + "incidentLevelAbstract" +}) +public class IncidentAugmentationType + extends AugmentationType +{ + + @XmlElement(name = "IncidentGeneralCategoryAbstract") + protected Object incidentGeneralCategoryAbstract; + @XmlElement(name = "IncidentDamagedItem") + protected ItemType incidentDamagedItem; + @XmlElement(name = "IncidentOfficialPresentIndicator") + protected Boolean incidentOfficialPresentIndicator; + @XmlElement(name = "IncidentTrafficAccidentInvolvedIndicator") + protected Boolean incidentTrafficAccidentInvolvedIndicator; + @XmlElementRef(name = "IncidentLevelAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement incidentLevelAbstract; + + /** + * Gets the value of the incidentGeneralCategoryAbstract property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getIncidentGeneralCategoryAbstract() { + return incidentGeneralCategoryAbstract; + } + + /** + * Sets the value of the incidentGeneralCategoryAbstract property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setIncidentGeneralCategoryAbstract(Object value) { + this.incidentGeneralCategoryAbstract = value; + } + + /** + * Gets the value of the incidentDamagedItem property. + * + * @return + * possible object is + * {@link ItemType } + * + */ + public ItemType getIncidentDamagedItem() { + return incidentDamagedItem; + } + + /** + * Sets the value of the incidentDamagedItem property. + * + * @param value + * allowed object is + * {@link ItemType } + * + */ + public void setIncidentDamagedItem(ItemType value) { + this.incidentDamagedItem = value; + } + + /** + * Gets the value of the incidentOfficialPresentIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getIncidentOfficialPresentIndicator() { + return incidentOfficialPresentIndicator; + } + + /** + * Sets the value of the incidentOfficialPresentIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setIncidentOfficialPresentIndicator(Boolean value) { + this.incidentOfficialPresentIndicator = value; + } + + /** + * Gets the value of the incidentTrafficAccidentInvolvedIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getIncidentTrafficAccidentInvolvedIndicator() { + return incidentTrafficAccidentInvolvedIndicator; + } + + /** + * Sets the value of the incidentTrafficAccidentInvolvedIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setIncidentTrafficAccidentInvolvedIndicator(Boolean value) { + this.incidentTrafficAccidentInvolvedIndicator = value; + } + + /** + * Gets the value of the incidentLevelAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link OffenseLevelCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getIncidentLevelAbstract() { + return incidentLevelAbstract; + } + + /** + * Sets the value of the incidentLevelAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link OffenseLevelCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setIncidentLevelAbstract(JAXBElement value) { + this.incidentLevelAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ItemRegistrationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ItemRegistrationType.java new file mode 100644 index 000000000..56216da4b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ItemRegistrationType.java @@ -0,0 +1,52 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a registration of a property item with an authority. + * + *

Java class for ItemRegistrationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ItemRegistrationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ItemRegistrationType") +@XmlSeeAlso({ + ConveyanceRegistrationType.class +}) +public class ItemRegistrationType + extends ObjectType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialBarMembershipType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialBarMembershipType.java new file mode 100644 index 000000000..3c6ac7d90 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialBarMembershipType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a legal capacity in which a judicial official is able to practice law. + * + *

Java class for JudicialOfficialBarMembershipType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JudicialOfficialBarMembershipType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}JudicialOfficialBarIdentification" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JudicialOfficialBarMembershipType", propOrder = { + "judicialOfficialBarIdentification" +}) +public class JudicialOfficialBarMembershipType + extends ObjectType +{ + + @XmlElement(name = "JudicialOfficialBarIdentification") + protected IdentificationType judicialOfficialBarIdentification; + + /** + * Gets the value of the judicialOfficialBarIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getJudicialOfficialBarIdentification() { + return judicialOfficialBarIdentification; + } + + /** + * Sets the value of the judicialOfficialBarIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setJudicialOfficialBarIdentification(IdentificationType value) { + this.judicialOfficialBarIdentification = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialType.java new file mode 100644 index 000000000..3ed4f3626 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/JudicialOfficialType.java @@ -0,0 +1,142 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a person involved in a judicial area of government. + * + *

Java class for JudicialOfficialType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JudicialOfficialType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}RoleOfPerson"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}JudicialOfficialBarMembership" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}JudicialOfficialRegistrationIdentification" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JudicialOfficialType", propOrder = { + "roleOfPerson", + "judicialOfficialBarMembership", + "judicialOfficialRegistrationIdentification" +}) +@XmlSeeAlso({ + CaseOfficialType.class +}) +public class JudicialOfficialType + extends ObjectType +{ + + @XmlElement(name = "RoleOfPerson", namespace = "http://release.niem.gov/niem/niem-core/4.0/", required = true, nillable = true) + protected PersonType roleOfPerson; + @XmlElement(name = "JudicialOfficialBarMembership") + protected JudicialOfficialBarMembershipType judicialOfficialBarMembership; + @XmlElement(name = "JudicialOfficialRegistrationIdentification") + protected IdentificationType judicialOfficialRegistrationIdentification; + + /** + * Gets the value of the roleOfPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getRoleOfPerson() { + return roleOfPerson; + } + + /** + * Sets the value of the roleOfPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setRoleOfPerson(PersonType value) { + this.roleOfPerson = value; + } + + /** + * Gets the value of the judicialOfficialBarMembership property. + * + * @return + * possible object is + * {@link JudicialOfficialBarMembershipType } + * + */ + public JudicialOfficialBarMembershipType getJudicialOfficialBarMembership() { + return judicialOfficialBarMembership; + } + + /** + * Sets the value of the judicialOfficialBarMembership property. + * + * @param value + * allowed object is + * {@link JudicialOfficialBarMembershipType } + * + */ + public void setJudicialOfficialBarMembership(JudicialOfficialBarMembershipType value) { + this.judicialOfficialBarMembership = value; + } + + /** + * Gets the value of the judicialOfficialRegistrationIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getJudicialOfficialRegistrationIdentification() { + return judicialOfficialRegistrationIdentification; + } + + /** + * Sets the value of the judicialOfficialRegistrationIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setJudicialOfficialRegistrationIdentification(IdentificationType value) { + this.judicialOfficialRegistrationIdentification = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ObjectFactory.java new file mode 100644 index 000000000..e63546872 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ObjectFactory.java @@ -0,0 +1,2559 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import javax.xml.namespace.QName; +import gov.niem.release.niem.codes.aamva_d20._4.AccidentSeverityCodeType; +import gov.niem.release.niem.codes.aamva_d20._4.DriverLicenseClassCodeType; +import gov.niem.release.niem.codes.aamva_d20._4.HazMatCodeType; +import gov.niem.release.niem.codes.aamva_d20._4.JurisdictionAuthorityCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.CountryCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.EXLCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.EYECodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.HAIRCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.PCOCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.RACECodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.SEXCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.SMTCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.VCOCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.VMACodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.VMOCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.VSTCodeType; +import gov.niem.release.niem.codes.fbi_ucr._4.EthnicityCodeType; +import gov.niem.release.niem.codes.mmucc._4.DrivingRestrictionCodeType; +import gov.niem.release.niem.niem_core._4.AmountType; +import gov.niem.release.niem.niem_core._4.CaseType; +import gov.niem.release.niem.niem_core._4.DateType; +import gov.niem.release.niem.niem_core._4.EntityType; +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.ItemType; +import gov.niem.release.niem.niem_core._4.ItemValueType; +import gov.niem.release.niem.niem_core._4.JurisdictionType; +import gov.niem.release.niem.niem_core._4.LocationType; +import gov.niem.release.niem.niem_core._4.OffenseLevelCodeType; +import gov.niem.release.niem.niem_core._4.OrganizationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.niem_core._4.ScheduleDayType; +import gov.niem.release.niem.niem_core._4.SpeedMeasureType; +import gov.niem.release.niem.niem_core._4.SupervisionType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import gov.niem.release.niem.proxy.xsd._4.String; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlElementDecl; +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.domains.jxdm._6 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + private final static QName _CaseOfficialAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseOfficialAugmentationPoint"); + private final static QName _CourtEventAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtEventAugmentationPoint"); + private final static QName _SubjectAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SubjectAugmentationPoint"); + private final static QName _AppellateCase_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "AppellateCase"); + private final static QName _AppellateCaseNotice_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "AppellateCaseNotice"); + private final static QName _AppellateCaseNoticeReasonText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "AppellateCaseNoticeReasonText"); + private final static QName _AppellateCaseOriginalCase_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "AppellateCaseOriginalCase"); + private final static QName _Arrest_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Arrest"); + private final static QName _ArrestAgency_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestAgency"); + private final static QName _ArrestAgencyRecordIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestAgencyRecordIdentification"); + private final static QName _ArrestCharge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestCharge"); + private final static QName _ArrestLocation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestLocation"); + private final static QName _ArrestOfficial_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestOfficial"); + private final static QName _ArrestSubject_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestSubject"); + private final static QName _ArrestWarrant_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ArrestWarrant"); + private final static QName _Booking_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Booking"); + private final static QName _BookingAgency_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "BookingAgency"); + private final static QName _BookingAgencyRecordIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "BookingAgencyRecordIdentification"); + private final static QName _CaseAugmentation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseAugmentation"); + private final static QName _CaseCharge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseCharge"); + private final static QName _CaseCourt_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseCourt"); + private final static QName _CaseCourtEvent_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseCourtEvent"); + private final static QName _CaseJudge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseJudge"); + private final static QName _CaseLineageCase_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseLineageCase"); + private final static QName _CaseNumberText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseNumberText"); + private final static QName _CaseOfficial_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseOfficial"); + private final static QName _CaseOfficialCaseIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseOfficialCaseIdentification"); + private final static QName _CaseOtherEntity_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CaseOtherEntity"); + private final static QName _ChargeAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeAugmentationPoint"); + private final static QName _ChargeDegreeText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeDegreeText"); + private final static QName _ChargeDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeDescriptionText"); + private final static QName _ChargeDisposition_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeDisposition"); + private final static QName _ChargeEnhancingAllegationCharge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeEnhancingAllegationCharge"); + private final static QName _ChargeEnhancingFactor_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeEnhancingFactor"); + private final static QName _ChargeEnhancingFactorText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeEnhancingFactorText"); + private final static QName _ChargeQualifierText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeQualifierText"); + private final static QName _ChargeSequenceID_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeSequenceID"); + private final static QName _ChargeSeverityLevel_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeSeverityLevel"); + private final static QName _ChargeSpecialAllegationText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeSpecialAllegationText"); + private final static QName _ChargeStatute_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ChargeStatute"); + private final static QName _Citation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Citation"); + private final static QName _CitationAgency_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CitationAgency"); + private final static QName _CitationDismissalConditionIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CitationDismissalConditionIndicator"); + private final static QName _CitationDismissalConditionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CitationDismissalConditionText"); + private final static QName _CitationIssuingOfficial_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CitationIssuingOfficial"); + private final static QName _CitationSubject_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CitationSubject"); + private final static QName _ConveyanceColorPrimaryCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ConveyanceColorPrimaryCode"); + private final static QName _ConveyanceRegistration_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ConveyanceRegistration"); + private final static QName _ConveyanceRegistrationPlateCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ConveyanceRegistrationPlateCategoryAbstract"); + private final static QName _ConveyanceRegistrationPlateCategoryText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ConveyanceRegistrationPlateCategoryText"); + private final static QName _ConveyanceRegistrationPlateIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ConveyanceRegistrationPlateIdentification"); + private final static QName _CourtAdministrativeUnitText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtAdministrativeUnitText"); + private final static QName _CourtAppearance_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtAppearance"); + private final static QName _CourtAppearanceDate_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtAppearanceDate"); + private final static QName _CourtAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtAugmentationPoint"); + private final static QName _CourtEventJudge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtEventJudge"); + private final static QName _CourtEventSchedule_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtEventSchedule"); + private final static QName _CourtEventSequenceID_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtEventSequenceID"); + private final static QName _CourtName_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtName"); + private final static QName _CourtOrderAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CourtOrderAugmentationPoint"); + private final static QName _CrashDrivingRestrictionCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "CrashDrivingRestrictionCode"); + private final static QName _DrivingRestrictionAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingRestrictionAbstract"); + private final static QName _DriverLicense_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicense"); + private final static QName _DriverLicenseCommercialClassAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseCommercialClassAbstract"); + private final static QName _DriverLicenseCommercialClassCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseCommercialClassCode"); + private final static QName _DriverLicenseExpirationDate_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseExpirationDate"); + private final static QName _DriverLicenseIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseIdentification"); + private final static QName _DriverLicenseIssueDate_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseIssueDate"); + private final static QName _DriverLicenseRestriction_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseRestriction"); + private final static QName _DriverLicenseWithdrawal_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseWithdrawal"); + private final static QName _DriverLicenseWithdrawalEffectiveDate_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DriverLicenseWithdrawalEffectiveDate"); + private final static QName _DrivingAccidentSeverityAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingAccidentSeverityAbstract"); + private final static QName _DrivingAccidentSeverityCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingAccidentSeverityCode"); + private final static QName _DrivingIncident_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncident"); + private final static QName _DrivingIncidentAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentAugmentationPoint"); + private final static QName _DrivingIncidentHazMatAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentHazMatAbstract"); + private final static QName _DrivingIncidentHazMatCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentHazMatCode"); + private final static QName _DrivingIncidentLaserDetectionIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentLaserDetectionIndicator"); + private final static QName _DrivingIncidentLegalSpeedRateMeasure_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentLegalSpeedRateMeasure"); + private final static QName _DrivingIncidentPassengerQuantityText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentPassengerQuantityText"); + private final static QName _DrivingIncidentRadarDetectionIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentRadarDetectionIndicator"); + private final static QName _DrivingIncidentRecordedSpeedRateMeasure_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingIncidentRecordedSpeedRateMeasure"); + private final static QName _DrivingRestrictionEndDate_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingRestrictionEndDate"); + private final static QName _DrivingRestrictionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "DrivingRestrictionText"); + private final static QName _EnforcementOfficialBadgeIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "EnforcementOfficialBadgeIdentification"); + private final static QName _EnforcementOfficialUnavailableSchedule_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "EnforcementOfficialUnavailableSchedule"); + private final static QName _EnforcementOfficialUnit_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "EnforcementOfficialUnit"); + private final static QName _EnforcementUnitName_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "EnforcementUnitName"); + private final static QName _IncidentAugmentation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentAugmentation"); + private final static QName _IncidentDamagedItem_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentDamagedItem"); + private final static QName _IncidentGeneralCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentGeneralCategoryAbstract"); + private final static QName _IncidentLevelAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentLevelAbstract"); + private final static QName _IncidentLevelCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentLevelCode"); + private final static QName _IncidentOfficialPresentIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentOfficialPresentIndicator"); + private final static QName _IncidentTrafficAccidentInvolvedIndicator_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentTrafficAccidentInvolvedIndicator"); + private final static QName _IncidentViolatedStatuteAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "IncidentViolatedStatuteAssociation"); + private final static QName _ItemTotalDamageValue_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ItemTotalDamageValue"); + private final static QName _Judge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Judge"); + private final static QName _JudicialOfficialBarIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "JudicialOfficialBarIdentification"); + private final static QName _JudicialOfficialBarMembership_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "JudicialOfficialBarMembership"); + private final static QName _JudicialOfficialRegistrationIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "JudicialOfficialRegistrationIdentification"); + private final static QName _JurisdictionANSID20AuthorityCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "JurisdictionANSID20AuthorityCode"); + private final static QName _LocationStateNCICLISCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "LocationStateNCICLISCode"); + private final static QName _Offense_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Offense"); + private final static QName _OffenseChargeAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "OffenseChargeAssociation"); + private final static QName _OffenseLocationAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "OffenseLocationAssociation"); + private final static QName _OrganizationAlternateName_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "OrganizationAlternateName"); + private final static QName _OrganizationAlternateNameCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "OrganizationAlternateNameCategoryAbstract"); + private final static QName _OrganizationAlternateNameCategoryCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "OrganizationAlternateNameCategoryCode"); + private final static QName _OrganizationORIIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "OrganizationORIIdentification"); + private final static QName _PersonAFISIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonAFISIdentification"); + private final static QName _PersonAugmentation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonAugmentation"); + private final static QName _PersonBloodAlcoholContentNumberText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonBloodAlcoholContentNumberText"); + private final static QName _PersonChargeAssociation_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonChargeAssociation"); + private final static QName _PersonEthnicityCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonEthnicityCode"); + private final static QName _PersonEyeColorCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonEyeColorCode"); + private final static QName _PersonFBIIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonFBIIdentification"); + private final static QName _PersonHairColorCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonHairColorCode"); + private final static QName _PersonNameCategoryCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonNameCategoryCode"); + private final static QName _PersonRaceCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonRaceCode"); + private final static QName _PersonSexCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonSexCode"); + private final static QName _PersonStateFingerprintIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PersonStateFingerprintIdentification"); + private final static QName _PhysicalFeatureCategoryCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "PhysicalFeatureCategoryCode"); + private final static QName _ProtectionOrder_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ProtectionOrder"); + private final static QName _ProtectionOrderConditionAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ProtectionOrderConditionAbstract"); + private final static QName _ProtectionOrderConditionCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ProtectionOrderConditionCode"); + private final static QName _ProtectionOrderConditionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ProtectionOrderConditionText"); + private final static QName _ProtectionOrderRestrictedPerson_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "ProtectionOrderRestrictedPerson"); + private final static QName _RapSheetTransactionControlIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "RapSheetTransactionControlIdentification"); + private final static QName _RegisteredOffenderIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "RegisteredOffenderIdentification"); + private final static QName _RegisteredSexOffender_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "RegisteredSexOffender"); + private final static QName _Sentence_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Sentence"); + private final static QName _SentenceAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SentenceAugmentationPoint"); + private final static QName _SentenceCharge_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SentenceCharge"); + private final static QName _SentenceDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SentenceDescriptionText"); + private final static QName _SentenceTerm_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SentenceTerm"); + private final static QName _SeverityLevelDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SeverityLevelDescriptionText"); + private final static QName _Statute_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "Statute"); + private final static QName _StatuteCodeIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "StatuteCodeIdentification"); + private final static QName _StatuteCodeSectionIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "StatuteCodeSectionIdentification"); + private final static QName _StatuteDescriptionText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "StatuteDescriptionText"); + private final static QName _StatuteJurisdiction_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "StatuteJurisdiction"); + private final static QName _StatuteLevelText_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "StatuteLevelText"); + private final static QName _StatuteOffenseIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "StatuteOffenseIdentification"); + private final static QName _SubjectIdentification_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SubjectIdentification"); + private final static QName _SubjectSupervision_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SubjectSupervision"); + private final static QName _SupervisionFineAmount_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "SupervisionFineAmount"); + private final static QName _VehicleMakeCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "VehicleMakeCode"); + private final static QName _VehicleModelCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "VehicleModelCode"); + private final static QName _VehicleStyleCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "VehicleStyleCode"); + private final static QName _WarrantExtraditionLimitationAbstract_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "WarrantExtraditionLimitationAbstract"); + private final static QName _WarrantExtraditionLimitationCode_QNAME = new QName("http://release.niem.gov/niem/domains/jxdm/6.1/", "WarrantExtraditionLimitationCode"); + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.domains.jxdm._6 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link CourtEventType } + * + */ + public CourtEventType createCourtEventType() { + return new CourtEventType(); + } + + /** + * Create an instance of {@link AppellateCaseType } + * + */ + public AppellateCaseType createAppellateCaseType() { + return new AppellateCaseType(); + } + + /** + * Create an instance of {@link AppellateCaseNoticeType } + * + */ + public AppellateCaseNoticeType createAppellateCaseNoticeType() { + return new AppellateCaseNoticeType(); + } + + /** + * Create an instance of {@link ArrestType } + * + */ + public ArrestType createArrestType() { + return new ArrestType(); + } + + /** + * Create an instance of {@link ChargeType } + * + */ + public ChargeType createChargeType() { + return new ChargeType(); + } + + /** + * Create an instance of {@link EnforcementOfficialType } + * + */ + public EnforcementOfficialType createEnforcementOfficialType() { + return new EnforcementOfficialType(); + } + + /** + * Create an instance of {@link SubjectType } + * + */ + public SubjectType createSubjectType() { + return new SubjectType(); + } + + /** + * Create an instance of {@link WarrantType } + * + */ + public WarrantType createWarrantType() { + return new WarrantType(); + } + + /** + * Create an instance of {@link BookingType } + * + */ + public BookingType createBookingType() { + return new BookingType(); + } + + /** + * Create an instance of {@link CaseAugmentationType } + * + */ + public CaseAugmentationType createCaseAugmentationType() { + return new CaseAugmentationType(); + } + + /** + * Create an instance of {@link CourtType } + * + */ + public CourtType createCourtType() { + return new CourtType(); + } + + /** + * Create an instance of {@link CaseOfficialType } + * + */ + public CaseOfficialType createCaseOfficialType() { + return new CaseOfficialType(); + } + + /** + * Create an instance of {@link ChargeDispositionType } + * + */ + public ChargeDispositionType createChargeDispositionType() { + return new ChargeDispositionType(); + } + + /** + * Create an instance of {@link ChargeEnhancingFactorType } + * + */ + public ChargeEnhancingFactorType createChargeEnhancingFactorType() { + return new ChargeEnhancingFactorType(); + } + + /** + * Create an instance of {@link SeverityLevelType } + * + */ + public SeverityLevelType createSeverityLevelType() { + return new SeverityLevelType(); + } + + /** + * Create an instance of {@link StatuteType } + * + */ + public StatuteType createStatuteType() { + return new StatuteType(); + } + + /** + * Create an instance of {@link CitationType } + * + */ + public CitationType createCitationType() { + return new CitationType(); + } + + /** + * Create an instance of {@link ConveyanceRegistrationType } + * + */ + public ConveyanceRegistrationType createConveyanceRegistrationType() { + return new ConveyanceRegistrationType(); + } + + /** + * Create an instance of {@link CourtAppearanceType } + * + */ + public CourtAppearanceType createCourtAppearanceType() { + return new CourtAppearanceType(); + } + + /** + * Create an instance of {@link JudicialOfficialType } + * + */ + public JudicialOfficialType createJudicialOfficialType() { + return new JudicialOfficialType(); + } + + /** + * Create an instance of {@link DriverLicenseType } + * + */ + public DriverLicenseType createDriverLicenseType() { + return new DriverLicenseType(); + } + + /** + * Create an instance of {@link DriverLicenseRestrictionType } + * + */ + public DriverLicenseRestrictionType createDriverLicenseRestrictionType() { + return new DriverLicenseRestrictionType(); + } + + /** + * Create an instance of {@link DriverLicenseWithdrawalType } + * + */ + public DriverLicenseWithdrawalType createDriverLicenseWithdrawalType() { + return new DriverLicenseWithdrawalType(); + } + + /** + * Create an instance of {@link DrivingIncidentType } + * + */ + public DrivingIncidentType createDrivingIncidentType() { + return new DrivingIncidentType(); + } + + /** + * Create an instance of {@link EnforcementUnitType } + * + */ + public EnforcementUnitType createEnforcementUnitType() { + return new EnforcementUnitType(); + } + + /** + * Create an instance of {@link IncidentAugmentationType } + * + */ + public IncidentAugmentationType createIncidentAugmentationType() { + return new IncidentAugmentationType(); + } + + /** + * Create an instance of {@link ViolatedStatuteAssociationType } + * + */ + public ViolatedStatuteAssociationType createViolatedStatuteAssociationType() { + return new ViolatedStatuteAssociationType(); + } + + /** + * Create an instance of {@link JudicialOfficialBarMembershipType } + * + */ + public JudicialOfficialBarMembershipType createJudicialOfficialBarMembershipType() { + return new JudicialOfficialBarMembershipType(); + } + + /** + * Create an instance of {@link OffenseType } + * + */ + public OffenseType createOffenseType() { + return new OffenseType(); + } + + /** + * Create an instance of {@link OffenseChargeAssociationType } + * + */ + public OffenseChargeAssociationType createOffenseChargeAssociationType() { + return new OffenseChargeAssociationType(); + } + + /** + * Create an instance of {@link OffenseLocationAssociationType } + * + */ + public OffenseLocationAssociationType createOffenseLocationAssociationType() { + return new OffenseLocationAssociationType(); + } + + /** + * Create an instance of {@link OrganizationAlternateNameType } + * + */ + public OrganizationAlternateNameType createOrganizationAlternateNameType() { + return new OrganizationAlternateNameType(); + } + + /** + * Create an instance of {@link PersonAugmentationType } + * + */ + public PersonAugmentationType createPersonAugmentationType() { + return new PersonAugmentationType(); + } + + /** + * Create an instance of {@link PersonChargeAssociationType } + * + */ + public PersonChargeAssociationType createPersonChargeAssociationType() { + return new PersonChargeAssociationType(); + } + + /** + * Create an instance of {@link gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType } + * + */ + public gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType createPersonNameCategoryCodeType() { + return new gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType(); + } + + /** + * Create an instance of {@link ProtectionOrderType } + * + */ + public ProtectionOrderType createProtectionOrderType() { + return new ProtectionOrderType(); + } + + /** + * Create an instance of {@link RegisteredOffenderType } + * + */ + public RegisteredOffenderType createRegisteredOffenderType() { + return new RegisteredOffenderType(); + } + + /** + * Create an instance of {@link SentenceType } + * + */ + public SentenceType createSentenceType() { + return new SentenceType(); + } + + /** + * Create an instance of {@link TermType } + * + */ + public TermType createTermType() { + return new TermType(); + } + + /** + * Create an instance of {@link CourtOrderType } + * + */ + public CourtOrderType createCourtOrderType() { + return new CourtOrderType(); + } + + /** + * Create an instance of {@link DriverLicenseBaseType } + * + */ + public DriverLicenseBaseType createDriverLicenseBaseType() { + return new DriverLicenseBaseType(); + } + + /** + * Create an instance of {@link DrivingRestrictionType } + * + */ + public DrivingRestrictionType createDrivingRestrictionType() { + return new DrivingRestrictionType(); + } + + /** + * Create an instance of {@link ItemRegistrationType } + * + */ + public ItemRegistrationType createItemRegistrationType() { + return new ItemRegistrationType(); + } + + /** + * Create an instance of {@link OrganizationAugmentationType } + * + */ + public OrganizationAugmentationType createOrganizationAugmentationType() { + return new OrganizationAugmentationType(); + } + + /** + * Create an instance of {@link PersonBloodAlcoholContentAssociationType } + * + */ + public PersonBloodAlcoholContentAssociationType createPersonBloodAlcoholContentAssociationType() { + return new PersonBloodAlcoholContentAssociationType(); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseOfficialAugmentationPoint") + public JAXBElement createCaseOfficialAugmentationPoint(Object value) { + return new JAXBElement(_CaseOfficialAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtEventAugmentationPoint") + public JAXBElement createCourtEventAugmentationPoint(Object value) { + return new JAXBElement(_CourtEventAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SubjectAugmentationPoint") + public JAXBElement createSubjectAugmentationPoint(Object value) { + return new JAXBElement(_SubjectAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AppellateCaseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AppellateCaseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "AppellateCase") + public JAXBElement createAppellateCase(AppellateCaseType value) { + return new JAXBElement(_AppellateCase_QNAME, AppellateCaseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AppellateCaseNoticeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AppellateCaseNoticeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "AppellateCaseNotice") + public JAXBElement createAppellateCaseNotice(AppellateCaseNoticeType value) { + return new JAXBElement(_AppellateCaseNotice_QNAME, AppellateCaseNoticeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "AppellateCaseNoticeReasonText") + public JAXBElement createAppellateCaseNoticeReasonText(TextType value) { + return new JAXBElement(_AppellateCaseNoticeReasonText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "AppellateCaseOriginalCase") + public JAXBElement createAppellateCaseOriginalCase(CaseType value) { + return new JAXBElement(_AppellateCaseOriginalCase_QNAME, CaseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ArrestType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ArrestType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Arrest") + public JAXBElement createArrest(ArrestType value) { + return new JAXBElement(_Arrest_QNAME, ArrestType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestAgency") + public JAXBElement createArrestAgency(OrganizationType value) { + return new JAXBElement(_ArrestAgency_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestAgencyRecordIdentification") + public JAXBElement createArrestAgencyRecordIdentification(IdentificationType value) { + return new JAXBElement(_ArrestAgencyRecordIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestCharge") + public JAXBElement createArrestCharge(ChargeType value) { + return new JAXBElement(_ArrestCharge_QNAME, ChargeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestLocation") + public JAXBElement createArrestLocation(LocationType value) { + return new JAXBElement(_ArrestLocation_QNAME, LocationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EnforcementOfficialType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EnforcementOfficialType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestOfficial") + public JAXBElement createArrestOfficial(EnforcementOfficialType value) { + return new JAXBElement(_ArrestOfficial_QNAME, EnforcementOfficialType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SubjectType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SubjectType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestSubject") + public JAXBElement createArrestSubject(SubjectType value) { + return new JAXBElement(_ArrestSubject_QNAME, SubjectType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link WarrantType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link WarrantType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ArrestWarrant") + public JAXBElement createArrestWarrant(WarrantType value) { + return new JAXBElement(_ArrestWarrant_QNAME, WarrantType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link BookingType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link BookingType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Booking") + public JAXBElement createBooking(BookingType value) { + return new JAXBElement(_Booking_QNAME, BookingType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "BookingAgency") + public JAXBElement createBookingAgency(OrganizationType value) { + return new JAXBElement(_BookingAgency_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "BookingAgencyRecordIdentification") + public JAXBElement createBookingAgencyRecordIdentification(IdentificationType value) { + return new JAXBElement(_BookingAgencyRecordIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseAugmentationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseAugmentationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseAugmentation", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "CaseAugmentationPoint") + public JAXBElement createCaseAugmentation(CaseAugmentationType value) { + return new JAXBElement(_CaseAugmentation_QNAME, CaseAugmentationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseCharge") + public JAXBElement createCaseCharge(ChargeType value) { + return new JAXBElement(_CaseCharge_QNAME, ChargeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CourtType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CourtType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseCourt") + public JAXBElement createCaseCourt(CourtType value) { + return new JAXBElement(_CaseCourt_QNAME, CourtType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CourtEventType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CourtEventType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseCourtEvent") + public JAXBElement createCaseCourtEvent(CourtEventType value) { + return new JAXBElement(_CaseCourtEvent_QNAME, CourtEventType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseOfficialType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseOfficialType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseJudge") + public JAXBElement createCaseJudge(CaseOfficialType value) { + return new JAXBElement(_CaseJudge_QNAME, CaseOfficialType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseLineageCase") + public JAXBElement createCaseLineageCase(CaseType value) { + return new JAXBElement(_CaseLineageCase_QNAME, CaseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseNumberText") + public JAXBElement createCaseNumberText(TextType value) { + return new JAXBElement(_CaseNumberText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseOfficialType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseOfficialType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseOfficial") + public JAXBElement createCaseOfficial(CaseOfficialType value) { + return new JAXBElement(_CaseOfficial_QNAME, CaseOfficialType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseOfficialCaseIdentification") + public JAXBElement createCaseOfficialCaseIdentification(IdentificationType value) { + return new JAXBElement(_CaseOfficialCaseIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CaseOtherEntity") + public JAXBElement createCaseOtherEntity(EntityType value) { + return new JAXBElement(_CaseOtherEntity_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeAugmentationPoint") + public JAXBElement createChargeAugmentationPoint(Object value) { + return new JAXBElement(_ChargeAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeDegreeText") + public JAXBElement createChargeDegreeText(TextType value) { + return new JAXBElement(_ChargeDegreeText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeDescriptionText") + public JAXBElement createChargeDescriptionText(TextType value) { + return new JAXBElement(_ChargeDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChargeDispositionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChargeDispositionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeDisposition") + public JAXBElement createChargeDisposition(ChargeDispositionType value) { + return new JAXBElement(_ChargeDisposition_QNAME, ChargeDispositionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeEnhancingAllegationCharge") + public JAXBElement createChargeEnhancingAllegationCharge(ChargeType value) { + return new JAXBElement(_ChargeEnhancingAllegationCharge_QNAME, ChargeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChargeEnhancingFactorType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChargeEnhancingFactorType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeEnhancingFactor") + public JAXBElement createChargeEnhancingFactor(ChargeEnhancingFactorType value) { + return new JAXBElement(_ChargeEnhancingFactor_QNAME, ChargeEnhancingFactorType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeEnhancingFactorText") + public JAXBElement createChargeEnhancingFactorText(TextType value) { + return new JAXBElement(_ChargeEnhancingFactorText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeQualifierText") + public JAXBElement createChargeQualifierText(TextType value) { + return new JAXBElement(_ChargeQualifierText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeSequenceID") + public JAXBElement createChargeSequenceID(String value) { + return new JAXBElement(_ChargeSequenceID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SeverityLevelType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SeverityLevelType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeSeverityLevel") + public JAXBElement createChargeSeverityLevel(SeverityLevelType value) { + return new JAXBElement(_ChargeSeverityLevel_QNAME, SeverityLevelType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeSpecialAllegationText") + public JAXBElement createChargeSpecialAllegationText(TextType value) { + return new JAXBElement(_ChargeSpecialAllegationText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link StatuteType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link StatuteType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ChargeStatute") + public JAXBElement createChargeStatute(StatuteType value) { + return new JAXBElement(_ChargeStatute_QNAME, StatuteType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CitationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CitationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Citation") + public JAXBElement createCitation(CitationType value) { + return new JAXBElement(_Citation_QNAME, CitationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CitationAgency") + public JAXBElement createCitationAgency(OrganizationType value) { + return new JAXBElement(_CitationAgency_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CitationDismissalConditionIndicator") + public JAXBElement createCitationDismissalConditionIndicator(Boolean value) { + return new JAXBElement(_CitationDismissalConditionIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CitationDismissalConditionText") + public JAXBElement createCitationDismissalConditionText(TextType value) { + return new JAXBElement(_CitationDismissalConditionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EnforcementOfficialType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EnforcementOfficialType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CitationIssuingOfficial") + public JAXBElement createCitationIssuingOfficial(EnforcementOfficialType value) { + return new JAXBElement(_CitationIssuingOfficial_QNAME, EnforcementOfficialType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SubjectType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SubjectType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CitationSubject") + public JAXBElement createCitationSubject(SubjectType value) { + return new JAXBElement(_CitationSubject_QNAME, SubjectType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link VCOCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link VCOCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ConveyanceColorPrimaryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ItemColorAbstract") + public JAXBElement createConveyanceColorPrimaryCode(VCOCodeType value) { + return new JAXBElement(_ConveyanceColorPrimaryCode_QNAME, VCOCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ConveyanceRegistrationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ConveyanceRegistrationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ConveyanceRegistration") + public JAXBElement createConveyanceRegistration(ConveyanceRegistrationType value) { + return new JAXBElement(_ConveyanceRegistration_QNAME, ConveyanceRegistrationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ConveyanceRegistrationPlateCategoryAbstract") + public JAXBElement createConveyanceRegistrationPlateCategoryAbstract(Object value) { + return new JAXBElement(_ConveyanceRegistrationPlateCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ConveyanceRegistrationPlateCategoryText", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "ConveyanceRegistrationPlateCategoryAbstract") + public JAXBElement createConveyanceRegistrationPlateCategoryText(TextType value) { + return new JAXBElement(_ConveyanceRegistrationPlateCategoryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ConveyanceRegistrationPlateIdentification") + public JAXBElement createConveyanceRegistrationPlateIdentification(IdentificationType value) { + return new JAXBElement(_ConveyanceRegistrationPlateIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtAdministrativeUnitText") + public JAXBElement createCourtAdministrativeUnitText(TextType value) { + return new JAXBElement(_CourtAdministrativeUnitText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CourtAppearanceType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CourtAppearanceType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtAppearance") + public JAXBElement createCourtAppearance(CourtAppearanceType value) { + return new JAXBElement(_CourtAppearance_QNAME, CourtAppearanceType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtAppearanceDate") + public JAXBElement createCourtAppearanceDate(DateType value) { + return new JAXBElement(_CourtAppearanceDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtAugmentationPoint") + public JAXBElement createCourtAugmentationPoint(Object value) { + return new JAXBElement(_CourtAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JudicialOfficialType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JudicialOfficialType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtEventJudge") + public JAXBElement createCourtEventJudge(JudicialOfficialType value) { + return new JAXBElement(_CourtEventJudge_QNAME, JudicialOfficialType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ScheduleDayType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ScheduleDayType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtEventSchedule") + public JAXBElement createCourtEventSchedule(ScheduleDayType value) { + return new JAXBElement(_CourtEventSchedule_QNAME, ScheduleDayType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtEventSequenceID") + public JAXBElement createCourtEventSequenceID(String value) { + return new JAXBElement(_CourtEventSequenceID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtName") + public JAXBElement createCourtName(TextType value) { + return new JAXBElement(_CourtName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CourtOrderAugmentationPoint") + public JAXBElement createCourtOrderAugmentationPoint(Object value) { + return new JAXBElement(_CourtOrderAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DrivingRestrictionCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DrivingRestrictionCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "CrashDrivingRestrictionCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "DrivingRestrictionAbstract") + public JAXBElement createCrashDrivingRestrictionCode(DrivingRestrictionCodeType value) { + return new JAXBElement(_CrashDrivingRestrictionCode_QNAME, DrivingRestrictionCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingRestrictionAbstract") + public JAXBElement createDrivingRestrictionAbstract(Object value) { + return new JAXBElement(_DrivingRestrictionAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DriverLicenseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DriverLicenseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicense") + public JAXBElement createDriverLicense(DriverLicenseType value) { + return new JAXBElement(_DriverLicense_QNAME, DriverLicenseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseCommercialClassAbstract") + public JAXBElement createDriverLicenseCommercialClassAbstract(Object value) { + return new JAXBElement(_DriverLicenseCommercialClassAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DriverLicenseClassCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DriverLicenseClassCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseCommercialClassCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "DriverLicenseCommercialClassAbstract") + public JAXBElement createDriverLicenseCommercialClassCode(DriverLicenseClassCodeType value) { + return new JAXBElement(_DriverLicenseCommercialClassCode_QNAME, DriverLicenseClassCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseExpirationDate") + public JAXBElement createDriverLicenseExpirationDate(DateType value) { + return new JAXBElement(_DriverLicenseExpirationDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseIdentification") + public JAXBElement createDriverLicenseIdentification(IdentificationType value) { + return new JAXBElement(_DriverLicenseIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseIssueDate") + public JAXBElement createDriverLicenseIssueDate(DateType value) { + return new JAXBElement(_DriverLicenseIssueDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DriverLicenseRestrictionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DriverLicenseRestrictionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseRestriction") + public JAXBElement createDriverLicenseRestriction(DriverLicenseRestrictionType value) { + return new JAXBElement(_DriverLicenseRestriction_QNAME, DriverLicenseRestrictionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DriverLicenseWithdrawalType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DriverLicenseWithdrawalType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseWithdrawal") + public JAXBElement createDriverLicenseWithdrawal(DriverLicenseWithdrawalType value) { + return new JAXBElement(_DriverLicenseWithdrawal_QNAME, DriverLicenseWithdrawalType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DriverLicenseWithdrawalEffectiveDate") + public JAXBElement createDriverLicenseWithdrawalEffectiveDate(DateType value) { + return new JAXBElement(_DriverLicenseWithdrawalEffectiveDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingAccidentSeverityAbstract") + public JAXBElement createDrivingAccidentSeverityAbstract(Object value) { + return new JAXBElement(_DrivingAccidentSeverityAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AccidentSeverityCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AccidentSeverityCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingAccidentSeverityCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "DrivingAccidentSeverityAbstract") + public JAXBElement createDrivingAccidentSeverityCode(AccidentSeverityCodeType value) { + return new JAXBElement(_DrivingAccidentSeverityCode_QNAME, AccidentSeverityCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DrivingIncidentType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DrivingIncidentType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncident") + public JAXBElement createDrivingIncident(DrivingIncidentType value) { + return new JAXBElement(_DrivingIncident_QNAME, DrivingIncidentType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentAugmentationPoint") + public JAXBElement createDrivingIncidentAugmentationPoint(Object value) { + return new JAXBElement(_DrivingIncidentAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentHazMatAbstract") + public JAXBElement createDrivingIncidentHazMatAbstract(Object value) { + return new JAXBElement(_DrivingIncidentHazMatAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link HazMatCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link HazMatCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentHazMatCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "DrivingIncidentHazMatAbstract") + public JAXBElement createDrivingIncidentHazMatCode(HazMatCodeType value) { + return new JAXBElement(_DrivingIncidentHazMatCode_QNAME, HazMatCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentLaserDetectionIndicator") + public JAXBElement createDrivingIncidentLaserDetectionIndicator(Boolean value) { + return new JAXBElement(_DrivingIncidentLaserDetectionIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SpeedMeasureType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SpeedMeasureType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentLegalSpeedRateMeasure") + public JAXBElement createDrivingIncidentLegalSpeedRateMeasure(SpeedMeasureType value) { + return new JAXBElement(_DrivingIncidentLegalSpeedRateMeasure_QNAME, SpeedMeasureType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentPassengerQuantityText") + public JAXBElement createDrivingIncidentPassengerQuantityText(TextType value) { + return new JAXBElement(_DrivingIncidentPassengerQuantityText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentRadarDetectionIndicator") + public JAXBElement createDrivingIncidentRadarDetectionIndicator(Boolean value) { + return new JAXBElement(_DrivingIncidentRadarDetectionIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SpeedMeasureType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SpeedMeasureType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingIncidentRecordedSpeedRateMeasure") + public JAXBElement createDrivingIncidentRecordedSpeedRateMeasure(SpeedMeasureType value) { + return new JAXBElement(_DrivingIncidentRecordedSpeedRateMeasure_QNAME, SpeedMeasureType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingRestrictionEndDate") + public JAXBElement createDrivingRestrictionEndDate(DateType value) { + return new JAXBElement(_DrivingRestrictionEndDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "DrivingRestrictionText", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "DrivingRestrictionAbstract") + public JAXBElement createDrivingRestrictionText(TextType value) { + return new JAXBElement(_DrivingRestrictionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "EnforcementOfficialBadgeIdentification") + public JAXBElement createEnforcementOfficialBadgeIdentification(IdentificationType value) { + return new JAXBElement(_EnforcementOfficialBadgeIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ScheduleDayType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ScheduleDayType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "EnforcementOfficialUnavailableSchedule") + public JAXBElement createEnforcementOfficialUnavailableSchedule(ScheduleDayType value) { + return new JAXBElement(_EnforcementOfficialUnavailableSchedule_QNAME, ScheduleDayType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EnforcementUnitType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EnforcementUnitType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "EnforcementOfficialUnit") + public JAXBElement createEnforcementOfficialUnit(EnforcementUnitType value) { + return new JAXBElement(_EnforcementOfficialUnit_QNAME, EnforcementUnitType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "EnforcementUnitName") + public JAXBElement createEnforcementUnitName(TextType value) { + return new JAXBElement(_EnforcementUnitName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IncidentAugmentationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IncidentAugmentationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentAugmentation", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "IncidentAugmentationPoint") + public JAXBElement createIncidentAugmentation(IncidentAugmentationType value) { + return new JAXBElement(_IncidentAugmentation_QNAME, IncidentAugmentationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ItemType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ItemType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentDamagedItem") + public JAXBElement createIncidentDamagedItem(ItemType value) { + return new JAXBElement(_IncidentDamagedItem_QNAME, ItemType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentGeneralCategoryAbstract") + public JAXBElement createIncidentGeneralCategoryAbstract(Object value) { + return new JAXBElement(_IncidentGeneralCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentLevelAbstract") + public JAXBElement createIncidentLevelAbstract(Object value) { + return new JAXBElement(_IncidentLevelAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OffenseLevelCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OffenseLevelCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentLevelCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "IncidentLevelAbstract") + public JAXBElement createIncidentLevelCode(OffenseLevelCodeType value) { + return new JAXBElement(_IncidentLevelCode_QNAME, OffenseLevelCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentOfficialPresentIndicator") + public JAXBElement createIncidentOfficialPresentIndicator(Boolean value) { + return new JAXBElement(_IncidentOfficialPresentIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentTrafficAccidentInvolvedIndicator") + public JAXBElement createIncidentTrafficAccidentInvolvedIndicator(Boolean value) { + return new JAXBElement(_IncidentTrafficAccidentInvolvedIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ViolatedStatuteAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ViolatedStatuteAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "IncidentViolatedStatuteAssociation") + public JAXBElement createIncidentViolatedStatuteAssociation(ViolatedStatuteAssociationType value) { + return new JAXBElement(_IncidentViolatedStatuteAssociation_QNAME, ViolatedStatuteAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ItemValueType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ItemValueType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ItemTotalDamageValue") + public JAXBElement createItemTotalDamageValue(ItemValueType value) { + return new JAXBElement(_ItemTotalDamageValue_QNAME, ItemValueType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JudicialOfficialType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JudicialOfficialType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Judge") + public JAXBElement createJudge(JudicialOfficialType value) { + return new JAXBElement(_Judge_QNAME, JudicialOfficialType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "JudicialOfficialBarIdentification") + public JAXBElement createJudicialOfficialBarIdentification(IdentificationType value) { + return new JAXBElement(_JudicialOfficialBarIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JudicialOfficialBarMembershipType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JudicialOfficialBarMembershipType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "JudicialOfficialBarMembership") + public JAXBElement createJudicialOfficialBarMembership(JudicialOfficialBarMembershipType value) { + return new JAXBElement(_JudicialOfficialBarMembership_QNAME, JudicialOfficialBarMembershipType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "JudicialOfficialRegistrationIdentification") + public JAXBElement createJudicialOfficialRegistrationIdentification(IdentificationType value) { + return new JAXBElement(_JudicialOfficialRegistrationIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JurisdictionAuthorityCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JurisdictionAuthorityCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "JurisdictionANSID20AuthorityCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "JurisdictionAbstract") + public JAXBElement createJurisdictionANSID20AuthorityCode(JurisdictionAuthorityCodeType value) { + return new JAXBElement(_JurisdictionANSID20AuthorityCode_QNAME, JurisdictionAuthorityCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CountryCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CountryCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "LocationStateNCICLISCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "StateRepresentation") + public JAXBElement createLocationStateNCICLISCode(CountryCodeType value) { + return new JAXBElement(_LocationStateNCICLISCode_QNAME, CountryCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OffenseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OffenseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Offense") + public JAXBElement createOffense(OffenseType value) { + return new JAXBElement(_Offense_QNAME, OffenseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OffenseChargeAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OffenseChargeAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "OffenseChargeAssociation") + public JAXBElement createOffenseChargeAssociation(OffenseChargeAssociationType value) { + return new JAXBElement(_OffenseChargeAssociation_QNAME, OffenseChargeAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OffenseLocationAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OffenseLocationAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "OffenseLocationAssociation") + public JAXBElement createOffenseLocationAssociation(OffenseLocationAssociationType value) { + return new JAXBElement(_OffenseLocationAssociation_QNAME, OffenseLocationAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationAlternateNameType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationAlternateNameType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "OrganizationAlternateName") + public JAXBElement createOrganizationAlternateName(OrganizationAlternateNameType value) { + return new JAXBElement(_OrganizationAlternateName_QNAME, OrganizationAlternateNameType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "OrganizationAlternateNameCategoryAbstract") + public JAXBElement createOrganizationAlternateNameCategoryAbstract(Object value) { + return new JAXBElement(_OrganizationAlternateNameCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link gov.niem.release.niem.niem_core._4.PersonNameCategoryCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link gov.niem.release.niem.niem_core._4.PersonNameCategoryCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "OrganizationAlternateNameCategoryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "OrganizationAlternateNameCategoryAbstract") + public JAXBElement createOrganizationAlternateNameCategoryCode(gov.niem.release.niem.niem_core._4.PersonNameCategoryCodeType value) { + return new JAXBElement(_OrganizationAlternateNameCategoryCode_QNAME, gov.niem.release.niem.niem_core._4.PersonNameCategoryCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "OrganizationORIIdentification") + public JAXBElement createOrganizationORIIdentification(IdentificationType value) { + return new JAXBElement(_OrganizationORIIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonAFISIdentification") + public JAXBElement createPersonAFISIdentification(IdentificationType value) { + return new JAXBElement(_PersonAFISIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonAugmentationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonAugmentationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonAugmentation", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonAugmentationPoint") + public JAXBElement createPersonAugmentation(PersonAugmentationType value) { + return new JAXBElement(_PersonAugmentation_QNAME, PersonAugmentationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonBloodAlcoholContentNumberText") + public JAXBElement createPersonBloodAlcoholContentNumberText(TextType value) { + return new JAXBElement(_PersonBloodAlcoholContentNumberText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonChargeAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonChargeAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonChargeAssociation") + public JAXBElement createPersonChargeAssociation(PersonChargeAssociationType value) { + return new JAXBElement(_PersonChargeAssociation_QNAME, PersonChargeAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EthnicityCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EthnicityCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonEthnicityCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonEthnicityAbstract") + public JAXBElement createPersonEthnicityCode(EthnicityCodeType value) { + return new JAXBElement(_PersonEthnicityCode_QNAME, EthnicityCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EYECodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EYECodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonEyeColorCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonEyeColorAbstract") + public JAXBElement createPersonEyeColorCode(EYECodeType value) { + return new JAXBElement(_PersonEyeColorCode_QNAME, EYECodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonFBIIdentification") + public JAXBElement createPersonFBIIdentification(IdentificationType value) { + return new JAXBElement(_PersonFBIIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link HAIRCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link HAIRCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonHairColorCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonHairColorAbstract") + public JAXBElement createPersonHairColorCode(HAIRCodeType value) { + return new JAXBElement(_PersonHairColorCode_QNAME, HAIRCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonNameCategoryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonNameCategoryAbstract") + public JAXBElement createPersonNameCategoryCode(gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType value) { + return new JAXBElement(_PersonNameCategoryCode_QNAME, gov.niem.release.niem.domains.jxdm._6.PersonNameCategoryCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link RACECodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link RACECodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonRaceCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonRaceAbstract") + public JAXBElement createPersonRaceCode(RACECodeType value) { + return new JAXBElement(_PersonRaceCode_QNAME, RACECodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SEXCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SEXCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonSexCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonSexAbstract") + public JAXBElement createPersonSexCode(SEXCodeType value) { + return new JAXBElement(_PersonSexCode_QNAME, SEXCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PersonStateFingerprintIdentification") + public JAXBElement createPersonStateFingerprintIdentification(IdentificationType value) { + return new JAXBElement(_PersonStateFingerprintIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SMTCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SMTCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "PhysicalFeatureCategoryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PhysicalFeatureCategoryAbstract") + public JAXBElement createPhysicalFeatureCategoryCode(SMTCodeType value) { + return new JAXBElement(_PhysicalFeatureCategoryCode_QNAME, SMTCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProtectionOrderType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProtectionOrderType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ProtectionOrder") + public JAXBElement createProtectionOrder(ProtectionOrderType value) { + return new JAXBElement(_ProtectionOrder_QNAME, ProtectionOrderType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ProtectionOrderConditionAbstract") + public JAXBElement createProtectionOrderConditionAbstract(Object value) { + return new JAXBElement(_ProtectionOrderConditionAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PCOCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PCOCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ProtectionOrderConditionCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "ProtectionOrderConditionAbstract") + public JAXBElement createProtectionOrderConditionCode(PCOCodeType value) { + return new JAXBElement(_ProtectionOrderConditionCode_QNAME, PCOCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ProtectionOrderConditionText") + public JAXBElement createProtectionOrderConditionText(TextType value) { + return new JAXBElement(_ProtectionOrderConditionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "ProtectionOrderRestrictedPerson") + public JAXBElement createProtectionOrderRestrictedPerson(PersonType value) { + return new JAXBElement(_ProtectionOrderRestrictedPerson_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "RapSheetTransactionControlIdentification") + public JAXBElement createRapSheetTransactionControlIdentification(IdentificationType value) { + return new JAXBElement(_RapSheetTransactionControlIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "RegisteredOffenderIdentification") + public JAXBElement createRegisteredOffenderIdentification(IdentificationType value) { + return new JAXBElement(_RegisteredOffenderIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link RegisteredOffenderType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link RegisteredOffenderType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "RegisteredSexOffender") + public JAXBElement createRegisteredSexOffender(RegisteredOffenderType value) { + return new JAXBElement(_RegisteredSexOffender_QNAME, RegisteredOffenderType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SentenceType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SentenceType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Sentence") + public JAXBElement createSentence(SentenceType value) { + return new JAXBElement(_Sentence_QNAME, SentenceType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SentenceAugmentationPoint") + public JAXBElement createSentenceAugmentationPoint(Object value) { + return new JAXBElement(_SentenceAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ChargeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SentenceCharge") + public JAXBElement createSentenceCharge(ChargeType value) { + return new JAXBElement(_SentenceCharge_QNAME, ChargeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SentenceDescriptionText") + public JAXBElement createSentenceDescriptionText(TextType value) { + return new JAXBElement(_SentenceDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TermType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TermType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SentenceTerm") + public JAXBElement createSentenceTerm(TermType value) { + return new JAXBElement(_SentenceTerm_QNAME, TermType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SeverityLevelDescriptionText") + public JAXBElement createSeverityLevelDescriptionText(TextType value) { + return new JAXBElement(_SeverityLevelDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link StatuteType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link StatuteType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "Statute") + public JAXBElement createStatute(StatuteType value) { + return new JAXBElement(_Statute_QNAME, StatuteType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "StatuteCodeIdentification") + public JAXBElement createStatuteCodeIdentification(IdentificationType value) { + return new JAXBElement(_StatuteCodeIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "StatuteCodeSectionIdentification") + public JAXBElement createStatuteCodeSectionIdentification(IdentificationType value) { + return new JAXBElement(_StatuteCodeSectionIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "StatuteDescriptionText") + public JAXBElement createStatuteDescriptionText(TextType value) { + return new JAXBElement(_StatuteDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JurisdictionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JurisdictionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "StatuteJurisdiction") + public JAXBElement createStatuteJurisdiction(JurisdictionType value) { + return new JAXBElement(_StatuteJurisdiction_QNAME, JurisdictionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "StatuteLevelText") + public JAXBElement createStatuteLevelText(TextType value) { + return new JAXBElement(_StatuteLevelText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "StatuteOffenseIdentification") + public JAXBElement createStatuteOffenseIdentification(IdentificationType value) { + return new JAXBElement(_StatuteOffenseIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SubjectIdentification") + public JAXBElement createSubjectIdentification(IdentificationType value) { + return new JAXBElement(_SubjectIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SupervisionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SupervisionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SubjectSupervision") + public JAXBElement createSubjectSupervision(SupervisionType value) { + return new JAXBElement(_SubjectSupervision_QNAME, SupervisionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "SupervisionFineAmount") + public JAXBElement createSupervisionFineAmount(AmountType value) { + return new JAXBElement(_SupervisionFineAmount_QNAME, AmountType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link VMACodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link VMACodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "VehicleMakeCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "VehicleMakeAbstract") + public JAXBElement createVehicleMakeCode(VMACodeType value) { + return new JAXBElement(_VehicleMakeCode_QNAME, VMACodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link VMOCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link VMOCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "VehicleModelCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "VehicleModelAbstract") + public JAXBElement createVehicleModelCode(VMOCodeType value) { + return new JAXBElement(_VehicleModelCode_QNAME, VMOCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link VSTCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link VSTCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "VehicleStyleCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ItemStyleAbstract") + public JAXBElement createVehicleStyleCode(VSTCodeType value) { + return new JAXBElement(_VehicleStyleCode_QNAME, VSTCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "WarrantExtraditionLimitationAbstract") + public JAXBElement createWarrantExtraditionLimitationAbstract(Object value) { + return new JAXBElement(_WarrantExtraditionLimitationAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EXLCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EXLCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", name = "WarrantExtraditionLimitationCode", substitutionHeadNamespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", substitutionHeadName = "WarrantExtraditionLimitationAbstract") + public JAXBElement createWarrantExtraditionLimitationCode(EXLCodeType value) { + return new JAXBElement(_WarrantExtraditionLimitationCode_QNAME, EXLCodeType.class, null, value); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseChargeAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseChargeAssociationType.java new file mode 100644 index 000000000..f84628d2e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseChargeAssociationType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a relationship between an offense that occurred and the formal charge that was assigned to it as a result of classifying the offense. + * + *

Java class for OffenseChargeAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="OffenseChargeAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}Offense" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "OffenseChargeAssociationType", propOrder = { + "offense" +}) +public class OffenseChargeAssociationType + extends AssociationType +{ + + @XmlElement(name = "Offense", nillable = true) + protected OffenseType offense; + + /** + * Gets the value of the offense property. + * + * @return + * possible object is + * {@link OffenseType } + * + */ + public OffenseType getOffense() { + return offense; + } + + /** + * Sets the value of the offense property. + * + * @param value + * allowed object is + * {@link OffenseType } + * + */ + public void setOffense(OffenseType value) { + this.offense = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseLocationAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseLocationAssociationType.java new file mode 100644 index 000000000..dc24ca308 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseLocationAssociationType.java @@ -0,0 +1,109 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.LocationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a relationship between an offense and a location at which the offense occurred. + * + *

Java class for OffenseLocationAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="OffenseLocationAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}Offense" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}Location" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "OffenseLocationAssociationType", propOrder = { + "offense", + "location" +}) +public class OffenseLocationAssociationType + extends AssociationType +{ + + @XmlElement(name = "Offense", nillable = true) + protected OffenseType offense; + @XmlElement(name = "Location", namespace = "http://release.niem.gov/niem/niem-core/4.0/", nillable = true) + protected LocationType location; + + /** + * Gets the value of the offense property. + * + * @return + * possible object is + * {@link OffenseType } + * + */ + public OffenseType getOffense() { + return offense; + } + + /** + * Sets the value of the offense property. + * + * @param value + * allowed object is + * {@link OffenseType } + * + */ + public void setOffense(OffenseType value) { + this.offense = value; + } + + /** + * Gets the value of the location property. + * + * @return + * possible object is + * {@link LocationType } + * + */ + public LocationType getLocation() { + return location; + } + + /** + * Sets the value of the location property. + * + * @param value + * allowed object is + * {@link LocationType } + * + */ + public void setLocation(LocationType value) { + this.location = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseType.java new file mode 100644 index 000000000..ef7e09459 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OffenseType.java @@ -0,0 +1,48 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.ActivityType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an alleged violation of a statute, ordinance, or rule. + * + *

Java class for OffenseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="OffenseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "OffenseType") +public class OffenseType + extends ActivityType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAlternateNameType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAlternateNameType.java new file mode 100644 index 000000000..e06ac969f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAlternateNameType.java @@ -0,0 +1,84 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.PersonNameCategoryCodeType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for another name used by an organization. + * + *

Java class for OrganizationAlternateNameType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="OrganizationAlternateNameType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}OrganizationAlternateNameCategoryAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "OrganizationAlternateNameType", propOrder = { + "organizationAlternateNameCategoryAbstract" +}) +public class OrganizationAlternateNameType + extends ObjectType +{ + + @XmlElementRef(name = "OrganizationAlternateNameCategoryAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected JAXBElement organizationAlternateNameCategoryAbstract; + + /** + * Gets the value of the organizationAlternateNameCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link PersonNameCategoryCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getOrganizationAlternateNameCategoryAbstract() { + return organizationAlternateNameCategoryAbstract; + } + + /** + * Sets the value of the organizationAlternateNameCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link PersonNameCategoryCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setOrganizationAlternateNameCategoryAbstract(JAXBElement value) { + this.organizationAlternateNameCategoryAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAugmentationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAugmentationType.java new file mode 100644 index 000000000..f76375044 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/OrganizationAugmentationType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.structures._4.AugmentationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for additional information about an organization. + * + *

Java class for OrganizationAugmentationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="OrganizationAugmentationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}AugmentationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}OrganizationAlternateName" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "OrganizationAugmentationType", propOrder = { + "organizationAlternateName" +}) +public class OrganizationAugmentationType + extends AugmentationType +{ + + @XmlElement(name = "OrganizationAlternateName") + protected OrganizationAlternateNameType organizationAlternateName; + + /** + * Gets the value of the organizationAlternateName property. + * + * @return + * possible object is + * {@link OrganizationAlternateNameType } + * + */ + public OrganizationAlternateNameType getOrganizationAlternateName() { + return organizationAlternateName; + } + + /** + * Sets the value of the organizationAlternateName property. + * + * @param value + * allowed object is + * {@link OrganizationAlternateNameType } + * + */ + public void setOrganizationAlternateName(OrganizationAlternateNameType value) { + this.organizationAlternateName = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonAugmentationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonAugmentationType.java new file mode 100644 index 000000000..b2c26c687 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonAugmentationType.java @@ -0,0 +1,137 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.structures._4.AugmentationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for additional information about a person. + * + *

Java class for PersonAugmentationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PersonAugmentationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}AugmentationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}PersonAFISIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}PersonFBIIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}PersonStateFingerprintIdentification" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PersonAugmentationType", propOrder = { + "personAFISIdentification", + "personFBIIdentification", + "personStateFingerprintIdentification" +}) +public class PersonAugmentationType + extends AugmentationType +{ + + @XmlElement(name = "PersonAFISIdentification") + protected IdentificationType personAFISIdentification; + @XmlElement(name = "PersonFBIIdentification") + protected IdentificationType personFBIIdentification; + @XmlElement(name = "PersonStateFingerprintIdentification") + protected IdentificationType personStateFingerprintIdentification; + + /** + * Gets the value of the personAFISIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getPersonAFISIdentification() { + return personAFISIdentification; + } + + /** + * Sets the value of the personAFISIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setPersonAFISIdentification(IdentificationType value) { + this.personAFISIdentification = value; + } + + /** + * Gets the value of the personFBIIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getPersonFBIIdentification() { + return personFBIIdentification; + } + + /** + * Sets the value of the personFBIIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setPersonFBIIdentification(IdentificationType value) { + this.personFBIIdentification = value; + } + + /** + * Gets the value of the personStateFingerprintIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getPersonStateFingerprintIdentification() { + return personStateFingerprintIdentification; + } + + /** + * Sets the value of the personStateFingerprintIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setPersonStateFingerprintIdentification(IdentificationType value) { + this.personStateFingerprintIdentification = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonBloodAlcoholContentAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonBloodAlcoholContentAssociationType.java new file mode 100644 index 000000000..ee0825af4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonBloodAlcoholContentAssociationType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association that links a person to a Blood Alcohol Content (BAC) Test reading, measured due to a related activity such as an arrest or a driving incident. + * + *

Java class for PersonBloodAlcoholContentAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PersonBloodAlcoholContentAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}PersonBloodAlcoholContentNumberText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PersonBloodAlcoholContentAssociationType", propOrder = { + "personBloodAlcoholContentNumberText" +}) +public class PersonBloodAlcoholContentAssociationType + extends AssociationType +{ + + @XmlElement(name = "PersonBloodAlcoholContentNumberText") + protected TextType personBloodAlcoholContentNumberText; + + /** + * Gets the value of the personBloodAlcoholContentNumberText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getPersonBloodAlcoholContentNumberText() { + return personBloodAlcoholContentNumberText; + } + + /** + * Sets the value of the personBloodAlcoholContentNumberText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setPersonBloodAlcoholContentNumberText(TextType value) { + this.personBloodAlcoholContentNumberText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonChargeAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonChargeAssociationType.java new file mode 100644 index 000000000..c98c03b15 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonChargeAssociationType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association between a person and a charge. + * + *

Java class for PersonChargeAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PersonChargeAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}Person" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PersonChargeAssociationType", propOrder = { + "person" +}) +public class PersonChargeAssociationType + extends AssociationType +{ + + @XmlElement(name = "Person", namespace = "http://release.niem.gov/niem/niem-core/4.0/", nillable = true) + protected PersonType person; + + /** + * Gets the value of the person property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getPerson() { + return person; + } + + /** + * Sets the value of the person property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setPerson(PersonType value) { + this.person = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeSimpleType.java new file mode 100644 index 000000000..46934bb8b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeSimpleType.java @@ -0,0 +1,148 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for PersonNameCategoryCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="PersonNameCategoryCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="aka"/>
+ *     <enumeration value="alias"/>
+ *     <enumeration value="call sign"/>
+ *     <enumeration value="dba"/>
+ *     <enumeration value="fka"/>
+ *     <enumeration value="handle"/>
+ *     <enumeration value="moniker"/>
+ *     <enumeration value="nickname"/>
+ *     <enumeration value="other"/>
+ *     <enumeration value="provided"/>
+ *     <enumeration value="pseudonym"/>
+ *     <enumeration value="unknown"/>
+ *     <enumeration value="user id"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "PersonNameCategoryCodeSimpleType") +@XmlEnum +public enum PersonNameCategoryCodeSimpleType { + + + /** + * Also known as, e.g., a stage name + * + */ + @XmlEnumValue("aka") + AKA("aka"), + + /** + * An assumed or alternate name suspected to be in use for deception; usually involves criminal intent. A term used in legal proceedings to connect the different names of anyone who has gone by two or more, and whose true name is for any cause doubtful. + * + */ + @XmlEnumValue("alias") + ALIAS("alias"), + + /** + * A registered radio identifier used by amateur radio operators; usually a string of alpha-numeric characters. + * + */ + @XmlEnumValue("call sign") + CALL_SIGN("call sign"), + + /** + * Doing business as + * + */ + @XmlEnumValue("dba") + DBA("dba"), + + /** + * Formerly known as + * + */ + @XmlEnumValue("fka") + FKA("fka"), + + /** + * An electronic pseudonym; intended to conceal the user's true identity. Commonly used areas include the Internet, chatrooms, networks, bulletin board systems (BBS), and Citizen's Band (CB) radio; sometimes used by radio operators as an alternative to a call sign. May or may not be used for criminal deception. (also screen name) + * + */ + @XmlEnumValue("handle") + HANDLE("handle"), + + /** + * A nickname specifically used by gang members or criminals to hide real identity for criminal purposes. + * + */ + @XmlEnumValue("moniker") + MONIKER("moniker"), + + /** + * A descriptive name added to or replacing the actual name of a person, place, or thing. A familiar or shortened form of a proper name. (also street name) + * + */ + @XmlEnumValue("nickname") + NICKNAME("nickname"), + + /** + * None of the other types is appropriate. (Explain in text field.) + * + */ + @XmlEnumValue("other") + OTHER("other"), + + /** + * A name communicated by an individual directly or through documentation being carried; obtained from the source of the record and which is not known to be an alias or aka name. + * + */ + @XmlEnumValue("provided") + PROVIDED("provided"), + + /** + * A fictitious name, especially a pen name; not normally for criminal purposes. + * + */ + @XmlEnumValue("pseudonym") + PSEUDONYM("pseudonym"), + + /** + * Indefinite; unsure of this type of name. + * + */ + @XmlEnumValue("unknown") + UNKNOWN("unknown"), + + /** + * A number or name which is unique to a particular user of a computer or group of computers which share user information. A user id is not normally used for criminal intent, unless it is being used without authorization. An operating system uses the user id to represent the user in its data structures, e.g. the owner of a file or process, the person attempting to access a system resource. (also uid, userid) + * + */ + @XmlEnumValue("user id") + USER_ID("user id"); + private final String value; + + PersonNameCategoryCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static PersonNameCategoryCodeSimpleType fromValue(String v) { + for (PersonNameCategoryCodeSimpleType c: PersonNameCategoryCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeType.java new file mode 100644 index 000000000..dedb43f79 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/PersonNameCategoryCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for possible kinds of names. + * + *

Java class for PersonNameCategoryCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="PersonNameCategoryCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/domains/jxdm/6.1/>PersonNameCategoryCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "PersonNameCategoryCodeType", propOrder = { + "value" +}) +public class PersonNameCategoryCodeType { + + @XmlValue + protected PersonNameCategoryCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for possible kinds of names. + * + * @return + * possible object is + * {@link PersonNameCategoryCodeSimpleType } + * + */ + public PersonNameCategoryCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link PersonNameCategoryCodeSimpleType } + * + */ + public void setValue(PersonNameCategoryCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ProtectionOrderType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ProtectionOrderType.java new file mode 100644 index 000000000..7a626f156 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ProtectionOrderType.java @@ -0,0 +1,142 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.codes.fbi_ncic._4.PCOCodeType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a civil order protecting one individual from another. + * + *

Java class for ProtectionOrderType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ProtectionOrderType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtOrderType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ProtectionOrderRestrictedPerson"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ProtectionOrderConditionText"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}ProtectionOrderConditionAbstract"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ProtectionOrderType", propOrder = { + "protectionOrderRestrictedPerson", + "protectionOrderConditionText", + "protectionOrderConditionAbstract" +}) +public class ProtectionOrderType + extends CourtOrderType +{ + + @XmlElement(name = "ProtectionOrderRestrictedPerson", required = true) + protected PersonType protectionOrderRestrictedPerson; + @XmlElement(name = "ProtectionOrderConditionText", required = true) + protected TextType protectionOrderConditionText; + @XmlElementRef(name = "ProtectionOrderConditionAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class) + protected JAXBElement protectionOrderConditionAbstract; + + /** + * Gets the value of the protectionOrderRestrictedPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getProtectionOrderRestrictedPerson() { + return protectionOrderRestrictedPerson; + } + + /** + * Sets the value of the protectionOrderRestrictedPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setProtectionOrderRestrictedPerson(PersonType value) { + this.protectionOrderRestrictedPerson = value; + } + + /** + * Gets the value of the protectionOrderConditionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getProtectionOrderConditionText() { + return protectionOrderConditionText; + } + + /** + * Sets the value of the protectionOrderConditionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setProtectionOrderConditionText(TextType value) { + this.protectionOrderConditionText = value; + } + + /** + * Gets the value of the protectionOrderConditionAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link PCOCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getProtectionOrderConditionAbstract() { + return protectionOrderConditionAbstract; + } + + /** + * Sets the value of the protectionOrderConditionAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link PCOCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setProtectionOrderConditionAbstract(JAXBElement value) { + this.protectionOrderConditionAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/RegisteredOffenderType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/RegisteredOffenderType.java new file mode 100644 index 000000000..aa892aa1e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/RegisteredOffenderType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for information about a person who is required to register information with a law enforcement agency due to having been convicted of a certain type of crime. + * + *

Java class for RegisteredOffenderType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="RegisteredOffenderType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}RegisteredOffenderIdentification" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "RegisteredOffenderType", propOrder = { + "registeredOffenderIdentification" +}) +public class RegisteredOffenderType + extends ObjectType +{ + + @XmlElement(name = "RegisteredOffenderIdentification") + protected IdentificationType registeredOffenderIdentification; + + /** + * Gets the value of the registeredOffenderIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getRegisteredOffenderIdentification() { + return registeredOffenderIdentification; + } + + /** + * Sets the value of the registeredOffenderIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setRegisteredOffenderIdentification(IdentificationType value) { + this.registeredOffenderIdentification = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SentenceType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SentenceType.java new file mode 100644 index 000000000..0d937732b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SentenceType.java @@ -0,0 +1,211 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.ActivityType; +import gov.niem.release.niem.niem_core._4.AmountType; +import gov.niem.release.niem.niem_core._4.TextType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a punishment resulting from conviction of charges in a court case. + * + *

Java class for SentenceType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SentenceType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SentenceCharge" maxOccurs="unbounded"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SentenceDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SentenceTerm" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SupervisionFineAmount" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SentenceAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SentenceType", propOrder = { + "sentenceCharge", + "sentenceDescriptionText", + "sentenceTerm", + "supervisionFineAmount", + "sentenceAugmentationPoint" +}) +public class SentenceType + extends ActivityType +{ + + @XmlElement(name = "SentenceCharge", required = true, nillable = true) + protected List sentenceCharge; + @XmlElement(name = "SentenceDescriptionText") + protected TextType sentenceDescriptionText; + @XmlElement(name = "SentenceTerm") + protected TermType sentenceTerm; + @XmlElement(name = "SupervisionFineAmount") + protected List supervisionFineAmount; + @XmlElement(name = "SentenceAugmentationPoint") + protected List sentenceAugmentationPoint; + + /** + * Gets the value of the sentenceCharge property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the sentenceCharge property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getSentenceCharge().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link ChargeType } + * + * + */ + public List getSentenceCharge() { + if (sentenceCharge == null) { + sentenceCharge = new ArrayList(); + } + return this.sentenceCharge; + } + + /** + * Gets the value of the sentenceDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getSentenceDescriptionText() { + return sentenceDescriptionText; + } + + /** + * Sets the value of the sentenceDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setSentenceDescriptionText(TextType value) { + this.sentenceDescriptionText = value; + } + + /** + * Gets the value of the sentenceTerm property. + * + * @return + * possible object is + * {@link TermType } + * + */ + public TermType getSentenceTerm() { + return sentenceTerm; + } + + /** + * Sets the value of the sentenceTerm property. + * + * @param value + * allowed object is + * {@link TermType } + * + */ + public void setSentenceTerm(TermType value) { + this.sentenceTerm = value; + } + + /** + * Gets the value of the supervisionFineAmount property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the supervisionFineAmount property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getSupervisionFineAmount().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link AmountType } + * + * + */ + public List getSupervisionFineAmount() { + if (supervisionFineAmount == null) { + supervisionFineAmount = new ArrayList(); + } + return this.supervisionFineAmount; + } + + /** + * Gets the value of the sentenceAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the sentenceAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getSentenceAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getSentenceAugmentationPoint() { + if (sentenceAugmentationPoint == null) { + sentenceAugmentationPoint = new ArrayList(); + } + return this.sentenceAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SeverityLevelType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SeverityLevelType.java new file mode 100644 index 000000000..16bee390b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SeverityLevelType.java @@ -0,0 +1,81 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a sentencing guideline severity level assigned to a charge by a judge or supervising agency. + * + *

Java class for SeverityLevelType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SeverityLevelType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SeverityLevelDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SeverityLevelType", propOrder = { + "severityLevelDescriptionText" +}) +public class SeverityLevelType + extends ObjectType +{ + + @XmlElement(name = "SeverityLevelDescriptionText") + protected TextType severityLevelDescriptionText; + + /** + * Gets the value of the severityLevelDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getSeverityLevelDescriptionText() { + return severityLevelDescriptionText; + } + + /** + * Sets the value of the severityLevelDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setSeverityLevelDescriptionText(TextType value) { + this.severityLevelDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/StatuteType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/StatuteType.java new file mode 100644 index 000000000..d5ee428cd --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/StatuteType.java @@ -0,0 +1,223 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.JurisdictionType; +import gov.niem.release.niem.niem_core._4.TextType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a law, rule, or ordinance within a jurisdiction. + * + *

Java class for StatuteType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="StatuteType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}StatuteCodeIdentification"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}StatuteCodeSectionIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}StatuteDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}StatuteJurisdiction" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}StatuteLevelText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}StatuteOffenseIdentification"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "StatuteType", propOrder = { + "statuteCodeIdentification", + "statuteCodeSectionIdentification", + "statuteDescriptionText", + "statuteJurisdiction", + "statuteLevelText", + "statuteOffenseIdentification" +}) +public class StatuteType + extends ObjectType +{ + + @XmlElement(name = "StatuteCodeIdentification", required = true) + protected IdentificationType statuteCodeIdentification; + @XmlElement(name = "StatuteCodeSectionIdentification") + protected IdentificationType statuteCodeSectionIdentification; + @XmlElement(name = "StatuteDescriptionText") + protected TextType statuteDescriptionText; + @XmlElement(name = "StatuteJurisdiction") + protected JurisdictionType statuteJurisdiction; + @XmlElement(name = "StatuteLevelText") + protected TextType statuteLevelText; + @XmlElement(name = "StatuteOffenseIdentification", required = true) + protected IdentificationType statuteOffenseIdentification; + + /** + * Gets the value of the statuteCodeIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getStatuteCodeIdentification() { + return statuteCodeIdentification; + } + + /** + * Sets the value of the statuteCodeIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setStatuteCodeIdentification(IdentificationType value) { + this.statuteCodeIdentification = value; + } + + /** + * Gets the value of the statuteCodeSectionIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getStatuteCodeSectionIdentification() { + return statuteCodeSectionIdentification; + } + + /** + * Sets the value of the statuteCodeSectionIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setStatuteCodeSectionIdentification(IdentificationType value) { + this.statuteCodeSectionIdentification = value; + } + + /** + * Gets the value of the statuteDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getStatuteDescriptionText() { + return statuteDescriptionText; + } + + /** + * Sets the value of the statuteDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setStatuteDescriptionText(TextType value) { + this.statuteDescriptionText = value; + } + + /** + * Gets the value of the statuteJurisdiction property. + * + * @return + * possible object is + * {@link JurisdictionType } + * + */ + public JurisdictionType getStatuteJurisdiction() { + return statuteJurisdiction; + } + + /** + * Sets the value of the statuteJurisdiction property. + * + * @param value + * allowed object is + * {@link JurisdictionType } + * + */ + public void setStatuteJurisdiction(JurisdictionType value) { + this.statuteJurisdiction = value; + } + + /** + * Gets the value of the statuteLevelText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getStatuteLevelText() { + return statuteLevelText; + } + + /** + * Sets the value of the statuteLevelText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setStatuteLevelText(TextType value) { + this.statuteLevelText = value; + } + + /** + * Gets the value of the statuteOffenseIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getStatuteOffenseIdentification() { + return statuteOffenseIdentification; + } + + /** + * Sets the value of the statuteOffenseIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setStatuteOffenseIdentification(IdentificationType value) { + this.statuteOffenseIdentification = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SubjectType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SubjectType.java new file mode 100644 index 000000000..967016208 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/SubjectType.java @@ -0,0 +1,178 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.niem_core._4.IdentificationType; +import gov.niem.release.niem.niem_core._4.PersonType; +import gov.niem.release.niem.niem_core._4.SupervisionType; +import gov.niem.release.niem.structures._4.ObjectType; +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.SubjectAugmentationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a person or organization that is involved or suspected of being involved in a violation of a criminal statute, ordinance or rule. + * + *

Java class for SubjectType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="SubjectType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}RoleOfPerson"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SubjectIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SubjectSupervision" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}SubjectAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "SubjectType", propOrder = { + "roleOfPerson", + "subjectIdentification", + "subjectSupervision", + "subjectAugmentationPoint" +}) +public class SubjectType + extends ObjectType +{ + + @XmlElement(name = "RoleOfPerson", namespace = "http://release.niem.gov/niem/niem-core/4.0/", required = true, nillable = true) + protected PersonType roleOfPerson; + @XmlElement(name = "SubjectIdentification") + protected IdentificationType subjectIdentification; + @XmlElement(name = "SubjectSupervision") + protected SupervisionType subjectSupervision; + @XmlElementRef(name = "SubjectAugmentationPoint", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class, required = false) + protected List> subjectAugmentationPoint; + + /** + * Gets the value of the roleOfPerson property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getRoleOfPerson() { + return roleOfPerson; + } + + /** + * Sets the value of the roleOfPerson property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setRoleOfPerson(PersonType value) { + this.roleOfPerson = value; + } + + /** + * Gets the value of the subjectIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getSubjectIdentification() { + return subjectIdentification; + } + + /** + * Sets the value of the subjectIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setSubjectIdentification(IdentificationType value) { + this.subjectIdentification = value; + } + + /** + * Gets the value of the subjectSupervision property. + * + * @return + * possible object is + * {@link SupervisionType } + * + */ + public SupervisionType getSubjectSupervision() { + return subjectSupervision; + } + + /** + * Sets the value of the subjectSupervision property. + * + * @param value + * allowed object is + * {@link SupervisionType } + * + */ + public void setSubjectSupervision(SupervisionType value) { + this.subjectSupervision = value; + } + + /** + * Gets the value of the subjectAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the subjectAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getSubjectAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link SubjectAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getSubjectAugmentationPoint() { + if (subjectAugmentationPoint == null) { + subjectAugmentationPoint = new ArrayList>(); + } + return this.subjectAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/TermType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/TermType.java new file mode 100644 index 000000000..272af987c --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/TermType.java @@ -0,0 +1,48 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.ActivityType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a duration length either in specific terms or as a range. + * + *

Java class for TermType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="TermType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "TermType") +public class TermType + extends ActivityType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ViolatedStatuteAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ViolatedStatuteAssociationType.java new file mode 100644 index 000000000..f53eb197f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/ViolatedStatuteAssociationType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.niem_core._4.AssociationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an association of a statute that has been violated and other information. + * + *

Java class for ViolatedStatuteAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ViolatedStatuteAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}Statute"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ViolatedStatuteAssociationType", propOrder = { + "statute" +}) +public class ViolatedStatuteAssociationType + extends AssociationType +{ + + @XmlElement(name = "Statute", required = true, nillable = true) + protected StatuteType statute; + + /** + * Gets the value of the statute property. + * + * @return + * possible object is + * {@link StatuteType } + * + */ + public StatuteType getStatute() { + return statute; + } + + /** + * Sets the value of the statute property. + * + * @param value + * allowed object is + * {@link StatuteType } + * + */ + public void setStatute(StatuteType value) { + this.statute = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/WarrantType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/WarrantType.java new file mode 100644 index 000000000..86d5f23f5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/WarrantType.java @@ -0,0 +1,83 @@ + +package gov.niem.release.niem.domains.jxdm._6; + +import gov.niem.release.niem.codes.fbi_ncic._4.EXLCodeType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an authorization for an enforcement official to perform a specified action. + * + *

Java class for WarrantType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="WarrantType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/domains/jxdm/6.1/}CourtOrderType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/domains/jxdm/6.1/}WarrantExtraditionLimitationAbstract"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "WarrantType", propOrder = { + "warrantExtraditionLimitationAbstract" +}) +public class WarrantType + extends CourtOrderType +{ + + @XmlElementRef(name = "WarrantExtraditionLimitationAbstract", namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", type = JAXBElement.class) + protected JAXBElement warrantExtraditionLimitationAbstract; + + /** + * Gets the value of the warrantExtraditionLimitationAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link EXLCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getWarrantExtraditionLimitationAbstract() { + return warrantExtraditionLimitationAbstract; + } + + /** + * Sets the value of the warrantExtraditionLimitationAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link EXLCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setWarrantExtraditionLimitationAbstract(JAXBElement value) { + this.warrantExtraditionLimitationAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/package-info.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/package-info.java new file mode 100644 index 000000000..36341e2e5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/domains/jxdm/_6/package-info.java @@ -0,0 +1,2 @@ +@jakarta.xml.bind.annotation.XmlSchema(namespace = "http://release.niem.gov/niem/domains/jxdm/6.1/", elementFormDefault = jakarta.xml.bind.annotation.XmlNsForm.QUALIFIED) +package gov.niem.release.niem.domains.jxdm._6; diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ActivityType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ActivityType.java new file mode 100644 index 000000000..faad448c8 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ActivityType.java @@ -0,0 +1,224 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.domains.humanservices._4.PlacementType; +import gov.niem.release.niem.domains.jxdm._6.ArrestType; +import gov.niem.release.niem.domains.jxdm._6.BookingType; +import gov.niem.release.niem.domains.jxdm._6.CitationType; +import gov.niem.release.niem.domains.jxdm._6.CourtEventType; +import gov.niem.release.niem.domains.jxdm._6.CourtOrderType; +import gov.niem.release.niem.domains.jxdm._6.DriverLicenseWithdrawalType; +import gov.niem.release.niem.domains.jxdm._6.OffenseType; +import gov.niem.release.niem.domains.jxdm._6.SentenceType; +import gov.niem.release.niem.domains.jxdm._6.TermType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a single or set of related actions, events, or process steps. + * + *

Java class for ActivityType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ActivityType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ActivityIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ActivityDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ActivityStatus" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ActivityDisposition" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ActivityDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ActivityType", propOrder = { + "activityIdentification", + "activityDescriptionText", + "activityStatus", + "activityDisposition", + "activityDate" +}) +@XmlSeeAlso({ + CourtEventType.class, + PersonDisunionType.class, + PersonUnionSeparationType.class, + SupervisionType.class, + ArrestType.class, + BookingType.class, + CitationType.class, + DriverLicenseWithdrawalType.class, + IncidentType.class, + OffenseType.class, + SentenceType.class, + TermType.class, + CourtOrderType.class, + CaseType.class, + PlacementType.class +}) +public class ActivityType + extends ObjectType +{ + + @XmlElement(name = "ActivityIdentification") + protected IdentificationType activityIdentification; + @XmlElement(name = "ActivityDescriptionText") + protected TextType activityDescriptionText; + @XmlElement(name = "ActivityStatus") + protected StatusType activityStatus; + @XmlElementRef(name = "ActivityDisposition", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement activityDisposition; + @XmlElement(name = "ActivityDate") + protected DateType activityDate; + + /** + * Gets the value of the activityIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getActivityIdentification() { + return activityIdentification; + } + + /** + * Sets the value of the activityIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setActivityIdentification(IdentificationType value) { + this.activityIdentification = value; + } + + /** + * Gets the value of the activityDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getActivityDescriptionText() { + return activityDescriptionText; + } + + /** + * Sets the value of the activityDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setActivityDescriptionText(TextType value) { + this.activityDescriptionText = value; + } + + /** + * Gets the value of the activityStatus property. + * + * @return + * possible object is + * {@link StatusType } + * + */ + public StatusType getActivityStatus() { + return activityStatus; + } + + /** + * Sets the value of the activityStatus property. + * + * @param value + * allowed object is + * {@link StatusType } + * + */ + public void setActivityStatus(StatusType value) { + this.activityStatus = value; + } + + /** + * Gets the value of the activityDisposition property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link CaseDispositionType }{@code >} + * {@link JAXBElement }{@code <}{@link DispositionType }{@code >} + * + */ + public JAXBElement getActivityDisposition() { + return activityDisposition; + } + + /** + * Sets the value of the activityDisposition property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link CaseDispositionType }{@code >} + * {@link JAXBElement }{@code <}{@link DispositionType }{@code >} + * + */ + public void setActivityDisposition(JAXBElement value) { + this.activityDisposition = value; + } + + /** + * Gets the value of the activityDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getActivityDate() { + return activityDate; + } + + /** + * Sets the value of the activityDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setActivityDate(DateType value) { + this.activityDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AddressType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AddressType.java new file mode 100644 index 000000000..67db8ad01 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AddressType.java @@ -0,0 +1,312 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a geophysical location described by postal information. + * + *

Java class for AddressType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="AddressType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}AddressFullText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}AddressDeliveryPointAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}AddressRecipientName" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationCityName" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationCountyAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationState" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationCountry" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationPostalCode" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationPostalExtensionCode" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "AddressType", propOrder = { + "addressFullText", + "addressDeliveryPointAbstract", + "addressRecipientName", + "locationCityName", + "locationCountyAbstract", + "locationState", + "locationCountry", + "locationPostalCode", + "locationPostalExtensionCode" +}) +public class AddressType + extends ObjectType +{ + + @XmlElement(name = "AddressFullText") + protected TextType addressFullText; + @XmlElementRef(name = "AddressDeliveryPointAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement addressDeliveryPointAbstract; + @XmlElement(name = "AddressRecipientName") + protected TextType addressRecipientName; + @XmlElement(name = "LocationCityName") + protected ProperNameTextType locationCityName; + @XmlElementRef(name = "LocationCountyAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement locationCountyAbstract; + @XmlElement(name = "LocationState") + protected StateType locationState; + @XmlElement(name = "LocationCountry") + protected CountryType locationCountry; + @XmlElement(name = "LocationPostalCode") + protected gov.niem.release.niem.proxy.xsd._4.String locationPostalCode; + @XmlElement(name = "LocationPostalExtensionCode") + protected gov.niem.release.niem.proxy.xsd._4.String locationPostalExtensionCode; + + /** + * Gets the value of the addressFullText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getAddressFullText() { + return addressFullText; + } + + /** + * Sets the value of the addressFullText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setAddressFullText(TextType value) { + this.addressFullText = value; + } + + /** + * Gets the value of the addressDeliveryPointAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link StreetType }{@code >} + * {@link JAXBElement }{@code <}{@link gov.niem.release.niem.proxy.xsd._4.String }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getAddressDeliveryPointAbstract() { + return addressDeliveryPointAbstract; + } + + /** + * Sets the value of the addressDeliveryPointAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link StreetType }{@code >} + * {@link JAXBElement }{@code <}{@link gov.niem.release.niem.proxy.xsd._4.String }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setAddressDeliveryPointAbstract(JAXBElement value) { + this.addressDeliveryPointAbstract = value; + } + + /** + * Gets the value of the addressRecipientName property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getAddressRecipientName() { + return addressRecipientName; + } + + /** + * Sets the value of the addressRecipientName property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setAddressRecipientName(TextType value) { + this.addressRecipientName = value; + } + + /** + * Gets the value of the locationCityName property. + * + * @return + * possible object is + * {@link ProperNameTextType } + * + */ + public ProperNameTextType getLocationCityName() { + return locationCityName; + } + + /** + * Sets the value of the locationCityName property. + * + * @param value + * allowed object is + * {@link ProperNameTextType } + * + */ + public void setLocationCityName(ProperNameTextType value) { + this.locationCityName = value; + } + + /** + * Gets the value of the locationCountyAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getLocationCountyAbstract() { + return locationCountyAbstract; + } + + /** + * Sets the value of the locationCountyAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setLocationCountyAbstract(JAXBElement value) { + this.locationCountyAbstract = value; + } + + /** + * Gets the value of the locationState property. + * + * @return + * possible object is + * {@link StateType } + * + */ + public StateType getLocationState() { + return locationState; + } + + /** + * Sets the value of the locationState property. + * + * @param value + * allowed object is + * {@link StateType } + * + */ + public void setLocationState(StateType value) { + this.locationState = value; + } + + /** + * Gets the value of the locationCountry property. + * + * @return + * possible object is + * {@link CountryType } + * + */ + public CountryType getLocationCountry() { + return locationCountry; + } + + /** + * Sets the value of the locationCountry property. + * + * @param value + * allowed object is + * {@link CountryType } + * + */ + public void setLocationCountry(CountryType value) { + this.locationCountry = value; + } + + /** + * Gets the value of the locationPostalCode property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getLocationPostalCode() { + return locationPostalCode; + } + + /** + * Sets the value of the locationPostalCode property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setLocationPostalCode(gov.niem.release.niem.proxy.xsd._4.String value) { + this.locationPostalCode = value; + } + + /** + * Gets the value of the locationPostalExtensionCode property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getLocationPostalExtensionCode() { + return locationPostalExtensionCode; + } + + /** + * Sets the value of the locationPostalExtensionCode property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setLocationPostalExtensionCode(gov.niem.release.niem.proxy.xsd._4.String value) { + this.locationPostalExtensionCode = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AmountType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AmountType.java new file mode 100644 index 000000000..290b2bfa5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AmountType.java @@ -0,0 +1,116 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.codes.iso_4217._4.CurrencyCodeType; +import gov.niem.release.niem.proxy.xsd._4.Decimal; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an amount of money. + * + *

Java class for AmountType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="AmountType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}Amount"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}CurrencyAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "AmountType", propOrder = { + "amount", + "currencyAbstract" +}) +public class AmountType + extends ObjectType +{ + + @XmlElement(name = "Amount", required = true) + protected Decimal amount; + @XmlElementRef(name = "CurrencyAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement currencyAbstract; + + /** + * Gets the value of the amount property. + * + * @return + * possible object is + * {@link Decimal } + * + */ + public Decimal getAmount() { + return amount; + } + + /** + * Sets the value of the amount property. + * + * @param value + * allowed object is + * {@link Decimal } + * + */ + public void setAmount(Decimal value) { + this.amount = value; + } + + /** + * Gets the value of the currencyAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link CurrencyCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getCurrencyAbstract() { + return currencyAbstract; + } + + /** + * Sets the value of the currencyAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link CurrencyCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setCurrencyAbstract(JAXBElement value) { + this.currencyAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AssociationType.java new file mode 100644 index 000000000..030101fdf --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/AssociationType.java @@ -0,0 +1,110 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.domains.humanservices._4.JuvenileGangAssociationType; +import gov.niem.release.niem.domains.humanservices._4.JuvenilePlacementFacilityAssociationType; +import gov.niem.release.niem.domains.humanservices._4.JuvenilePlacementPersonAssociationType; +import gov.niem.release.niem.domains.humanservices._4.ParentChildAssociationType; +import gov.niem.release.niem.domains.humanservices._4.PersonCaseAssociationType; +import gov.niem.release.niem.domains.jxdm._6.OffenseChargeAssociationType; +import gov.niem.release.niem.domains.jxdm._6.OffenseLocationAssociationType; +import gov.niem.release.niem.domains.jxdm._6.PersonBloodAlcoholContentAssociationType; +import gov.niem.release.niem.domains.jxdm._6.PersonChargeAssociationType; +import gov.niem.release.niem.domains.jxdm._6.ViolatedStatuteAssociationType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.common.FilingAssociationType; + + +/** + * A data type for an association, connection, relationship, or involvement somehow linking people, things, and/or activities together. + * + *

Java class for AssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="AssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}AssociationDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "AssociationType", propOrder = { + "associationDescriptionText" +}) +@XmlSeeAlso({ + DocumentAssociationType.class, + OrganizationAssociationType.class, + PersonEmploymentAssociationType.class, + PersonOrganizationAssociationType.class, + PersonAssociationType.class, + RelatedActivityAssociationType.class, + ViolatedStatuteAssociationType.class, + OffenseChargeAssociationType.class, + OffenseLocationAssociationType.class, + PersonChargeAssociationType.class, + PersonBloodAlcoholContentAssociationType.class, + FilingAssociationType.class, + JuvenilePlacementFacilityAssociationType.class, + JuvenilePlacementPersonAssociationType.class, + ParentChildAssociationType.class, + JuvenileGangAssociationType.class, + PersonCaseAssociationType.class +}) +public class AssociationType + extends gov.niem.release.niem.structures._4.AssociationType +{ + + @XmlElement(name = "AssociationDescriptionText") + protected TextType associationDescriptionText; + + /** + * Gets the value of the associationDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getAssociationDescriptionText() { + return associationDescriptionText; + } + + /** + * Sets the value of the associationDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setAssociationDescriptionText(TextType value) { + this.associationDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/BinaryType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/BinaryType.java new file mode 100644 index 000000000..8671402f3 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/BinaryType.java @@ -0,0 +1,259 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.domains.biometrics._4.ImageType; +import gov.niem.release.niem.proxy.xsd._4.AnyURI; +import gov.niem.release.niem.proxy.xsd._4.Base64Binary; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a digital representation of an object encoded in a binary format. + * + *

Java class for BinaryType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="BinaryType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinaryID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinaryObjectAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinaryCapturer" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinaryDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinaryFormatText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinaryURI" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}BinarySizeValue" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "BinaryType", propOrder = { + "binaryID", + "binaryObjectAbstract", + "binaryCapturer", + "binaryDescriptionText", + "binaryFormatText", + "binaryURI", + "binarySizeValue" +}) +@XmlSeeAlso({ + ImageType.class +}) +public class BinaryType + extends ObjectType +{ + + @XmlElement(name = "BinaryID") + protected gov.niem.release.niem.proxy.xsd._4.String binaryID; + @XmlElementRef(name = "BinaryObjectAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement binaryObjectAbstract; + @XmlElement(name = "BinaryCapturer") + protected EntityType binaryCapturer; + @XmlElement(name = "BinaryDescriptionText") + protected TextType binaryDescriptionText; + @XmlElement(name = "BinaryFormatText") + protected TextType binaryFormatText; + @XmlElement(name = "BinaryURI") + protected AnyURI binaryURI; + @XmlElement(name = "BinarySizeValue") + protected NonNegativeDecimalType binarySizeValue; + + /** + * Gets the value of the binaryID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getBinaryID() { + return binaryID; + } + + /** + * Sets the value of the binaryID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setBinaryID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.binaryID = value; + } + + /** + * Gets the value of the binaryObjectAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link Base64Binary }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getBinaryObjectAbstract() { + return binaryObjectAbstract; + } + + /** + * Sets the value of the binaryObjectAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link Base64Binary }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setBinaryObjectAbstract(JAXBElement value) { + this.binaryObjectAbstract = value; + } + + /** + * Gets the value of the binaryCapturer property. + * + * @return + * possible object is + * {@link EntityType } + * + */ + public EntityType getBinaryCapturer() { + return binaryCapturer; + } + + /** + * Sets the value of the binaryCapturer property. + * + * @param value + * allowed object is + * {@link EntityType } + * + */ + public void setBinaryCapturer(EntityType value) { + this.binaryCapturer = value; + } + + /** + * Gets the value of the binaryDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getBinaryDescriptionText() { + return binaryDescriptionText; + } + + /** + * Sets the value of the binaryDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setBinaryDescriptionText(TextType value) { + this.binaryDescriptionText = value; + } + + /** + * Gets the value of the binaryFormatText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getBinaryFormatText() { + return binaryFormatText; + } + + /** + * Sets the value of the binaryFormatText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setBinaryFormatText(TextType value) { + this.binaryFormatText = value; + } + + /** + * Gets the value of the binaryURI property. + * + * @return + * possible object is + * {@link AnyURI } + * + */ + public AnyURI getBinaryURI() { + return binaryURI; + } + + /** + * Sets the value of the binaryURI property. + * + * @param value + * allowed object is + * {@link AnyURI } + * + */ + public void setBinaryURI(AnyURI value) { + this.binaryURI = value; + } + + /** + * Gets the value of the binarySizeValue property. + * + * @return + * possible object is + * {@link NonNegativeDecimalType } + * + */ + public NonNegativeDecimalType getBinarySizeValue() { + return binarySizeValue; + } + + /** + * Sets the value of the binarySizeValue property. + * + * @param value + * allowed object is + * {@link NonNegativeDecimalType } + * + */ + public void setBinarySizeValue(NonNegativeDecimalType value) { + this.binarySizeValue = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CapabilityType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CapabilityType.java new file mode 100644 index 000000000..e352823a6 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CapabilityType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an ability to complete a task or execute a course of action under specified condition and level of performance. + * + *

Java class for CapabilityType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CapabilityType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}CapabilityDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CapabilityType", propOrder = { + "capabilityDescriptionText" +}) +public class CapabilityType + extends ObjectType +{ + + @XmlElement(name = "CapabilityDescriptionText") + protected TextType capabilityDescriptionText; + + /** + * Gets the value of the capabilityDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getCapabilityDescriptionText() { + return capabilityDescriptionText; + } + + /** + * Sets the value of the capabilityDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setCapabilityDescriptionText(TextType value) { + this.capabilityDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseDispositionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseDispositionType.java new file mode 100644 index 000000000..2b3bf6db4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseDispositionType.java @@ -0,0 +1,79 @@ + +package gov.niem.release.niem.niem_core._4; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an outcome or processing of a case. + * + *

Java class for CaseDispositionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CaseDispositionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}DispositionType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}CaseDispositionFinalDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CaseDispositionType", propOrder = { + "caseDispositionFinalDate" +}) +public class CaseDispositionType + extends DispositionType +{ + + @XmlElement(name = "CaseDispositionFinalDate") + protected DateType caseDispositionFinalDate; + + /** + * Gets the value of the caseDispositionFinalDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getCaseDispositionFinalDate() { + return caseDispositionFinalDate; + } + + /** + * Sets the value of the caseDispositionFinalDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setCaseDispositionFinalDate(DateType value) { + this.caseDispositionFinalDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseType.java new file mode 100644 index 000000000..cd3433bf1 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CaseType.java @@ -0,0 +1,133 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.domains.humanservices._4.ChildSupportEnforcementCaseType; +import gov.niem.release.niem.domains.humanservices._4.JuvenileCaseType; +import gov.niem.release.niem.domains.jxdm._6.AppellateCaseType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.common.SchedulingAugmentationType; + + +/** + * A data type for an aggregation of information about a set of related activities and events. + * + *

Java class for CaseType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CaseType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}CaseTitleText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}CaseAugmentationPoint" maxOccurs="unbounded"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CaseType", propOrder = { + "caseTitleText", + "caseAugmentationPoint" +}) +@XmlSeeAlso({ + AppellateCaseType.class, + ChildSupportEnforcementCaseType.class, + JuvenileCaseType.class +}) +public class CaseType + extends ActivityType +{ + + @XmlElement(name = "CaseTitleText") + protected TextType caseTitleText; + @XmlElementRef(name = "CaseAugmentationPoint", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class) + protected List> caseAugmentationPoint; + + /** + * Gets the value of the caseTitleText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getCaseTitleText() { + return caseTitleText; + } + + /** + * Sets the value of the caseTitleText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setCaseTitleText(TextType value) { + this.caseTitleText = value; + } + + /** + * Gets the value of the caseAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the caseAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getCaseAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link gov.niem.release.niem.domains.jxdm._6.CaseAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.civil.CaseAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.CaseAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.common.CaseAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link SchedulingAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.massachusetts.CaseAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.taxdelinquency.CaseAugmentationType }{@code >} + * + * + */ + public List> getCaseAugmentationPoint() { + if (caseAugmentationPoint == null) { + caseAugmentationPoint = new ArrayList>(); + } + return this.caseAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeSimpleType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeSimpleType.java new file mode 100644 index 000000000..ff261a36a --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeSimpleType.java @@ -0,0 +1,92 @@ + +package gov.niem.release.niem.niem_core._4; + +import jakarta.xml.bind.annotation.XmlEnum; +import jakarta.xml.bind.annotation.XmlEnumValue; +import jakarta.xml.bind.annotation.XmlType; + + +/** + *

Java class for ContactInformationAvailabilityCodeSimpleType. + * + *

The following schema fragment specifies the expected content contained within this class. + *

+ * <simpleType name="ContactInformationAvailabilityCodeSimpleType">
+ *   <restriction base="{http://www.w3.org/2001/XMLSchema}token">
+ *     <enumeration value="day"/>
+ *     <enumeration value="emergency"/>
+ *     <enumeration value="evening"/>
+ *     <enumeration value="night"/>
+ *     <enumeration value="primary"/>
+ *     <enumeration value="secondary"/>
+ *   </restriction>
+ * </simpleType>
+ * 
+ * + */ +@XmlType(name = "ContactInformationAvailabilityCodeSimpleType") +@XmlEnum +public enum ContactInformationAvailabilityCodeSimpleType { + + + /** + * Daytime + * + */ + @XmlEnumValue("day") + DAY("day"), + + /** + * Emergency + * + */ + @XmlEnumValue("emergency") + EMERGENCY("emergency"), + + /** + * Late day or early night + * + */ + @XmlEnumValue("evening") + EVENING("evening"), + + /** + * Late night + * + */ + @XmlEnumValue("night") + NIGHT("night"), + + /** + * Primary + * + */ + @XmlEnumValue("primary") + PRIMARY("primary"), + + /** + * Secondary or alternate + * + */ + @XmlEnumValue("secondary") + SECONDARY("secondary"); + private final String value; + + ContactInformationAvailabilityCodeSimpleType(String v) { + value = v; + } + + public String value() { + return value; + } + + public static ContactInformationAvailabilityCodeSimpleType fromValue(String v) { + for (ContactInformationAvailabilityCodeSimpleType c: ContactInformationAvailabilityCodeSimpleType.values()) { + if (c.value.equals(v)) { + return c; + } + } + throw new IllegalArgumentException(v); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeType.java new file mode 100644 index 000000000..767474747 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationAvailabilityCodeType.java @@ -0,0 +1,257 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a period of time or a situation in which an entity is available to be contacted with the given contact information. + * + *

Java class for ContactInformationAvailabilityCodeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ContactInformationAvailabilityCodeType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/niem-core/4.0/>ContactInformationAvailabilityCodeSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ContactInformationAvailabilityCodeType", propOrder = { + "value" +}) +public class ContactInformationAvailabilityCodeType { + + @XmlValue + protected ContactInformationAvailabilityCodeSimpleType value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for a period of time or a situation in which an entity is available to be contacted with the given contact information. + * + * @return + * possible object is + * {@link ContactInformationAvailabilityCodeSimpleType } + * + */ + public ContactInformationAvailabilityCodeSimpleType getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link ContactInformationAvailabilityCodeSimpleType } + * + */ + public void setValue(ContactInformationAvailabilityCodeSimpleType value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationType.java new file mode 100644 index 000000000..b0c985b6b --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ContactInformationType.java @@ -0,0 +1,236 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for how to contact a person or an organization. + * + *

Java class for ContactInformationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ContactInformationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ContactMeansAbstract" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ContactEntity" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ContactEntityDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ContactInformationDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ContactResponder" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ContactInformationAvailabilityAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ContactInformationType", propOrder = { + "contactMeansAbstract", + "contactEntity", + "contactEntityDescriptionText", + "contactInformationDescriptionText", + "contactResponder", + "contactInformationAvailabilityAbstract" +}) +public class ContactInformationType + extends ObjectType +{ + + @XmlElementRef(name = "ContactMeansAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected List> contactMeansAbstract; + @XmlElement(name = "ContactEntity") + protected EntityType contactEntity; + @XmlElement(name = "ContactEntityDescriptionText") + protected TextType contactEntityDescriptionText; + @XmlElement(name = "ContactInformationDescriptionText") + protected TextType contactInformationDescriptionText; + @XmlElement(name = "ContactResponder", nillable = true) + protected PersonType contactResponder; + @XmlElementRef(name = "ContactInformationAvailabilityAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement contactInformationAvailabilityAbstract; + + /** + * Gets the value of the contactMeansAbstract property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the contactMeansAbstract property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getContactMeansAbstract().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link AddressType }{@code >} + * {@link JAXBElement }{@code <}{@link TelephoneNumberType }{@code >} + * {@link JAXBElement }{@code <}{@link gov.niem.release.niem.proxy.xsd._4.String }{@code >} + * {@link JAXBElement }{@code <}{@link gov.niem.release.niem.proxy.xsd._4.String }{@code >} + * {@link JAXBElement }{@code <}{@link gov.niem.release.niem.proxy.xsd._4.String }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getContactMeansAbstract() { + if (contactMeansAbstract == null) { + contactMeansAbstract = new ArrayList>(); + } + return this.contactMeansAbstract; + } + + /** + * Gets the value of the contactEntity property. + * + * @return + * possible object is + * {@link EntityType } + * + */ + public EntityType getContactEntity() { + return contactEntity; + } + + /** + * Sets the value of the contactEntity property. + * + * @param value + * allowed object is + * {@link EntityType } + * + */ + public void setContactEntity(EntityType value) { + this.contactEntity = value; + } + + /** + * Gets the value of the contactEntityDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getContactEntityDescriptionText() { + return contactEntityDescriptionText; + } + + /** + * Sets the value of the contactEntityDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setContactEntityDescriptionText(TextType value) { + this.contactEntityDescriptionText = value; + } + + /** + * Gets the value of the contactInformationDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getContactInformationDescriptionText() { + return contactInformationDescriptionText; + } + + /** + * Sets the value of the contactInformationDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setContactInformationDescriptionText(TextType value) { + this.contactInformationDescriptionText = value; + } + + /** + * Gets the value of the contactResponder property. + * + * @return + * possible object is + * {@link PersonType } + * + */ + public PersonType getContactResponder() { + return contactResponder; + } + + /** + * Sets the value of the contactResponder property. + * + * @param value + * allowed object is + * {@link PersonType } + * + */ + public void setContactResponder(PersonType value) { + this.contactResponder = value; + } + + /** + * Gets the value of the contactInformationAvailabilityAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link ContactInformationAvailabilityCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getContactInformationAvailabilityAbstract() { + return contactInformationAvailabilityAbstract; + } + + /** + * Sets the value of the contactInformationAvailabilityAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link ContactInformationAvailabilityCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setContactInformationAvailabilityAbstract(JAXBElement value) { + this.contactInformationAvailabilityAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ConveyanceType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ConveyanceType.java new file mode 100644 index 000000000..2344bcbfd --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ConveyanceType.java @@ -0,0 +1,51 @@ + +package gov.niem.release.niem.niem_core._4; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a means of transport from place to place. + * + *

Java class for ConveyanceType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ConveyanceType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ItemType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ConveyanceType") +@XmlSeeAlso({ + VehicleType.class +}) +public class ConveyanceType + extends ItemType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CountryType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CountryType.java new file mode 100644 index 000000000..5368fe6bb --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/CountryType.java @@ -0,0 +1,83 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a country, territory, dependency, or other such geopolitical subdivision of a location. + * + *

Java class for CountryType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="CountryType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}CountryRepresentation" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "CountryType", propOrder = { + "countryRepresentation" +}) +public class CountryType + extends ObjectType +{ + + @XmlElementRef(name = "CountryRepresentation", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement countryRepresentation; + + /** + * Gets the value of the countryRepresentation property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getCountryRepresentation() { + return countryRepresentation; + } + + /** + * Sets the value of the countryRepresentation property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setCountryRepresentation(JAXBElement value) { + this.countryRepresentation = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateRangeType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateRangeType.java new file mode 100644 index 000000000..36fd58033 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateRangeType.java @@ -0,0 +1,108 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a range of dates. + * + *

Java class for DateRangeType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DateRangeType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}StartDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}EndDate" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DateRangeType", propOrder = { + "startDate", + "endDate" +}) +public class DateRangeType + extends ObjectType +{ + + @XmlElement(name = "StartDate") + protected DateType startDate; + @XmlElement(name = "EndDate") + protected DateType endDate; + + /** + * Gets the value of the startDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getStartDate() { + return startDate; + } + + /** + * Sets the value of the startDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setStartDate(DateType value) { + this.startDate = value; + } + + /** + * Gets the value of the endDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getEndDate() { + return endDate; + } + + /** + * Sets the value of the endDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setEndDate(DateType value) { + this.endDate = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateType.java new file mode 100644 index 000000000..9342136a2 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DateType.java @@ -0,0 +1,89 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.proxy.xsd._4.Date; +import gov.niem.release.niem.proxy.xsd._4.DateTime; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a calendar date. + * + *

Java class for DateType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DateType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DateRepresentation"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DateType", propOrder = { + "dateRepresentation" +}) +public class DateType + extends ObjectType +{ + + @XmlElementRef(name = "DateRepresentation", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class) + protected JAXBElement dateRepresentation; + + /** + * Gets the value of the dateRepresentation property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link DateRangeType }{@code >} + * {@link JAXBElement }{@code <}{@link Date }{@code >} + * {@link JAXBElement }{@code <}{@link DateTime }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDateRepresentation() { + return dateRepresentation; + } + + /** + * Sets the value of the dateRepresentation property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link DateRangeType }{@code >} + * {@link JAXBElement }{@code <}{@link Date }{@code >} + * {@link JAXBElement }{@code <}{@link DateTime }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDateRepresentation(JAXBElement value) { + this.dateRepresentation = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DispositionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DispositionType.java new file mode 100644 index 000000000..e549cdce8 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DispositionType.java @@ -0,0 +1,146 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.domains.jxdm._6.ChargeDispositionType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a result or outcome that is the product of handling, processing, or finalizing something. + * + *

Java class for DispositionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DispositionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DispositionCategoryAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DispositionDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DispositionDescriptionText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DispositionType", propOrder = { + "dispositionCategoryAbstract", + "dispositionDate", + "dispositionDescriptionText" +}) +@XmlSeeAlso({ + CaseDispositionType.class, + ChargeDispositionType.class +}) +public class DispositionType + extends ObjectType +{ + + @XmlElementRef(name = "DispositionCategoryAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement dispositionCategoryAbstract; + @XmlElement(name = "DispositionDate") + protected DateType dispositionDate; + @XmlElement(name = "DispositionDescriptionText") + protected TextType dispositionDescriptionText; + + /** + * Gets the value of the dispositionCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDispositionCategoryAbstract() { + return dispositionCategoryAbstract; + } + + /** + * Sets the value of the dispositionCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDispositionCategoryAbstract(JAXBElement value) { + this.dispositionCategoryAbstract = value; + } + + /** + * Gets the value of the dispositionDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDispositionDate() { + return dispositionDate; + } + + /** + * Sets the value of the dispositionDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDispositionDate(DateType value) { + this.dispositionDate = value; + } + + /** + * Gets the value of the dispositionDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getDispositionDescriptionText() { + return dispositionDescriptionText; + } + + /** + * Sets the value of the dispositionDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setDispositionDescriptionText(TextType value) { + this.dispositionDescriptionText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentAssociationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentAssociationType.java new file mode 100644 index 000000000..b06ecf3ab --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentAssociationType.java @@ -0,0 +1,112 @@ + +package gov.niem.release.niem.niem_core._4; + +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.DocumentAssociationAugmentationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a relationship between documents. + * + *

Java class for DocumentAssociationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DocumentAssociationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}AssociationType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}PrimaryDocument" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentAssociationAugmentationPoint"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DocumentAssociationType", propOrder = { + "primaryDocument", + "documentAssociationAugmentationPoint" +}) +public class DocumentAssociationType + extends AssociationType +{ + + @XmlElement(name = "PrimaryDocument", nillable = true) + protected DocumentType primaryDocument; + @XmlElementRef(name = "DocumentAssociationAugmentationPoint", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class) + protected JAXBElement documentAssociationAugmentationPoint; + + /** + * Gets the value of the primaryDocument property. + * + * @return + * possible object is + * {@link DocumentType } + * + */ + public DocumentType getPrimaryDocument() { + return primaryDocument; + } + + /** + * Sets the value of the primaryDocument property. + * + * @param value + * allowed object is + * {@link DocumentType } + * + */ + public void setPrimaryDocument(DocumentType value) { + this.primaryDocument = value; + } + + /** + * Gets the value of the documentAssociationAugmentationPoint property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link DocumentAssociationAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDocumentAssociationAugmentationPoint() { + return documentAssociationAugmentationPoint; + } + + /** + * Sets the value of the documentAssociationAugmentationPoint property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link DocumentAssociationAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDocumentAssociationAugmentationPoint(JAXBElement value) { + this.documentAssociationAugmentationPoint = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentType.java new file mode 100644 index 000000000..23098eb2f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/DocumentType.java @@ -0,0 +1,460 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.codes.iso_639_3._4.LanguageCodeType; +import gov.niem.release.niem.domains.humanservices._4.DependencyPetitionType; +import gov.niem.release.niem.domains.jxdm._6.AppellateCaseNoticeType; +import gov.niem.release.niem.structures._4.ObjectType; +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.CaseFilingType; +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.DocumentRenditionType; +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.ReviewedDocumentType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.common.DocumentSecurityAugmentationType; +import tyler.ecf.v5_0.extensions.common.FilingType; +import tyler.ecf.v5_0.extensions.common.StatusDocumentAugmentationType; + + +/** + * A data type for a paper or electronic document. + * + *

Java class for DocumentType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="DocumentType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentCategoryAbstract" maxOccurs="unbounded" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentSoftwareName" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentEffectiveDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentFileControlID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentFiledDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentIdentification" maxOccurs="unbounded"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentReceivedDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentSequenceID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentTitleText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentLanguageAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentSubmitter" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}DocumentAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "DocumentType", propOrder = { + "documentCategoryAbstract", + "documentSoftwareName", + "documentDescriptionText", + "documentEffectiveDate", + "documentFileControlID", + "documentFiledDate", + "documentIdentification", + "documentReceivedDate", + "documentSequenceID", + "documentTitleText", + "documentLanguageAbstract", + "documentSubmitter", + "documentAugmentationPoint" +}) +@XmlSeeAlso({ + DocumentRenditionType.class, + ReviewedDocumentType.class, + AppellateCaseNoticeType.class, + FilingType.class, + CaseFilingType.class, + DependencyPetitionType.class +}) +public class DocumentType + extends ObjectType +{ + + @XmlElementRef(name = "DocumentCategoryAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected List> documentCategoryAbstract; + @XmlElement(name = "DocumentSoftwareName") + protected SoftwareNameType documentSoftwareName; + @XmlElement(name = "DocumentDescriptionText") + protected TextType documentDescriptionText; + @XmlElement(name = "DocumentEffectiveDate") + protected DateType documentEffectiveDate; + @XmlElement(name = "DocumentFileControlID") + protected gov.niem.release.niem.proxy.xsd._4.String documentFileControlID; + @XmlElement(name = "DocumentFiledDate") + protected DateType documentFiledDate; + @XmlElement(name = "DocumentIdentification", required = true) + protected List documentIdentification; + @XmlElement(name = "DocumentReceivedDate") + protected DateType documentReceivedDate; + @XmlElement(name = "DocumentSequenceID") + protected gov.niem.release.niem.proxy.xsd._4.String documentSequenceID; + @XmlElement(name = "DocumentTitleText") + protected TextType documentTitleText; + @XmlElementRef(name = "DocumentLanguageAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement documentLanguageAbstract; + @XmlElement(name = "DocumentSubmitter") + protected EntityType documentSubmitter; + @XmlElementRef(name = "DocumentAugmentationPoint", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected List> documentAugmentationPoint; + + /** + * Gets the value of the documentCategoryAbstract property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the documentCategoryAbstract property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDocumentCategoryAbstract().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getDocumentCategoryAbstract() { + if (documentCategoryAbstract == null) { + documentCategoryAbstract = new ArrayList>(); + } + return this.documentCategoryAbstract; + } + + /** + * Gets the value of the documentSoftwareName property. + * + * @return + * possible object is + * {@link SoftwareNameType } + * + */ + public SoftwareNameType getDocumentSoftwareName() { + return documentSoftwareName; + } + + /** + * Sets the value of the documentSoftwareName property. + * + * @param value + * allowed object is + * {@link SoftwareNameType } + * + */ + public void setDocumentSoftwareName(SoftwareNameType value) { + this.documentSoftwareName = value; + } + + /** + * Gets the value of the documentDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getDocumentDescriptionText() { + return documentDescriptionText; + } + + /** + * Sets the value of the documentDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setDocumentDescriptionText(TextType value) { + this.documentDescriptionText = value; + } + + /** + * Gets the value of the documentEffectiveDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDocumentEffectiveDate() { + return documentEffectiveDate; + } + + /** + * Sets the value of the documentEffectiveDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDocumentEffectiveDate(DateType value) { + this.documentEffectiveDate = value; + } + + /** + * Gets the value of the documentFileControlID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getDocumentFileControlID() { + return documentFileControlID; + } + + /** + * Sets the value of the documentFileControlID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setDocumentFileControlID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.documentFileControlID = value; + } + + /** + * Gets the value of the documentFiledDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDocumentFiledDate() { + return documentFiledDate; + } + + /** + * Sets the value of the documentFiledDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDocumentFiledDate(DateType value) { + this.documentFiledDate = value; + } + + /** + * Gets the value of the documentIdentification property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the documentIdentification property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDocumentIdentification().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link IdentificationType } + * + * + */ + public List getDocumentIdentification() { + if (documentIdentification == null) { + documentIdentification = new ArrayList(); + } + return this.documentIdentification; + } + + /** + * Gets the value of the documentReceivedDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getDocumentReceivedDate() { + return documentReceivedDate; + } + + /** + * Sets the value of the documentReceivedDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setDocumentReceivedDate(DateType value) { + this.documentReceivedDate = value; + } + + /** + * Gets the value of the documentSequenceID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getDocumentSequenceID() { + return documentSequenceID; + } + + /** + * Sets the value of the documentSequenceID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setDocumentSequenceID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.documentSequenceID = value; + } + + /** + * Gets the value of the documentTitleText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getDocumentTitleText() { + return documentTitleText; + } + + /** + * Sets the value of the documentTitleText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setDocumentTitleText(TextType value) { + this.documentTitleText = value; + } + + /** + * Gets the value of the documentLanguageAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getDocumentLanguageAbstract() { + return documentLanguageAbstract; + } + + /** + * Sets the value of the documentLanguageAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setDocumentLanguageAbstract(JAXBElement value) { + this.documentLanguageAbstract = value; + } + + /** + * Gets the value of the documentSubmitter property. + * + * @return + * possible object is + * {@link EntityType } + * + */ + public EntityType getDocumentSubmitter() { + return documentSubmitter; + } + + /** + * Sets the value of the documentSubmitter property. + * + * @param value + * allowed object is + * {@link EntityType } + * + */ + public void setDocumentSubmitter(EntityType value) { + this.documentSubmitter = value; + } + + /** + * Gets the value of the documentAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the documentAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getDocumentAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.DocumentAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link tyler.ecf.v5_0.extensions.common.DocumentAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link DocumentSecurityAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link StatusDocumentAugmentationType }{@code >} + * + * + */ + public List> getDocumentAugmentationPoint() { + if (documentAugmentationPoint == null) { + documentAugmentationPoint = new ArrayList>(); + } + return this.documentAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/EntityType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/EntityType.java new file mode 100644 index 000000000..54b310b33 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/EntityType.java @@ -0,0 +1,92 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.common.ServiceRecipientType; + + +/** + * A data type for a person, organization, or thing capable of bearing legal rights and responsibilities. + * + *

Java class for EntityType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="EntityType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}EntityRepresentation" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "EntityType", propOrder = { + "entityRepresentation" +}) +@XmlSeeAlso({ + ServiceRecipientType.class +}) +public class EntityType + extends ObjectType +{ + + @XmlElementRef(name = "EntityRepresentation", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement entityRepresentation; + + /** + * Gets the value of the entityRepresentation property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link ItemType }{@code >} + * {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getEntityRepresentation() { + return entityRepresentation; + } + + /** + * Sets the value of the entityRepresentation property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link ItemType }{@code >} + * {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setEntityRepresentation(JAXBElement value) { + this.entityRepresentation = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FacilityType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FacilityType.java new file mode 100644 index 000000000..f00a9412a --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FacilityType.java @@ -0,0 +1,108 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a building, place, or structure that provides a particular service. + * + *

Java class for FacilityType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="FacilityType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}FacilityIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}FacilityName" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "FacilityType", propOrder = { + "facilityIdentification", + "facilityName" +}) +public class FacilityType + extends ObjectType +{ + + @XmlElement(name = "FacilityIdentification") + protected IdentificationType facilityIdentification; + @XmlElement(name = "FacilityName") + protected ProperNameTextType facilityName; + + /** + * Gets the value of the facilityIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getFacilityIdentification() { + return facilityIdentification; + } + + /** + * Sets the value of the facilityIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setFacilityIdentification(IdentificationType value) { + this.facilityIdentification = value; + } + + /** + * Gets the value of the facilityName property. + * + * @return + * possible object is + * {@link ProperNameTextType } + * + */ + public ProperNameTextType getFacilityName() { + return facilityName; + } + + /** + * Sets the value of the facilityName property. + * + * @param value + * allowed object is + * {@link ProperNameTextType } + * + */ + public void setFacilityName(ProperNameTextType value) { + this.facilityName = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FullTelephoneNumberType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FullTelephoneNumberType.java new file mode 100644 index 000000000..1c8f58312 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/FullTelephoneNumberType.java @@ -0,0 +1,108 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a full telephone number. + * + *

Java class for FullTelephoneNumberType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="FullTelephoneNumberType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneNumberFullID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneSuffixID" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "FullTelephoneNumberType", propOrder = { + "telephoneNumberFullID", + "telephoneSuffixID" +}) +public class FullTelephoneNumberType + extends ObjectType +{ + + @XmlElement(name = "TelephoneNumberFullID") + protected gov.niem.release.niem.proxy.xsd._4.String telephoneNumberFullID; + @XmlElement(name = "TelephoneSuffixID") + protected gov.niem.release.niem.proxy.xsd._4.String telephoneSuffixID; + + /** + * Gets the value of the telephoneNumberFullID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneNumberFullID() { + return telephoneNumberFullID; + } + + /** + * Sets the value of the telephoneNumberFullID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneNumberFullID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneNumberFullID = value; + } + + /** + * Gets the value of the telephoneSuffixID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneSuffixID() { + return telephoneSuffixID; + } + + /** + * Sets the value of the telephoneSuffixID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneSuffixID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneSuffixID = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IdentificationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IdentificationType.java new file mode 100644 index 000000000..2e472b8c2 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IdentificationType.java @@ -0,0 +1,214 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.proxy.xsd._4.NormalizedString; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; +import tyler.ecf.v5_0.extensions.common.DocumentOptionalServiceType; +import tyler.ecf.v5_0.extensions.common.DriverLicenseIdentificationType; + + +/** + * A data type for a representation of an identity. + * + *

Java class for IdentificationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="IdentificationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IdentificationID" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IdentificationJurisdiction" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IdentificationCategoryAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IdentificationCategoryDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IdentificationSourceText" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "IdentificationType", propOrder = { + "identificationID", + "identificationJurisdiction", + "identificationCategoryAbstract", + "identificationCategoryDescriptionText", + "identificationSourceText" +}) +@XmlSeeAlso({ + DocumentOptionalServiceType.class, + DriverLicenseIdentificationType.class +}) +public class IdentificationType + extends ObjectType +{ + + @XmlElement(name = "IdentificationID") + protected gov.niem.release.niem.proxy.xsd._4.String identificationID; + @XmlElement(name = "IdentificationJurisdiction") + protected JurisdictionType identificationJurisdiction; + @XmlElementRef(name = "IdentificationCategoryAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement identificationCategoryAbstract; + @XmlElement(name = "IdentificationCategoryDescriptionText") + protected TextType identificationCategoryDescriptionText; + @XmlElement(name = "IdentificationSourceText") + protected TextType identificationSourceText; + + /** + * Gets the value of the identificationID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getIdentificationID() { + return identificationID; + } + + /** + * Sets the value of the identificationID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setIdentificationID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.identificationID = value; + } + + /** + * Gets the value of the identificationJurisdiction property. + * + * @return + * possible object is + * {@link JurisdictionType } + * + */ + public JurisdictionType getIdentificationJurisdiction() { + return identificationJurisdiction; + } + + /** + * Sets the value of the identificationJurisdiction property. + * + * @param value + * allowed object is + * {@link JurisdictionType } + * + */ + public void setIdentificationJurisdiction(JurisdictionType value) { + this.identificationJurisdiction = value; + } + + /** + * Gets the value of the identificationCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getIdentificationCategoryAbstract() { + return identificationCategoryAbstract; + } + + /** + * Sets the value of the identificationCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link NormalizedString }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setIdentificationCategoryAbstract(JAXBElement value) { + this.identificationCategoryAbstract = value; + } + + /** + * Gets the value of the identificationCategoryDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getIdentificationCategoryDescriptionText() { + return identificationCategoryDescriptionText; + } + + /** + * Sets the value of the identificationCategoryDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setIdentificationCategoryDescriptionText(TextType value) { + this.identificationCategoryDescriptionText = value; + } + + /** + * Gets the value of the identificationSourceText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getIdentificationSourceText() { + return identificationSourceText; + } + + /** + * Sets the value of the identificationSourceText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setIdentificationSourceText(TextType value) { + this.identificationSourceText = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IncidentType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IncidentType.java new file mode 100644 index 000000000..e6aac0d71 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/IncidentType.java @@ -0,0 +1,123 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.domains.jxdm._6.DrivingIncidentType; +import gov.niem.release.niem.domains.jxdm._6.IncidentAugmentationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an occurrence or an event that may require a response. + * + *

Java class for IncidentType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="IncidentType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}ActivityType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IncidentLocation" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}IncidentAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "IncidentType", propOrder = { + "incidentLocation", + "incidentAugmentationPoint" +}) +@XmlSeeAlso({ + DrivingIncidentType.class +}) +public class IncidentType + extends ActivityType +{ + + @XmlElement(name = "IncidentLocation", nillable = true) + protected LocationType incidentLocation; + @XmlElementRef(name = "IncidentAugmentationPoint", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected List> incidentAugmentationPoint; + + /** + * Gets the value of the incidentLocation property. + * + * @return + * possible object is + * {@link LocationType } + * + */ + public LocationType getIncidentLocation() { + return incidentLocation; + } + + /** + * Sets the value of the incidentLocation property. + * + * @param value + * allowed object is + * {@link LocationType } + * + */ + public void setIncidentLocation(LocationType value) { + this.incidentLocation = value; + } + + /** + * Gets the value of the incidentAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the incidentAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getIncidentAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link IncidentAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getIncidentAugmentationPoint() { + if (incidentAugmentationPoint == null) { + incidentAugmentationPoint = new ArrayList>(); + } + return this.incidentAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InsuranceType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InsuranceType.java new file mode 100644 index 000000000..c77c2f996 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InsuranceType.java @@ -0,0 +1,145 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for coverage by a contract whereby one party agrees to indemnify or guarantee another against loss by a specified contingent event or peril. + * + *

Java class for InsuranceType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="InsuranceType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}InsuranceCarrierName" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}InsuranceActiveIndicator" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}InsuranceCoverageCategoryAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "InsuranceType", propOrder = { + "insuranceCarrierName", + "insuranceActiveIndicator", + "insuranceCoverageCategoryAbstract" +}) +@XmlSeeAlso({ + https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.InsuranceType.class +}) +public class InsuranceType + extends ObjectType +{ + + @XmlElement(name = "InsuranceCarrierName") + protected TextType insuranceCarrierName; + @XmlElement(name = "InsuranceActiveIndicator") + protected Boolean insuranceActiveIndicator; + @XmlElementRef(name = "InsuranceCoverageCategoryAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement insuranceCoverageCategoryAbstract; + + /** + * Gets the value of the insuranceCarrierName property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getInsuranceCarrierName() { + return insuranceCarrierName; + } + + /** + * Sets the value of the insuranceCarrierName property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setInsuranceCarrierName(TextType value) { + this.insuranceCarrierName = value; + } + + /** + * Gets the value of the insuranceActiveIndicator property. + * + * @return + * possible object is + * {@link Boolean } + * + */ + public Boolean getInsuranceActiveIndicator() { + return insuranceActiveIndicator; + } + + /** + * Sets the value of the insuranceActiveIndicator property. + * + * @param value + * allowed object is + * {@link Boolean } + * + */ + public void setInsuranceActiveIndicator(Boolean value) { + this.insuranceActiveIndicator = value; + } + + /** + * Gets the value of the insuranceCoverageCategoryAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getInsuranceCoverageCategoryAbstract() { + return insuranceCoverageCategoryAbstract; + } + + /** + * Sets the value of the insuranceCoverageCategoryAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setInsuranceCoverageCategoryAbstract(JAXBElement value) { + this.insuranceCoverageCategoryAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InternationalTelephoneNumberType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InternationalTelephoneNumberType.java new file mode 100644 index 000000000..2a7e2e268 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/InternationalTelephoneNumberType.java @@ -0,0 +1,136 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an international telephone number. + * + *

Java class for InternationalTelephoneNumberType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="InternationalTelephoneNumberType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneCountryCodeID"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneNumberID"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneSuffixID" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "InternationalTelephoneNumberType", propOrder = { + "telephoneCountryCodeID", + "telephoneNumberID", + "telephoneSuffixID" +}) +public class InternationalTelephoneNumberType + extends ObjectType +{ + + @XmlElement(name = "TelephoneCountryCodeID", required = true) + protected gov.niem.release.niem.proxy.xsd._4.String telephoneCountryCodeID; + @XmlElement(name = "TelephoneNumberID", required = true) + protected gov.niem.release.niem.proxy.xsd._4.String telephoneNumberID; + @XmlElement(name = "TelephoneSuffixID") + protected gov.niem.release.niem.proxy.xsd._4.String telephoneSuffixID; + + /** + * Gets the value of the telephoneCountryCodeID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneCountryCodeID() { + return telephoneCountryCodeID; + } + + /** + * Sets the value of the telephoneCountryCodeID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneCountryCodeID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneCountryCodeID = value; + } + + /** + * Gets the value of the telephoneNumberID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneNumberID() { + return telephoneNumberID; + } + + /** + * Sets the value of the telephoneNumberID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneNumberID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneNumberID = value; + } + + /** + * Gets the value of the telephoneSuffixID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneSuffixID() { + return telephoneSuffixID; + } + + /** + * Sets the value of the telephoneSuffixID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneSuffixID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneSuffixID = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemType.java new file mode 100644 index 000000000..4a4ca022e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemType.java @@ -0,0 +1,278 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.util.ArrayList; +import java.util.List; +import gov.niem.release.niem.codes.fbi_ncic._4.VCOCodeType; +import gov.niem.release.niem.codes.fbi_ncic._4.VSTCodeType; +import gov.niem.release.niem.proxy.xsd._4.GYear; +import gov.niem.release.niem.structures._4.ObjectType; +import https.docs_oasis_open_org.legalxml_courtfiling.ns.v5_0.ecf.ItemAugmentationType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an article or thing. + * + *

Java class for ItemType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ItemType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemOtherIdentification" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemValue" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemColorAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemModelYearDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemStyleAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemAugmentationPoint" maxOccurs="unbounded" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ItemType", propOrder = { + "itemDescriptionText", + "itemOtherIdentification", + "itemValue", + "itemColorAbstract", + "itemModelYearDate", + "itemStyleAbstract", + "itemAugmentationPoint" +}) +@XmlSeeAlso({ + ConveyanceType.class +}) +public class ItemType + extends ObjectType +{ + + @XmlElement(name = "ItemDescriptionText") + protected TextType itemDescriptionText; + @XmlElement(name = "ItemOtherIdentification") + protected IdentificationType itemOtherIdentification; + @XmlElement(name = "ItemValue") + protected ItemValueType itemValue; + @XmlElementRef(name = "ItemColorAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement itemColorAbstract; + @XmlElement(name = "ItemModelYearDate") + protected GYear itemModelYearDate; + @XmlElementRef(name = "ItemStyleAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement itemStyleAbstract; + @XmlElementRef(name = "ItemAugmentationPoint", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected List> itemAugmentationPoint; + + /** + * Gets the value of the itemDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getItemDescriptionText() { + return itemDescriptionText; + } + + /** + * Sets the value of the itemDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setItemDescriptionText(TextType value) { + this.itemDescriptionText = value; + } + + /** + * Gets the value of the itemOtherIdentification property. + * + * @return + * possible object is + * {@link IdentificationType } + * + */ + public IdentificationType getItemOtherIdentification() { + return itemOtherIdentification; + } + + /** + * Sets the value of the itemOtherIdentification property. + * + * @param value + * allowed object is + * {@link IdentificationType } + * + */ + public void setItemOtherIdentification(IdentificationType value) { + this.itemOtherIdentification = value; + } + + /** + * Gets the value of the itemValue property. + * + * @return + * possible object is + * {@link ItemValueType } + * + */ + public ItemValueType getItemValue() { + return itemValue; + } + + /** + * Sets the value of the itemValue property. + * + * @param value + * allowed object is + * {@link ItemValueType } + * + */ + public void setItemValue(ItemValueType value) { + this.itemValue = value; + } + + /** + * Gets the value of the itemColorAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link VCOCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getItemColorAbstract() { + return itemColorAbstract; + } + + /** + * Sets the value of the itemColorAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link VCOCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setItemColorAbstract(JAXBElement value) { + this.itemColorAbstract = value; + } + + /** + * Gets the value of the itemModelYearDate property. + * + * @return + * possible object is + * {@link GYear } + * + */ + public GYear getItemModelYearDate() { + return itemModelYearDate; + } + + /** + * Sets the value of the itemModelYearDate property. + * + * @param value + * allowed object is + * {@link GYear } + * + */ + public void setItemModelYearDate(GYear value) { + this.itemModelYearDate = value; + } + + /** + * Gets the value of the itemStyleAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link VSTCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getItemStyleAbstract() { + return itemStyleAbstract; + } + + /** + * Sets the value of the itemStyleAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link VSTCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setItemStyleAbstract(JAXBElement value) { + this.itemStyleAbstract = value; + } + + /** + * Gets the value of the itemAugmentationPoint property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the itemAugmentationPoint property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getItemAugmentationPoint().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link JAXBElement }{@code <}{@link ItemAugmentationType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * + */ + public List> getItemAugmentationPoint() { + if (itemAugmentationPoint == null) { + itemAugmentationPoint = new ArrayList>(); + } + return this.itemAugmentationPoint; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemValueType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemValueType.java new file mode 100644 index 000000000..a6d1499eb --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ItemValueType.java @@ -0,0 +1,80 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for an evaluation of the monetary worth of an item. + * + *

Java class for ItemValueType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="ItemValueType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ItemValueAmount"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "ItemValueType", propOrder = { + "itemValueAmount" +}) +public class ItemValueType + extends ObjectType +{ + + @XmlElement(name = "ItemValueAmount", required = true) + protected AmountType itemValueAmount; + + /** + * Gets the value of the itemValueAmount property. + * + * @return + * possible object is + * {@link AmountType } + * + */ + public AmountType getItemValueAmount() { + return itemValueAmount; + } + + /** + * Sets the value of the itemValueAmount property. + * + * @param value + * allowed object is + * {@link AmountType } + * + */ + public void setItemValueAmount(AmountType value) { + this.itemValueAmount = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/JurisdictionType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/JurisdictionType.java new file mode 100644 index 000000000..7852b4d3f --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/JurisdictionType.java @@ -0,0 +1,86 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.codes.aamva_d20._4.JurisdictionAuthorityCodeType; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a geopolitical area in which an organization, person, or object has a specific range of authority. + * + *

Java class for JurisdictionType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="JurisdictionType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}JurisdictionAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "JurisdictionType", propOrder = { + "jurisdictionAbstract" +}) +public class JurisdictionType + extends ObjectType +{ + + @XmlElementRef(name = "JurisdictionAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement jurisdictionAbstract; + + /** + * Gets the value of the jurisdictionAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link JurisdictionAuthorityCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getJurisdictionAbstract() { + return jurisdictionAbstract; + } + + /** + * Sets the value of the jurisdictionAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link JurisdictionAuthorityCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link TextType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setJurisdictionAbstract(JAXBElement value) { + this.jurisdictionAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LengthMeasureType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LengthMeasureType.java new file mode 100644 index 000000000..f905d0fe2 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LengthMeasureType.java @@ -0,0 +1,47 @@ + +package gov.niem.release.niem.niem_core._4; + +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a measure of a distance or extent. + * + *

Java class for LengthMeasureType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="LengthMeasureType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/niem-core/4.0/}MeasureType">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "LengthMeasureType") +public class LengthMeasureType + extends MeasureType +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LocationType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LocationType.java new file mode 100644 index 000000000..5352b458d --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/LocationType.java @@ -0,0 +1,140 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for geospatial location. + * + *

Java class for LocationType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="LocationType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationAddressAbstract" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationDescriptionText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LocationName" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "LocationType", propOrder = { + "locationAddressAbstract", + "locationDescriptionText", + "locationName" +}) +public class LocationType + extends ObjectType +{ + + @XmlElementRef(name = "LocationAddressAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement locationAddressAbstract; + @XmlElement(name = "LocationDescriptionText") + protected TextType locationDescriptionText; + @XmlElement(name = "LocationName") + protected ProperNameTextType locationName; + + /** + * Gets the value of the locationAddressAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link AddressType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getLocationAddressAbstract() { + return locationAddressAbstract; + } + + /** + * Sets the value of the locationAddressAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link AddressType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setLocationAddressAbstract(JAXBElement value) { + this.locationAddressAbstract = value; + } + + /** + * Gets the value of the locationDescriptionText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getLocationDescriptionText() { + return locationDescriptionText; + } + + /** + * Sets the value of the locationDescriptionText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setLocationDescriptionText(TextType value) { + this.locationDescriptionText = value; + } + + /** + * Gets the value of the locationName property. + * + * @return + * possible object is + * {@link ProperNameTextType } + * + */ + public ProperNameTextType getLocationName() { + return locationName; + } + + /** + * Sets the value of the locationName property. + * + * @param value + * allowed object is + * {@link ProperNameTextType } + * + */ + public void setLocationName(ProperNameTextType value) { + this.locationName = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MeasureType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MeasureType.java new file mode 100644 index 000000000..97dbf3cbb --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MeasureType.java @@ -0,0 +1,126 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.codes.unece_rec20._4.LengthCodeType; +import gov.niem.release.niem.codes.unece_rec20._4.MassCodeType; +import gov.niem.release.niem.proxy.xsd._4.Decimal; +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlSeeAlso; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a measurement. + * + *

Java class for MeasureType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MeasureType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}MeasureValueAbstract"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}MeasureUnitAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MeasureType", propOrder = { + "measureValueAbstract", + "measureUnitAbstract" +}) +@XmlSeeAlso({ + LengthMeasureType.class, + WeightMeasureType.class, + SpeedMeasureType.class +}) +public class MeasureType + extends ObjectType +{ + + @XmlElementRef(name = "MeasureValueAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class) + protected JAXBElement measureValueAbstract; + @XmlElementRef(name = "MeasureUnitAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement measureUnitAbstract; + + /** + * Gets the value of the measureValueAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link Decimal }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getMeasureValueAbstract() { + return measureValueAbstract; + } + + /** + * Sets the value of the measureValueAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link Decimal }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setMeasureValueAbstract(JAXBElement value) { + this.measureValueAbstract = value; + } + + /** + * Gets the value of the measureUnitAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link LengthCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link MassCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getMeasureUnitAbstract() { + return measureUnitAbstract; + } + + /** + * Sets the value of the measureUnitAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link LengthCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link MassCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setMeasureUnitAbstract(JAXBElement value) { + this.measureUnitAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MetadataType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MetadataType.java new file mode 100644 index 000000000..07836e0a4 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/MetadataType.java @@ -0,0 +1,196 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.codes.iso_639_3._4.LanguageCodeType; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlElementRef; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for information that further qualifies primary data; data about data. + * + *

Java class for MetadataType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="MetadataType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}MetadataType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}EffectiveDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}ExpirationDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LastUpdatedDate" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}SensitivityText" minOccurs="0"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}LanguageAbstract" minOccurs="0"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "MetadataType", propOrder = { + "effectiveDate", + "expirationDate", + "lastUpdatedDate", + "sensitivityText", + "languageAbstract" +}) +public class MetadataType + extends gov.niem.release.niem.structures._4.MetadataType +{ + + @XmlElement(name = "EffectiveDate") + protected DateType effectiveDate; + @XmlElement(name = "ExpirationDate") + protected DateType expirationDate; + @XmlElement(name = "LastUpdatedDate") + protected DateType lastUpdatedDate; + @XmlElement(name = "SensitivityText") + protected TextType sensitivityText; + @XmlElementRef(name = "LanguageAbstract", namespace = "http://release.niem.gov/niem/niem-core/4.0/", type = JAXBElement.class, required = false) + protected JAXBElement languageAbstract; + + /** + * Gets the value of the effectiveDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getEffectiveDate() { + return effectiveDate; + } + + /** + * Sets the value of the effectiveDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setEffectiveDate(DateType value) { + this.effectiveDate = value; + } + + /** + * Gets the value of the expirationDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getExpirationDate() { + return expirationDate; + } + + /** + * Sets the value of the expirationDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setExpirationDate(DateType value) { + this.expirationDate = value; + } + + /** + * Gets the value of the lastUpdatedDate property. + * + * @return + * possible object is + * {@link DateType } + * + */ + public DateType getLastUpdatedDate() { + return lastUpdatedDate; + } + + /** + * Sets the value of the lastUpdatedDate property. + * + * @param value + * allowed object is + * {@link DateType } + * + */ + public void setLastUpdatedDate(DateType value) { + this.lastUpdatedDate = value; + } + + /** + * Gets the value of the sensitivityText property. + * + * @return + * possible object is + * {@link TextType } + * + */ + public TextType getSensitivityText() { + return sensitivityText; + } + + /** + * Sets the value of the sensitivityText property. + * + * @param value + * allowed object is + * {@link TextType } + * + */ + public void setSensitivityText(TextType value) { + this.sensitivityText = value; + } + + /** + * Gets the value of the languageAbstract property. + * + * @return + * possible object is + * {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public JAXBElement getLanguageAbstract() { + return languageAbstract; + } + + /** + * Sets the value of the languageAbstract property. + * + * @param value + * allowed object is + * {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + * {@link JAXBElement }{@code <}{@link Object }{@code >} + * + */ + public void setLanguageAbstract(JAXBElement value) { + this.languageAbstract = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NANPTelephoneNumberType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NANPTelephoneNumberType.java new file mode 100644 index 000000000..bbde52f16 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NANPTelephoneNumberType.java @@ -0,0 +1,164 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.structures._4.ObjectType; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlElement; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a North American Numbering Plan telephone number. + * + *

Java class for NANPTelephoneNumberType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="NANPTelephoneNumberType">
+ *   <complexContent>
+ *     <extension base="{http://release.niem.gov/niem/structures/4.0/}ObjectType">
+ *       <sequence>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneAreaCodeID"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneExchangeID"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneLineID"/>
+ *         <element ref="{http://release.niem.gov/niem/niem-core/4.0/}TelephoneSuffixID"/>
+ *       </sequence>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </complexContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "NANPTelephoneNumberType", propOrder = { + "telephoneAreaCodeID", + "telephoneExchangeID", + "telephoneLineID", + "telephoneSuffixID" +}) +public class NANPTelephoneNumberType + extends ObjectType +{ + + @XmlElement(name = "TelephoneAreaCodeID", required = true) + protected gov.niem.release.niem.proxy.xsd._4.String telephoneAreaCodeID; + @XmlElement(name = "TelephoneExchangeID", required = true) + protected gov.niem.release.niem.proxy.xsd._4.String telephoneExchangeID; + @XmlElement(name = "TelephoneLineID", required = true) + protected gov.niem.release.niem.proxy.xsd._4.String telephoneLineID; + @XmlElement(name = "TelephoneSuffixID", required = true) + protected gov.niem.release.niem.proxy.xsd._4.String telephoneSuffixID; + + /** + * Gets the value of the telephoneAreaCodeID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneAreaCodeID() { + return telephoneAreaCodeID; + } + + /** + * Sets the value of the telephoneAreaCodeID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneAreaCodeID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneAreaCodeID = value; + } + + /** + * Gets the value of the telephoneExchangeID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneExchangeID() { + return telephoneExchangeID; + } + + /** + * Sets the value of the telephoneExchangeID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneExchangeID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneExchangeID = value; + } + + /** + * Gets the value of the telephoneLineID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneLineID() { + return telephoneLineID; + } + + /** + * Sets the value of the telephoneLineID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneLineID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneLineID = value; + } + + /** + * Gets the value of the telephoneSuffixID property. + * + * @return + * possible object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public gov.niem.release.niem.proxy.xsd._4.String getTelephoneSuffixID() { + return telephoneSuffixID; + } + + /** + * Sets the value of the telephoneSuffixID property. + * + * @param value + * allowed object is + * {@link gov.niem.release.niem.proxy.xsd._4.String } + * + */ + public void setTelephoneSuffixID(gov.niem.release.niem.proxy.xsd._4.String value) { + this.telephoneSuffixID = value; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public java.lang.String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NonNegativeDecimalType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NonNegativeDecimalType.java new file mode 100644 index 000000000..9696172b7 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NonNegativeDecimalType.java @@ -0,0 +1,258 @@ + +package gov.niem.release.niem.niem_core._4; + +import java.math.BigDecimal; +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import javax.xml.namespace.QName; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlAnyAttribute; +import jakarta.xml.bind.annotation.XmlAttribute; +import jakarta.xml.bind.annotation.XmlID; +import jakarta.xml.bind.annotation.XmlIDREF; +import jakarta.xml.bind.annotation.XmlSchemaType; +import jakarta.xml.bind.annotation.XmlType; +import jakarta.xml.bind.annotation.XmlValue; +import jakarta.xml.bind.annotation.adapters.CollapsedStringAdapter; +import jakarta.xml.bind.annotation.adapters.XmlJavaTypeAdapter; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a decimal value with a minimum value of 0. + * + *

Java class for NonNegativeDecimalType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="NonNegativeDecimalType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/niem-core/4.0/>NonNegativeDecimalSimpleType">
+ *       <attGroup ref="{http://release.niem.gov/niem/structures/4.0/}SimpleObjectAttributeGroup"/>
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "NonNegativeDecimalType", propOrder = { + "value" +}) +public class NonNegativeDecimalType { + + @XmlValue + protected BigDecimal value; + @XmlAttribute(name = "id", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlJavaTypeAdapter(CollapsedStringAdapter.class) + @XmlID + @XmlSchemaType(name = "ID") + protected String id; + @XmlAttribute(name = "ref", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREF") + protected Object ref; + @XmlAttribute(name = "uri", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlSchemaType(name = "anyURI") + protected String uri; + @XmlAttribute(name = "metadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List metadata; + @XmlAttribute(name = "relationshipMetadata", namespace = "http://release.niem.gov/niem/structures/4.0/") + @XmlIDREF + @XmlSchemaType(name = "IDREFS") + protected List relationshipMetadata; + @XmlAnyAttribute + private Map otherAttributes = new HashMap(); + + /** + * A data type for a decimal value with a minimum value of 0. + * + * @return + * possible object is + * {@link BigDecimal } + * + */ + public BigDecimal getValue() { + return value; + } + + /** + * Sets the value of the value property. + * + * @param value + * allowed object is + * {@link BigDecimal } + * + */ + public void setValue(BigDecimal value) { + this.value = value; + } + + /** + * Gets the value of the id property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getId() { + return id; + } + + /** + * Sets the value of the id property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setId(String value) { + this.id = value; + } + + /** + * Gets the value of the ref property. + * + * @return + * possible object is + * {@link Object } + * + */ + public Object getRef() { + return ref; + } + + /** + * Sets the value of the ref property. + * + * @param value + * allowed object is + * {@link Object } + * + */ + public void setRef(Object value) { + this.ref = value; + } + + /** + * Gets the value of the uri property. + * + * @return + * possible object is + * {@link String } + * + */ + public String getUri() { + return uri; + } + + /** + * Sets the value of the uri property. + * + * @param value + * allowed object is + * {@link String } + * + */ + public void setUri(String value) { + this.uri = value; + } + + /** + * Gets the value of the metadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the metadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getMetadata() { + if (metadata == null) { + metadata = new ArrayList(); + } + return this.metadata; + } + + /** + * Gets the value of the relationshipMetadata property. + * + *

+ * This accessor method returns a reference to the live list, + * not a snapshot. Therefore any modification you make to the + * returned list will be present inside the Jakarta XML Binding object. + * This is why there is not a set method for the relationshipMetadata property. + * + *

+ * For example, to add a new item, do as follows: + *

+     *    getRelationshipMetadata().add(newItem);
+     * 
+ * + * + *

+ * Objects of the following type(s) are allowed in the list + * {@link Object } + * + * + */ + public List getRelationshipMetadata() { + if (relationshipMetadata == null) { + relationshipMetadata = new ArrayList(); + } + return this.relationshipMetadata; + } + + /** + * Gets a map that contains attributes that aren't bound to any typed property on this class. + * + *

+ * the map is keyed by the name of the attribute and + * the value is the string value of the attribute. + * + * the map returned by this method is live, and you can add new attribute + * by updating the map directly. Because of this design, there's no setter. + * + * + * @return + * always non-null + */ + public Map getOtherAttributes() { + return otherAttributes; + } + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NumericType.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NumericType.java new file mode 100644 index 000000000..acd37c57e --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/NumericType.java @@ -0,0 +1,48 @@ + +package gov.niem.release.niem.niem_core._4; + +import gov.niem.release.niem.proxy.xsd._4.Decimal; +import jakarta.xml.bind.annotation.XmlAccessType; +import jakarta.xml.bind.annotation.XmlAccessorType; +import jakarta.xml.bind.annotation.XmlType; +import org.apache.commons.lang3.builder.ToStringBuilder; +import org.apache.cxf.xjc.runtime.JAXBToStringStyle; + + +/** + * A data type for a number value. + * + *

Java class for NumericType complex type. + * + *

The following schema fragment specifies the expected content contained within this class. + * + *

+ * <complexType name="NumericType">
+ *   <simpleContent>
+ *     <extension base="<http://release.niem.gov/niem/proxy/xsd/4.0/>decimal">
+ *       <anyAttribute processContents='lax' namespace='urn:us:gov:ic:ntk urn:us:gov:ic:ism'/>
+ *     </extension>
+ *   </simpleContent>
+ * </complexType>
+ * 
+ * + * + */ +@XmlAccessorType(XmlAccessType.FIELD) +@XmlType(name = "NumericType") +public class NumericType + extends Decimal +{ + + + /** + * Generates a String representation of the contents of this type. + * This is an extension method, produced by the 'ts' xjc plugin + * + */ + @Override + public String toString() { + return ToStringBuilder.reflectionToString(this, JAXBToStringStyle.DEFAULT_STYLE); + } + +} diff --git a/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObjectFactory.java b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObjectFactory.java new file mode 100644 index 000000000..9c0ac0bd5 --- /dev/null +++ b/TylerEcf5/src/main/java/ecf5/v2024_6/gov/niem/release/niem/niem_core/_4/ObjectFactory.java @@ -0,0 +1,4073 @@ + +package gov.niem.release.niem.niem_core._4; + +import javax.xml.namespace.QName; +import gov.niem.release.niem.codes.iso_3166_1._4.CountryAlpha2CodeType; +import gov.niem.release.niem.codes.iso_4217._4.CurrencyCodeType; +import gov.niem.release.niem.codes.iso_639_3._4.LanguageCodeType; +import gov.niem.release.niem.codes.unece_rec20._4.LengthCodeType; +import gov.niem.release.niem.codes.unece_rec20._4.MassCodeType; +import gov.niem.release.niem.codes.unece_rec20._4.VelocityCodeType; +import gov.niem.release.niem.codes.usps_states._4.USStateCodeType; +import gov.niem.release.niem.proxy.xsd._4.AnyURI; +import gov.niem.release.niem.proxy.xsd._4.Base64Binary; +import gov.niem.release.niem.proxy.xsd._4.Boolean; +import gov.niem.release.niem.proxy.xsd._4.Date; +import gov.niem.release.niem.proxy.xsd._4.DateTime; +import gov.niem.release.niem.proxy.xsd._4.Decimal; +import gov.niem.release.niem.proxy.xsd._4.GYear; +import gov.niem.release.niem.proxy.xsd._4.String; +import gov.niem.release.niem.proxy.xsd._4.Time; +import jakarta.xml.bind.JAXBElement; +import jakarta.xml.bind.annotation.XmlElementDecl; +import jakarta.xml.bind.annotation.XmlRegistry; + + +/** + * This object contains factory methods for each + * Java content interface and Java element interface + * generated in the gov.niem.release.niem.niem_core._4 package. + *

An ObjectFactory allows you to programatically + * construct new instances of the Java representation + * for XML content. The Java representation of XML + * content can consist of schema derived interfaces + * and classes representing the binding of schema + * type definitions, element declarations and model + * groups. Factory methods for each of these are + * provided in this class. + * + */ +@XmlRegistry +public class ObjectFactory { + + private final static QName _CaseAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CaseAugmentationPoint"); + private final static QName _DocumentAssociationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentAssociationAugmentationPoint"); + private final static QName _DocumentAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentAugmentationPoint"); + private final static QName _ItemAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemAugmentationPoint"); + private final static QName _OrganizationAssociationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationAssociationAugmentationPoint"); + private final static QName _OrganizationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationAugmentationPoint"); + private final static QName _PersonAssociationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonAssociationAugmentationPoint"); + private final static QName _PersonAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonAugmentationPoint"); + private final static QName _IdentificationCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IdentificationCategoryAbstract"); + private final static QName _PersonOrganizationAssociationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonOrganizationAssociationAugmentationPoint"); + private final static QName _RelatedActivityAssociationAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "RelatedActivityAssociationAugmentationPoint"); + private final static QName _Activity_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Activity"); + private final static QName _ActivityDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ActivityDate"); + private final static QName _ActivityDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ActivityDescriptionText"); + private final static QName _ActivityDisposition_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ActivityDisposition"); + private final static QName _ActivityIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ActivityIdentification"); + private final static QName _ActivityStatus_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ActivityStatus"); + private final static QName _Address_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Address"); + private final static QName _LocationAddressAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationAddressAbstract"); + private final static QName _AddressDeliveryPointAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "AddressDeliveryPointAbstract"); + private final static QName _AddressDeliveryPointID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "AddressDeliveryPointID"); + private final static QName _AddressFullText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "AddressFullText"); + private final static QName _AddressRecipientName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "AddressRecipientName"); + private final static QName _Amount_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Amount"); + private final static QName _AssociationDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "AssociationDescriptionText"); + private final static QName _Attachment_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Attachment"); + private final static QName _Base64BinaryObject_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Base64BinaryObject"); + private final static QName _BinaryObjectAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinaryObjectAbstract"); + private final static QName _BinaryCapturer_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinaryCapturer"); + private final static QName _BinaryDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinaryDescriptionText"); + private final static QName _BinaryFormatText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinaryFormatText"); + private final static QName _BinaryID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinaryID"); + private final static QName _BinarySizeValue_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinarySizeValue"); + private final static QName _BinaryURI_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "BinaryURI"); + private final static QName _CapabilityDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CapabilityDescriptionText"); + private final static QName _Case_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Case"); + private final static QName _CaseDisposition_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CaseDisposition"); + private final static QName _CaseDispositionFinalDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CaseDispositionFinalDate"); + private final static QName _CaseDocketID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CaseDocketID"); + private final static QName _CaseTitleText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CaseTitleText"); + private final static QName _ContactAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactAbstract"); + private final static QName _ContactEmailID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactEmailID"); + private final static QName _ContactMeansAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactMeansAbstract"); + private final static QName _ContactEntity_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactEntity"); + private final static QName _ContactEntityDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactEntityDescriptionText"); + private final static QName _ContactInformation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactInformation"); + private final static QName _ContactInformationAvailabilityAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactInformationAvailabilityAbstract"); + private final static QName _ContactInformationAvailabilityCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactInformationAvailabilityCode"); + private final static QName _ContactInformationDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactInformationDescriptionText"); + private final static QName _ContactMailingAddress_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactMailingAddress"); + private final static QName _ContactResponder_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactResponder"); + private final static QName _ContactTelephoneNumber_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ContactTelephoneNumber"); + private final static QName _ConveyanceColorPrimaryText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ConveyanceColorPrimaryText"); + private final static QName _ItemColorAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemColorAbstract"); + private final static QName _CountryRepresentation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CountryRepresentation"); + private final static QName _CurrencyAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CurrencyAbstract"); + private final static QName _CurrencyCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CurrencyCode"); + private final static QName _CurrencyText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "CurrencyText"); + private final static QName _Date_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Date"); + private final static QName _DateRepresentation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DateRepresentation"); + private final static QName _DateRange_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DateRange"); + private final static QName _DateTime_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DateTime"); + private final static QName _DispositionCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DispositionCategoryAbstract"); + private final static QName _DispositionCategoryText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DispositionCategoryText"); + private final static QName _DispositionDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DispositionDate"); + private final static QName _DispositionDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DispositionDescriptionText"); + private final static QName _Document_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Document"); + private final static QName _DocumentAssociation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentAssociation"); + private final static QName _DocumentCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentCategoryAbstract"); + private final static QName _DocumentCategoryText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentCategoryText"); + private final static QName _DocumentDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentDescriptionText"); + private final static QName _DocumentEffectiveDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentEffectiveDate"); + private final static QName _DocumentFileControlID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentFileControlID"); + private final static QName _DocumentFiledDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentFiledDate"); + private final static QName _DocumentIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentIdentification"); + private final static QName _DocumentInformationCutOffDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentInformationCutOffDate"); + private final static QName _DocumentLanguageAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentLanguageAbstract"); + private final static QName _DocumentLanguageCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentLanguageCode"); + private final static QName _DocumentPostDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentPostDate"); + private final static QName _DocumentReceivedDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentReceivedDate"); + private final static QName _DocumentSequenceID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentSequenceID"); + private final static QName _DocumentSoftwareName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentSoftwareName"); + private final static QName _DocumentSubmitter_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentSubmitter"); + private final static QName _DocumentTitleText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "DocumentTitleText"); + private final static QName _EffectiveDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "EffectiveDate"); + private final static QName _Employee_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Employee"); + private final static QName _Employer_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Employer"); + private final static QName _EndDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "EndDate"); + private final static QName _EntityItem_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "EntityItem"); + private final static QName _EntityRepresentation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "EntityRepresentation"); + private final static QName _EntityOrganization_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "EntityOrganization"); + private final static QName _EntityPerson_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "EntityPerson"); + private final static QName _ExpirationDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ExpirationDate"); + private final static QName _FacilityIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "FacilityIdentification"); + private final static QName _FacilityName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "FacilityName"); + private final static QName _FinancialObligationExemptionAmount_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "FinancialObligationExemptionAmount"); + private final static QName _FullTelephoneNumber_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "FullTelephoneNumber"); + private final static QName _TelephoneNumberAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneNumberAbstract"); + private final static QName _IdentificationCategoryDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IdentificationCategoryDescriptionText"); + private final static QName _IdentificationID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IdentificationID"); + private final static QName _IdentificationJurisdiction_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IdentificationJurisdiction"); + private final static QName _IdentificationSourceText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IdentificationSourceText"); + private final static QName _IncidentAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IncidentAugmentationPoint"); + private final static QName _IncidentLocation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "IncidentLocation"); + private final static QName _Insurance_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Insurance"); + private final static QName _InsuranceActiveIndicator_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "InsuranceActiveIndicator"); + private final static QName _InsuranceCarrierName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "InsuranceCarrierName"); + private final static QName _InsuranceCoverageCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "InsuranceCoverageCategoryAbstract"); + private final static QName _InsuranceCoverageCategoryText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "InsuranceCoverageCategoryText"); + private final static QName _InternationalTelephoneNumber_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "InternationalTelephoneNumber"); + private final static QName _ItemColorDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemColorDescriptionText"); + private final static QName _ItemDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemDescriptionText"); + private final static QName _ItemModelYearDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemModelYearDate"); + private final static QName _ItemOtherIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemOtherIdentification"); + private final static QName _ItemStyleAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemStyleAbstract"); + private final static QName _ItemStyleText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemStyleText"); + private final static QName _ItemValue_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemValue"); + private final static QName _ItemValueAmount_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ItemValueAmount"); + private final static QName _JurisdictionAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "JurisdictionAbstract"); + private final static QName _JurisdictionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "JurisdictionText"); + private final static QName _LanguageAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LanguageAbstract"); + private final static QName _LanguageCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LanguageCode"); + private final static QName _LastUpdatedDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LastUpdatedDate"); + private final static QName _LengthUnitAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LengthUnitAbstract"); + private final static QName _LengthUnitCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LengthUnitCode"); + private final static QName _Location_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Location"); + private final static QName _LocationCityName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationCityName"); + private final static QName _LocationCountry_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationCountry"); + private final static QName _LocationCountryName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationCountryName"); + private final static QName _LocationCountyAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationCountyAbstract"); + private final static QName _LocationCountyName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationCountyName"); + private final static QName _LocationDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationDescriptionText"); + private final static QName _LocationName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationName"); + private final static QName _LocationPostalCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationPostalCode"); + private final static QName _LocationPostalExtensionCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationPostalExtensionCode"); + private final static QName _LocationState_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationState"); + private final static QName _LocationStateName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationStateName"); + private final static QName _StateRepresentation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StateRepresentation"); + private final static QName _LocationStateUSPostalServiceCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationStateUSPostalServiceCode"); + private final static QName _LocationStreet_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "LocationStreet"); + private final static QName _MeasureDecimalValue_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "MeasureDecimalValue"); + private final static QName _MeasurePointAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "MeasurePointAbstract"); + private final static QName _MeasureValueAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "MeasureValueAbstract"); + private final static QName _MeasureUnitAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "MeasureUnitAbstract"); + private final static QName _Metadata_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Metadata"); + private final static QName _NANPTelephoneNumber_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "NANPTelephoneNumber"); + private final static QName _ObligationCategoryText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationCategoryText"); + private final static QName _ObligationDateRange_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationDateRange"); + private final static QName _ObligationDueAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationDueAbstract"); + private final static QName _ObligationDueAmount_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationDueAmount"); + private final static QName _ObligationEntity_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationEntity"); + private final static QName _ObligationExemption_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationExemption"); + private final static QName _ObligationExemptionDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationExemptionDescriptionText"); + private final static QName _ObligationPeriodText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationPeriodText"); + private final static QName _ObligationRecipient_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationRecipient"); + private final static QName _ObligationRecurrence_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationRecurrence"); + private final static QName _ObligationRequirementDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ObligationRequirementDescriptionText"); + private final static QName _Organization_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Organization"); + private final static QName _OrganizationAssociation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationAssociation"); + private final static QName _OrganizationIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationIdentification"); + private final static QName _OrganizationLocation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationLocation"); + private final static QName _OrganizationName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationName"); + private final static QName _OrganizationPrimaryContactInformation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationPrimaryContactInformation"); + private final static QName _OrganizationSubUnitName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationSubUnitName"); + private final static QName _OrganizationTaxIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationTaxIdentification"); + private final static QName _OrganizationUnitName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "OrganizationUnitName"); + private final static QName _Person_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Person"); + private final static QName _PersonAssociation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonAssociation"); + private final static QName _PersonBirthDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonBirthDate"); + private final static QName _PersonCapability_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonCapability"); + private final static QName _PersonCitizenshipAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonCitizenshipAbstract"); + private final static QName _PersonCitizenshipISO3166Alpha2Code_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonCitizenshipISO3166Alpha2Code"); + private final static QName _PersonDeathDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonDeathDate"); + private final static QName _PersonDisunion_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonDisunion"); + private final static QName _PersonDisunionDecreeIndicator_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonDisunionDecreeIndicator"); + private final static QName _PersonEmploymentAssociation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonEmploymentAssociation"); + private final static QName _PersonEthnicityAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonEthnicityAbstract"); + private final static QName _PersonEthnicityText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonEthnicityText"); + private final static QName _PersonEyeColorAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonEyeColorAbstract"); + private final static QName _PersonFullName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonFullName"); + private final static QName _PersonGivenName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonGivenName"); + private final static QName _PersonHairColorAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonHairColorAbstract"); + private final static QName _PersonHeightMeasure_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonHeightMeasure"); + private final static QName _PersonLanguageEnglishIndicator_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonLanguageEnglishIndicator"); + private final static QName _PersonMaidenName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonMaidenName"); + private final static QName _PersonMiddleName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonMiddleName"); + private final static QName _PersonName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonName"); + private final static QName _PersonNameCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonNameCategoryAbstract"); + private final static QName _PersonNamePrefixText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonNamePrefixText"); + private final static QName _PersonNameSuffixText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonNameSuffixText"); + private final static QName _PersonOrganizationAssociation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonOrganizationAssociation"); + private final static QName _PersonOtherIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonOtherIdentification"); + private final static QName _PersonPhysicalFeature_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonPhysicalFeature"); + private final static QName _PersonPrimaryLanguage_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonPrimaryLanguage"); + private final static QName _PersonRaceAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonRaceAbstract"); + private final static QName _PersonRaceText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonRaceText"); + private final static QName _PersonSexAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonSexAbstract"); + private final static QName _PersonStateIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonStateIdentification"); + private final static QName _PersonSurName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonSurName"); + private final static QName _PersonTaxIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonTaxIdentification"); + private final static QName _PersonUnionAssociation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonUnionAssociation"); + private final static QName _PersonUnionCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonUnionCategoryAbstract"); + private final static QName _PersonUnionCategoryCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonUnionCategoryCode"); + private final static QName _PersonUnionLocation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonUnionLocation"); + private final static QName _PersonUnionSeparation_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonUnionSeparation"); + private final static QName _PersonWeightMeasure_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PersonWeightMeasure"); + private final static QName _PhysicalFeatureCategoryAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PhysicalFeatureCategoryAbstract"); + private final static QName _PrimaryDocument_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "PrimaryDocument"); + private final static QName _RoleOfAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "RoleOfAbstract"); + private final static QName _RoleOfItem_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "RoleOfItem"); + private final static QName _RoleOfOrganization_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "RoleOfOrganization"); + private final static QName _RoleOfPerson_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "RoleOfPerson"); + private final static QName _ScheduleActivityText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ScheduleActivityText"); + private final static QName _ScheduleDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ScheduleDate"); + private final static QName _ScheduleDayAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ScheduleDayAbstract"); + private final static QName _ScheduleDayEndTime_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ScheduleDayEndTime"); + private final static QName _ScheduleDayStartTime_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "ScheduleDayStartTime"); + private final static QName _SensitivityText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "SensitivityText"); + private final static QName _SpeedUnitAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "SpeedUnitAbstract"); + private final static QName _SpeedUnitCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "SpeedUnitCode"); + private final static QName _StartDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StartDate"); + private final static QName _StatusAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StatusAbstract"); + private final static QName _StatusDate_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StatusDate"); + private final static QName _StatusDescriptionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StatusDescriptionText"); + private final static QName _StatusText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StatusText"); + private final static QName _StreetCategoryText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetCategoryText"); + private final static QName _StreetExtensionText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetExtensionText"); + private final static QName _StreetFullText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetFullText"); + private final static QName _StreetName_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetName"); + private final static QName _StreetNumberText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetNumberText"); + private final static QName _StreetPostdirectionalText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetPostdirectionalText"); + private final static QName _StreetPredirectionalText_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "StreetPredirectionalText"); + private final static QName _SupervisionCustodyStatus_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "SupervisionCustodyStatus"); + private final static QName _SupervisionFacility_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "SupervisionFacility"); + private final static QName _SystemOperatingModeAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "SystemOperatingModeAbstract"); + private final static QName _TelephoneAreaCodeID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneAreaCodeID"); + private final static QName _TelephoneCountryCodeID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneCountryCodeID"); + private final static QName _TelephoneExchangeID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneExchangeID"); + private final static QName _TelephoneLineID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneLineID"); + private final static QName _TelephoneNumberFullID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneNumberFullID"); + private final static QName _TelephoneNumberID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneNumberID"); + private final static QName _TelephoneSuffixID_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "TelephoneSuffixID"); + private final static QName _Vehicle_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "Vehicle"); + private final static QName _VehicleAugmentationPoint_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "VehicleAugmentationPoint"); + private final static QName _VehicleIdentification_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "VehicleIdentification"); + private final static QName _VehicleMakeAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "VehicleMakeAbstract"); + private final static QName _VehicleModelAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "VehicleModelAbstract"); + private final static QName _WeightUnitAbstract_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "WeightUnitAbstract"); + private final static QName _WeightUnitCode_QNAME = new QName("http://release.niem.gov/niem/niem-core/4.0/", "WeightUnitCode"); + + /** + * Create a new ObjectFactory that can be used to create new instances of schema derived classes for package: gov.niem.release.niem.niem_core._4 + * + */ + public ObjectFactory() { + } + + /** + * Create an instance of {@link EntityType } + * + */ + public EntityType createEntityType() { + return new EntityType(); + } + + /** + * Create an instance of {@link TextType } + * + */ + public TextType createTextType() { + return new TextType(); + } + + /** + * Create an instance of {@link IdentificationType } + * + */ + public IdentificationType createIdentificationType() { + return new IdentificationType(); + } + + /** + * Create an instance of {@link DocumentType } + * + */ + public DocumentType createDocumentType() { + return new DocumentType(); + } + + /** + * Create an instance of {@link DateType } + * + */ + public DateType createDateType() { + return new DateType(); + } + + /** + * Create an instance of {@link StatusType } + * + */ + public StatusType createStatusType() { + return new StatusType(); + } + + /** + * Create an instance of {@link ActivityType } + * + */ + public ActivityType createActivityType() { + return new ActivityType(); + } + + /** + * Create an instance of {@link DispositionType } + * + */ + public DispositionType createDispositionType() { + return new DispositionType(); + } + + /** + * Create an instance of {@link AddressType } + * + */ + public AddressType createAddressType() { + return new AddressType(); + } + + /** + * Create an instance of {@link BinaryType } + * + */ + public BinaryType createBinaryType() { + return new BinaryType(); + } + + /** + * Create an instance of {@link NonNegativeDecimalType } + * + */ + public NonNegativeDecimalType createNonNegativeDecimalType() { + return new NonNegativeDecimalType(); + } + + /** + * Create an instance of {@link CaseType } + * + */ + public CaseType createCaseType() { + return new CaseType(); + } + + /** + * Create an instance of {@link CaseDispositionType } + * + */ + public CaseDispositionType createCaseDispositionType() { + return new CaseDispositionType(); + } + + /** + * Create an instance of {@link ContactInformationType } + * + */ + public ContactInformationType createContactInformationType() { + return new ContactInformationType(); + } + + /** + * Create an instance of {@link ContactInformationAvailabilityCodeType } + * + */ + public ContactInformationAvailabilityCodeType createContactInformationAvailabilityCodeType() { + return new ContactInformationAvailabilityCodeType(); + } + + /** + * Create an instance of {@link PersonType } + * + */ + public PersonType createPersonType() { + return new PersonType(); + } + + /** + * Create an instance of {@link TelephoneNumberType } + * + */ + public TelephoneNumberType createTelephoneNumberType() { + return new TelephoneNumberType(); + } + + /** + * Create an instance of {@link DateRangeType } + * + */ + public DateRangeType createDateRangeType() { + return new DateRangeType(); + } + + /** + * Create an instance of {@link DocumentAssociationType } + * + */ + public DocumentAssociationType createDocumentAssociationType() { + return new DocumentAssociationType(); + } + + /** + * Create an instance of {@link SoftwareNameType } + * + */ + public SoftwareNameType createSoftwareNameType() { + return new SoftwareNameType(); + } + + /** + * Create an instance of {@link ItemType } + * + */ + public ItemType createItemType() { + return new ItemType(); + } + + /** + * Create an instance of {@link OrganizationType } + * + */ + public OrganizationType createOrganizationType() { + return new OrganizationType(); + } + + /** + * Create an instance of {@link ProperNameTextType } + * + */ + public ProperNameTextType createProperNameTextType() { + return new ProperNameTextType(); + } + + /** + * Create an instance of {@link AmountType } + * + */ + public AmountType createAmountType() { + return new AmountType(); + } + + /** + * Create an instance of {@link FullTelephoneNumberType } + * + */ + public FullTelephoneNumberType createFullTelephoneNumberType() { + return new FullTelephoneNumberType(); + } + + /** + * Create an instance of {@link JurisdictionType } + * + */ + public JurisdictionType createJurisdictionType() { + return new JurisdictionType(); + } + + /** + * Create an instance of {@link LocationType } + * + */ + public LocationType createLocationType() { + return new LocationType(); + } + + /** + * Create an instance of {@link InsuranceType } + * + */ + public InsuranceType createInsuranceType() { + return new InsuranceType(); + } + + /** + * Create an instance of {@link InternationalTelephoneNumberType } + * + */ + public InternationalTelephoneNumberType createInternationalTelephoneNumberType() { + return new InternationalTelephoneNumberType(); + } + + /** + * Create an instance of {@link ItemValueType } + * + */ + public ItemValueType createItemValueType() { + return new ItemValueType(); + } + + /** + * Create an instance of {@link CountryType } + * + */ + public CountryType createCountryType() { + return new CountryType(); + } + + /** + * Create an instance of {@link StateType } + * + */ + public StateType createStateType() { + return new StateType(); + } + + /** + * Create an instance of {@link StreetType } + * + */ + public StreetType createStreetType() { + return new StreetType(); + } + + /** + * Create an instance of {@link MetadataType } + * + */ + public MetadataType createMetadataType() { + return new MetadataType(); + } + + /** + * Create an instance of {@link NANPTelephoneNumberType } + * + */ + public NANPTelephoneNumberType createNANPTelephoneNumberType() { + return new NANPTelephoneNumberType(); + } + + /** + * Create an instance of {@link ObligationExemptionType } + * + */ + public ObligationExemptionType createObligationExemptionType() { + return new ObligationExemptionType(); + } + + /** + * Create an instance of {@link ObligationRecurrenceType } + * + */ + public ObligationRecurrenceType createObligationRecurrenceType() { + return new ObligationRecurrenceType(); + } + + /** + * Create an instance of {@link OrganizationAssociationType } + * + */ + public OrganizationAssociationType createOrganizationAssociationType() { + return new OrganizationAssociationType(); + } + + /** + * Create an instance of {@link PersonAssociationType } + * + */ + public PersonAssociationType createPersonAssociationType() { + return new PersonAssociationType(); + } + + /** + * Create an instance of {@link CapabilityType } + * + */ + public CapabilityType createCapabilityType() { + return new CapabilityType(); + } + + /** + * Create an instance of {@link PersonDisunionType } + * + */ + public PersonDisunionType createPersonDisunionType() { + return new PersonDisunionType(); + } + + /** + * Create an instance of {@link PersonEmploymentAssociationType } + * + */ + public PersonEmploymentAssociationType createPersonEmploymentAssociationType() { + return new PersonEmploymentAssociationType(); + } + + /** + * Create an instance of {@link PersonNameTextType } + * + */ + public PersonNameTextType createPersonNameTextType() { + return new PersonNameTextType(); + } + + /** + * Create an instance of {@link LengthMeasureType } + * + */ + public LengthMeasureType createLengthMeasureType() { + return new LengthMeasureType(); + } + + /** + * Create an instance of {@link PersonNameType } + * + */ + public PersonNameType createPersonNameType() { + return new PersonNameType(); + } + + /** + * Create an instance of {@link PersonOrganizationAssociationType } + * + */ + public PersonOrganizationAssociationType createPersonOrganizationAssociationType() { + return new PersonOrganizationAssociationType(); + } + + /** + * Create an instance of {@link PhysicalFeatureType } + * + */ + public PhysicalFeatureType createPhysicalFeatureType() { + return new PhysicalFeatureType(); + } + + /** + * Create an instance of {@link PersonLanguageType } + * + */ + public PersonLanguageType createPersonLanguageType() { + return new PersonLanguageType(); + } + + /** + * Create an instance of {@link PersonUnionAssociationType } + * + */ + public PersonUnionAssociationType createPersonUnionAssociationType() { + return new PersonUnionAssociationType(); + } + + /** + * Create an instance of {@link PersonUnionCategoryCodeType } + * + */ + public PersonUnionCategoryCodeType createPersonUnionCategoryCodeType() { + return new PersonUnionCategoryCodeType(); + } + + /** + * Create an instance of {@link PersonUnionSeparationType } + * + */ + public PersonUnionSeparationType createPersonUnionSeparationType() { + return new PersonUnionSeparationType(); + } + + /** + * Create an instance of {@link WeightMeasureType } + * + */ + public WeightMeasureType createWeightMeasureType() { + return new WeightMeasureType(); + } + + /** + * Create an instance of {@link FacilityType } + * + */ + public FacilityType createFacilityType() { + return new FacilityType(); + } + + /** + * Create an instance of {@link VehicleType } + * + */ + public VehicleType createVehicleType() { + return new VehicleType(); + } + + /** + * Create an instance of {@link AssociationType } + * + */ + public AssociationType createAssociationType() { + return new AssociationType(); + } + + /** + * Create an instance of {@link ConveyanceType } + * + */ + public ConveyanceType createConveyanceType() { + return new ConveyanceType(); + } + + /** + * Create an instance of {@link IncidentType } + * + */ + public IncidentType createIncidentType() { + return new IncidentType(); + } + + /** + * Create an instance of {@link MeasureType } + * + */ + public MeasureType createMeasureType() { + return new MeasureType(); + } + + /** + * Create an instance of {@link NumericType } + * + */ + public NumericType createNumericType() { + return new NumericType(); + } + + /** + * Create an instance of {@link ObligationType } + * + */ + public ObligationType createObligationType() { + return new ObligationType(); + } + + /** + * Create an instance of {@link OffenseLevelCodeType } + * + */ + public OffenseLevelCodeType createOffenseLevelCodeType() { + return new OffenseLevelCodeType(); + } + + /** + * Create an instance of {@link PersonNameCategoryCodeType } + * + */ + public PersonNameCategoryCodeType createPersonNameCategoryCodeType() { + return new PersonNameCategoryCodeType(); + } + + /** + * Create an instance of {@link RelatedActivityAssociationType } + * + */ + public RelatedActivityAssociationType createRelatedActivityAssociationType() { + return new RelatedActivityAssociationType(); + } + + /** + * Create an instance of {@link ScheduleDayType } + * + */ + public ScheduleDayType createScheduleDayType() { + return new ScheduleDayType(); + } + + /** + * Create an instance of {@link ScheduleType } + * + */ + public ScheduleType createScheduleType() { + return new ScheduleType(); + } + + /** + * Create an instance of {@link SpeedMeasureType } + * + */ + public SpeedMeasureType createSpeedMeasureType() { + return new SpeedMeasureType(); + } + + /** + * Create an instance of {@link SupervisionType } + * + */ + public SupervisionType createSupervisionType() { + return new SupervisionType(); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CaseAugmentationPoint") + public JAXBElement createCaseAugmentationPoint(Object value) { + return new JAXBElement(_CaseAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentAssociationAugmentationPoint") + public JAXBElement createDocumentAssociationAugmentationPoint(Object value) { + return new JAXBElement(_DocumentAssociationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentAugmentationPoint") + public JAXBElement createDocumentAugmentationPoint(Object value) { + return new JAXBElement(_DocumentAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemAugmentationPoint") + public JAXBElement createItemAugmentationPoint(Object value) { + return new JAXBElement(_ItemAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationAssociationAugmentationPoint") + public JAXBElement createOrganizationAssociationAugmentationPoint(Object value) { + return new JAXBElement(_OrganizationAssociationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationAugmentationPoint") + public JAXBElement createOrganizationAugmentationPoint(Object value) { + return new JAXBElement(_OrganizationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonAssociationAugmentationPoint") + public JAXBElement createPersonAssociationAugmentationPoint(Object value) { + return new JAXBElement(_PersonAssociationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonAugmentationPoint") + public JAXBElement createPersonAugmentationPoint(Object value) { + return new JAXBElement(_PersonAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IdentificationCategoryAbstract") + public JAXBElement createIdentificationCategoryAbstract(Object value) { + return new JAXBElement(_IdentificationCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonOrganizationAssociationAugmentationPoint") + public JAXBElement createPersonOrganizationAssociationAugmentationPoint(Object value) { + return new JAXBElement(_PersonOrganizationAssociationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "RelatedActivityAssociationAugmentationPoint") + public JAXBElement createRelatedActivityAssociationAugmentationPoint(Object value) { + return new JAXBElement(_RelatedActivityAssociationAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ActivityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ActivityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Activity") + public JAXBElement createActivity(ActivityType value) { + return new JAXBElement(_Activity_QNAME, ActivityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ActivityDate") + public JAXBElement createActivityDate(DateType value) { + return new JAXBElement(_ActivityDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ActivityDescriptionText") + public JAXBElement createActivityDescriptionText(TextType value) { + return new JAXBElement(_ActivityDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DispositionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DispositionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ActivityDisposition") + public JAXBElement createActivityDisposition(DispositionType value) { + return new JAXBElement(_ActivityDisposition_QNAME, DispositionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ActivityIdentification") + public JAXBElement createActivityIdentification(IdentificationType value) { + return new JAXBElement(_ActivityIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link StatusType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link StatusType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ActivityStatus") + public JAXBElement createActivityStatus(StatusType value) { + return new JAXBElement(_ActivityStatus_QNAME, StatusType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AddressType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AddressType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Address", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "LocationAddressAbstract") + public JAXBElement createAddress(AddressType value) { + return new JAXBElement(_Address_QNAME, AddressType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationAddressAbstract") + public JAXBElement createLocationAddressAbstract(Object value) { + return new JAXBElement(_LocationAddressAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "AddressDeliveryPointAbstract") + public JAXBElement createAddressDeliveryPointAbstract(Object value) { + return new JAXBElement(_AddressDeliveryPointAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "AddressDeliveryPointID", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "AddressDeliveryPointAbstract") + public JAXBElement createAddressDeliveryPointID(String value) { + return new JAXBElement(_AddressDeliveryPointID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "AddressFullText") + public JAXBElement createAddressFullText(TextType value) { + return new JAXBElement(_AddressFullText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "AddressRecipientName") + public JAXBElement createAddressRecipientName(TextType value) { + return new JAXBElement(_AddressRecipientName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Decimal }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Decimal }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Amount") + public JAXBElement createAmount(Decimal value) { + return new JAXBElement(_Amount_QNAME, Decimal.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "AssociationDescriptionText") + public JAXBElement createAssociationDescriptionText(TextType value) { + return new JAXBElement(_AssociationDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link BinaryType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link BinaryType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Attachment") + public JAXBElement createAttachment(BinaryType value) { + return new JAXBElement(_Attachment_QNAME, BinaryType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Base64Binary }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Base64Binary }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Base64BinaryObject", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "BinaryObjectAbstract") + public JAXBElement createBase64BinaryObject(Base64Binary value) { + return new JAXBElement(_Base64BinaryObject_QNAME, Base64Binary.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinaryObjectAbstract") + public JAXBElement createBinaryObjectAbstract(Object value) { + return new JAXBElement(_BinaryObjectAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinaryCapturer") + public JAXBElement createBinaryCapturer(EntityType value) { + return new JAXBElement(_BinaryCapturer_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinaryDescriptionText") + public JAXBElement createBinaryDescriptionText(TextType value) { + return new JAXBElement(_BinaryDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinaryFormatText") + public JAXBElement createBinaryFormatText(TextType value) { + return new JAXBElement(_BinaryFormatText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinaryID") + public JAXBElement createBinaryID(String value) { + return new JAXBElement(_BinaryID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link NonNegativeDecimalType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link NonNegativeDecimalType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinarySizeValue") + public JAXBElement createBinarySizeValue(NonNegativeDecimalType value) { + return new JAXBElement(_BinarySizeValue_QNAME, NonNegativeDecimalType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AnyURI }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AnyURI }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "BinaryURI") + public JAXBElement createBinaryURI(AnyURI value) { + return new JAXBElement(_BinaryURI_QNAME, AnyURI.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CapabilityDescriptionText") + public JAXBElement createCapabilityDescriptionText(TextType value) { + return new JAXBElement(_CapabilityDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Case") + public JAXBElement createCase(CaseType value) { + return new JAXBElement(_Case_QNAME, CaseType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CaseDispositionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CaseDispositionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CaseDisposition", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ActivityDisposition") + public JAXBElement createCaseDisposition(CaseDispositionType value) { + return new JAXBElement(_CaseDisposition_QNAME, CaseDispositionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CaseDispositionFinalDate") + public JAXBElement createCaseDispositionFinalDate(DateType value) { + return new JAXBElement(_CaseDispositionFinalDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CaseDocketID") + public JAXBElement createCaseDocketID(String value) { + return new JAXBElement(_CaseDocketID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CaseTitleText") + public JAXBElement createCaseTitleText(TextType value) { + return new JAXBElement(_CaseTitleText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactAbstract") + public JAXBElement createContactAbstract(Object value) { + return new JAXBElement(_ContactAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactEmailID", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ContactMeansAbstract") + public JAXBElement createContactEmailID(String value) { + return new JAXBElement(_ContactEmailID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactMeansAbstract") + public JAXBElement createContactMeansAbstract(Object value) { + return new JAXBElement(_ContactMeansAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactEntity", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ContactAbstract") + public JAXBElement createContactEntity(EntityType value) { + return new JAXBElement(_ContactEntity_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactEntityDescriptionText") + public JAXBElement createContactEntityDescriptionText(TextType value) { + return new JAXBElement(_ContactEntityDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ContactInformationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ContactInformationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactInformation") + public JAXBElement createContactInformation(ContactInformationType value) { + return new JAXBElement(_ContactInformation_QNAME, ContactInformationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactInformationAvailabilityAbstract") + public JAXBElement createContactInformationAvailabilityAbstract(Object value) { + return new JAXBElement(_ContactInformationAvailabilityAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ContactInformationAvailabilityCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ContactInformationAvailabilityCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactInformationAvailabilityCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ContactInformationAvailabilityAbstract") + public JAXBElement createContactInformationAvailabilityCode(ContactInformationAvailabilityCodeType value) { + return new JAXBElement(_ContactInformationAvailabilityCode_QNAME, ContactInformationAvailabilityCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactInformationDescriptionText") + public JAXBElement createContactInformationDescriptionText(TextType value) { + return new JAXBElement(_ContactInformationDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AddressType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AddressType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactMailingAddress", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ContactMeansAbstract") + public JAXBElement createContactMailingAddress(AddressType value) { + return new JAXBElement(_ContactMailingAddress_QNAME, AddressType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactResponder") + public JAXBElement createContactResponder(PersonType value) { + return new JAXBElement(_ContactResponder_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TelephoneNumberType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TelephoneNumberType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ContactTelephoneNumber", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ContactMeansAbstract") + public JAXBElement createContactTelephoneNumber(TelephoneNumberType value) { + return new JAXBElement(_ContactTelephoneNumber_QNAME, TelephoneNumberType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ConveyanceColorPrimaryText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ItemColorAbstract") + public JAXBElement createConveyanceColorPrimaryText(TextType value) { + return new JAXBElement(_ConveyanceColorPrimaryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemColorAbstract") + public JAXBElement createItemColorAbstract(Object value) { + return new JAXBElement(_ItemColorAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CountryRepresentation") + public JAXBElement createCountryRepresentation(Object value) { + return new JAXBElement(_CountryRepresentation_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CurrencyAbstract") + public JAXBElement createCurrencyAbstract(Object value) { + return new JAXBElement(_CurrencyAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CurrencyCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CurrencyCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CurrencyCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "CurrencyAbstract") + public JAXBElement createCurrencyCode(CurrencyCodeType value) { + return new JAXBElement(_CurrencyCode_QNAME, CurrencyCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "CurrencyText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "CurrencyAbstract") + public JAXBElement createCurrencyText(TextType value) { + return new JAXBElement(_CurrencyText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Date }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Date }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Date", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "DateRepresentation") + public JAXBElement createDate(Date value) { + return new JAXBElement(_Date_QNAME, Date.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DateRepresentation") + public JAXBElement createDateRepresentation(Object value) { + return new JAXBElement(_DateRepresentation_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateRangeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateRangeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DateRange", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "DateRepresentation") + public JAXBElement createDateRange(DateRangeType value) { + return new JAXBElement(_DateRange_QNAME, DateRangeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateTime }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateTime }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DateTime", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "DateRepresentation") + public JAXBElement createDateTime(DateTime value) { + return new JAXBElement(_DateTime_QNAME, DateTime.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DispositionCategoryAbstract") + public JAXBElement createDispositionCategoryAbstract(Object value) { + return new JAXBElement(_DispositionCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DispositionCategoryText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "DispositionCategoryAbstract") + public JAXBElement createDispositionCategoryText(TextType value) { + return new JAXBElement(_DispositionCategoryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DispositionDate") + public JAXBElement createDispositionDate(DateType value) { + return new JAXBElement(_DispositionDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DispositionDescriptionText") + public JAXBElement createDispositionDescriptionText(TextType value) { + return new JAXBElement(_DispositionDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DocumentType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DocumentType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Document") + public JAXBElement createDocument(DocumentType value) { + return new JAXBElement(_Document_QNAME, DocumentType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DocumentAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DocumentAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentAssociation") + public JAXBElement createDocumentAssociation(DocumentAssociationType value) { + return new JAXBElement(_DocumentAssociation_QNAME, DocumentAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentCategoryAbstract") + public JAXBElement createDocumentCategoryAbstract(Object value) { + return new JAXBElement(_DocumentCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentCategoryText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "DocumentCategoryAbstract") + public JAXBElement createDocumentCategoryText(TextType value) { + return new JAXBElement(_DocumentCategoryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentDescriptionText") + public JAXBElement createDocumentDescriptionText(TextType value) { + return new JAXBElement(_DocumentDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentEffectiveDate") + public JAXBElement createDocumentEffectiveDate(DateType value) { + return new JAXBElement(_DocumentEffectiveDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentFileControlID") + public JAXBElement createDocumentFileControlID(String value) { + return new JAXBElement(_DocumentFileControlID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentFiledDate") + public JAXBElement createDocumentFiledDate(DateType value) { + return new JAXBElement(_DocumentFiledDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentIdentification") + public JAXBElement createDocumentIdentification(IdentificationType value) { + return new JAXBElement(_DocumentIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentInformationCutOffDate") + public JAXBElement createDocumentInformationCutOffDate(DateType value) { + return new JAXBElement(_DocumentInformationCutOffDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentLanguageAbstract") + public JAXBElement createDocumentLanguageAbstract(Object value) { + return new JAXBElement(_DocumentLanguageAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentLanguageCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "DocumentLanguageAbstract") + public JAXBElement createDocumentLanguageCode(LanguageCodeType value) { + return new JAXBElement(_DocumentLanguageCode_QNAME, LanguageCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentPostDate") + public JAXBElement createDocumentPostDate(DateType value) { + return new JAXBElement(_DocumentPostDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentReceivedDate") + public JAXBElement createDocumentReceivedDate(DateType value) { + return new JAXBElement(_DocumentReceivedDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentSequenceID") + public JAXBElement createDocumentSequenceID(String value) { + return new JAXBElement(_DocumentSequenceID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link SoftwareNameType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link SoftwareNameType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentSoftwareName") + public JAXBElement createDocumentSoftwareName(SoftwareNameType value) { + return new JAXBElement(_DocumentSoftwareName_QNAME, SoftwareNameType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentSubmitter") + public JAXBElement createDocumentSubmitter(EntityType value) { + return new JAXBElement(_DocumentSubmitter_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "DocumentTitleText") + public JAXBElement createDocumentTitleText(TextType value) { + return new JAXBElement(_DocumentTitleText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "EffectiveDate") + public JAXBElement createEffectiveDate(DateType value) { + return new JAXBElement(_EffectiveDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Employee") + public JAXBElement createEmployee(PersonType value) { + return new JAXBElement(_Employee_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Employer") + public JAXBElement createEmployer(EntityType value) { + return new JAXBElement(_Employer_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "EndDate") + public JAXBElement createEndDate(DateType value) { + return new JAXBElement(_EndDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ItemType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ItemType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "EntityItem", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "EntityRepresentation") + public JAXBElement createEntityItem(ItemType value) { + return new JAXBElement(_EntityItem_QNAME, ItemType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "EntityRepresentation") + public JAXBElement createEntityRepresentation(Object value) { + return new JAXBElement(_EntityRepresentation_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "EntityOrganization", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "EntityRepresentation") + public JAXBElement createEntityOrganization(OrganizationType value) { + return new JAXBElement(_EntityOrganization_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "EntityPerson", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "EntityRepresentation") + public JAXBElement createEntityPerson(PersonType value) { + return new JAXBElement(_EntityPerson_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ExpirationDate") + public JAXBElement createExpirationDate(DateType value) { + return new JAXBElement(_ExpirationDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "FacilityIdentification") + public JAXBElement createFacilityIdentification(IdentificationType value) { + return new JAXBElement(_FacilityIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "FacilityName") + public JAXBElement createFacilityName(ProperNameTextType value) { + return new JAXBElement(_FacilityName_QNAME, ProperNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "FinancialObligationExemptionAmount") + public JAXBElement createFinancialObligationExemptionAmount(AmountType value) { + return new JAXBElement(_FinancialObligationExemptionAmount_QNAME, AmountType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link FullTelephoneNumberType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link FullTelephoneNumberType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "FullTelephoneNumber", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "TelephoneNumberAbstract") + public JAXBElement createFullTelephoneNumber(FullTelephoneNumberType value) { + return new JAXBElement(_FullTelephoneNumber_QNAME, FullTelephoneNumberType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "TelephoneNumberAbstract") + public JAXBElement createTelephoneNumberAbstract(Object value) { + return new JAXBElement(_TelephoneNumberAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IdentificationCategoryDescriptionText") + public JAXBElement createIdentificationCategoryDescriptionText(TextType value) { + return new JAXBElement(_IdentificationCategoryDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IdentificationID") + public JAXBElement createIdentificationID(String value) { + return new JAXBElement(_IdentificationID_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link JurisdictionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link JurisdictionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IdentificationJurisdiction") + public JAXBElement createIdentificationJurisdiction(JurisdictionType value) { + return new JAXBElement(_IdentificationJurisdiction_QNAME, JurisdictionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IdentificationSourceText") + public JAXBElement createIdentificationSourceText(TextType value) { + return new JAXBElement(_IdentificationSourceText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IncidentAugmentationPoint") + public JAXBElement createIncidentAugmentationPoint(Object value) { + return new JAXBElement(_IncidentAugmentationPoint_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "IncidentLocation") + public JAXBElement createIncidentLocation(LocationType value) { + return new JAXBElement(_IncidentLocation_QNAME, LocationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link InsuranceType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link InsuranceType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Insurance") + public JAXBElement createInsurance(InsuranceType value) { + return new JAXBElement(_Insurance_QNAME, InsuranceType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "InsuranceActiveIndicator") + public JAXBElement createInsuranceActiveIndicator(Boolean value) { + return new JAXBElement(_InsuranceActiveIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "InsuranceCarrierName") + public JAXBElement createInsuranceCarrierName(TextType value) { + return new JAXBElement(_InsuranceCarrierName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "InsuranceCoverageCategoryAbstract") + public JAXBElement createInsuranceCoverageCategoryAbstract(Object value) { + return new JAXBElement(_InsuranceCoverageCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "InsuranceCoverageCategoryText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "InsuranceCoverageCategoryAbstract") + public JAXBElement createInsuranceCoverageCategoryText(TextType value) { + return new JAXBElement(_InsuranceCoverageCategoryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link InternationalTelephoneNumberType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link InternationalTelephoneNumberType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "InternationalTelephoneNumber", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "TelephoneNumberAbstract") + public JAXBElement createInternationalTelephoneNumber(InternationalTelephoneNumberType value) { + return new JAXBElement(_InternationalTelephoneNumber_QNAME, InternationalTelephoneNumberType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemColorDescriptionText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ItemColorAbstract") + public JAXBElement createItemColorDescriptionText(TextType value) { + return new JAXBElement(_ItemColorDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemDescriptionText") + public JAXBElement createItemDescriptionText(TextType value) { + return new JAXBElement(_ItemDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link GYear }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link GYear }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemModelYearDate") + public JAXBElement createItemModelYearDate(GYear value) { + return new JAXBElement(_ItemModelYearDate_QNAME, GYear.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemOtherIdentification") + public JAXBElement createItemOtherIdentification(IdentificationType value) { + return new JAXBElement(_ItemOtherIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemStyleAbstract") + public JAXBElement createItemStyleAbstract(Object value) { + return new JAXBElement(_ItemStyleAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemStyleText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ItemStyleAbstract") + public JAXBElement createItemStyleText(TextType value) { + return new JAXBElement(_ItemStyleText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ItemValueType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ItemValueType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemValue") + public JAXBElement createItemValue(ItemValueType value) { + return new JAXBElement(_ItemValue_QNAME, ItemValueType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ItemValueAmount") + public JAXBElement createItemValueAmount(AmountType value) { + return new JAXBElement(_ItemValueAmount_QNAME, AmountType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "JurisdictionAbstract") + public JAXBElement createJurisdictionAbstract(Object value) { + return new JAXBElement(_JurisdictionAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "JurisdictionText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "JurisdictionAbstract") + public JAXBElement createJurisdictionText(TextType value) { + return new JAXBElement(_JurisdictionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LanguageAbstract") + public JAXBElement createLanguageAbstract(Object value) { + return new JAXBElement(_LanguageAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LanguageCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LanguageCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "LanguageAbstract") + public JAXBElement createLanguageCode(LanguageCodeType value) { + return new JAXBElement(_LanguageCode_QNAME, LanguageCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LastUpdatedDate") + public JAXBElement createLastUpdatedDate(DateType value) { + return new JAXBElement(_LastUpdatedDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LengthUnitAbstract") + public JAXBElement createLengthUnitAbstract(Object value) { + return new JAXBElement(_LengthUnitAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LengthCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LengthCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LengthUnitCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "LengthUnitAbstract") + public JAXBElement createLengthUnitCode(LengthCodeType value) { + return new JAXBElement(_LengthUnitCode_QNAME, LengthCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Location") + public JAXBElement createLocation(LocationType value) { + return new JAXBElement(_Location_QNAME, LocationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationCityName") + public JAXBElement createLocationCityName(ProperNameTextType value) { + return new JAXBElement(_LocationCityName_QNAME, ProperNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CountryType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CountryType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationCountry") + public JAXBElement createLocationCountry(CountryType value) { + return new JAXBElement(_LocationCountry_QNAME, CountryType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationCountryName", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "CountryRepresentation") + public JAXBElement createLocationCountryName(ProperNameTextType value) { + return new JAXBElement(_LocationCountryName_QNAME, ProperNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationCountyAbstract") + public JAXBElement createLocationCountyAbstract(Object value) { + return new JAXBElement(_LocationCountyAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationCountyName", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "LocationCountyAbstract") + public JAXBElement createLocationCountyName(ProperNameTextType value) { + return new JAXBElement(_LocationCountyName_QNAME, ProperNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationDescriptionText") + public JAXBElement createLocationDescriptionText(TextType value) { + return new JAXBElement(_LocationDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationName") + public JAXBElement createLocationName(ProperNameTextType value) { + return new JAXBElement(_LocationName_QNAME, ProperNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationPostalCode") + public JAXBElement createLocationPostalCode(String value) { + return new JAXBElement(_LocationPostalCode_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link String }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link String }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationPostalExtensionCode") + public JAXBElement createLocationPostalExtensionCode(String value) { + return new JAXBElement(_LocationPostalExtensionCode_QNAME, String.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link StateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link StateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationState") + public JAXBElement createLocationState(StateType value) { + return new JAXBElement(_LocationState_QNAME, StateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ProperNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationStateName", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "StateRepresentation") + public JAXBElement createLocationStateName(ProperNameTextType value) { + return new JAXBElement(_LocationStateName_QNAME, ProperNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "StateRepresentation") + public JAXBElement createStateRepresentation(Object value) { + return new JAXBElement(_StateRepresentation_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link USStateCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link USStateCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationStateUSPostalServiceCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "StateRepresentation") + public JAXBElement createLocationStateUSPostalServiceCode(USStateCodeType value) { + return new JAXBElement(_LocationStateUSPostalServiceCode_QNAME, USStateCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link StreetType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link StreetType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "LocationStreet", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "AddressDeliveryPointAbstract") + public JAXBElement createLocationStreet(StreetType value) { + return new JAXBElement(_LocationStreet_QNAME, StreetType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Decimal }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Decimal }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "MeasureDecimalValue", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "MeasurePointAbstract") + public JAXBElement createMeasureDecimalValue(Decimal value) { + return new JAXBElement(_MeasureDecimalValue_QNAME, Decimal.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "MeasurePointAbstract", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "MeasureValueAbstract") + public JAXBElement createMeasurePointAbstract(Object value) { + return new JAXBElement(_MeasurePointAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "MeasureValueAbstract") + public JAXBElement createMeasureValueAbstract(Object value) { + return new JAXBElement(_MeasureValueAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "MeasureUnitAbstract") + public JAXBElement createMeasureUnitAbstract(Object value) { + return new JAXBElement(_MeasureUnitAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link MetadataType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link MetadataType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Metadata") + public JAXBElement createMetadata(MetadataType value) { + return new JAXBElement(_Metadata_QNAME, MetadataType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link NANPTelephoneNumberType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link NANPTelephoneNumberType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "NANPTelephoneNumber", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "TelephoneNumberAbstract") + public JAXBElement createNANPTelephoneNumber(NANPTelephoneNumberType value) { + return new JAXBElement(_NANPTelephoneNumber_QNAME, NANPTelephoneNumberType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationCategoryText") + public JAXBElement createObligationCategoryText(TextType value) { + return new JAXBElement(_ObligationCategoryText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateRangeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateRangeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationDateRange") + public JAXBElement createObligationDateRange(DateRangeType value) { + return new JAXBElement(_ObligationDateRange_QNAME, DateRangeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationDueAbstract") + public JAXBElement createObligationDueAbstract(Object value) { + return new JAXBElement(_ObligationDueAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link AmountType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationDueAmount", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ObligationDueAbstract") + public JAXBElement createObligationDueAmount(AmountType value) { + return new JAXBElement(_ObligationDueAmount_QNAME, AmountType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationEntity") + public JAXBElement createObligationEntity(EntityType value) { + return new JAXBElement(_ObligationEntity_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ObligationExemptionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ObligationExemptionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationExemption") + public JAXBElement createObligationExemption(ObligationExemptionType value) { + return new JAXBElement(_ObligationExemption_QNAME, ObligationExemptionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationExemptionDescriptionText") + public JAXBElement createObligationExemptionDescriptionText(TextType value) { + return new JAXBElement(_ObligationExemptionDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationPeriodText") + public JAXBElement createObligationPeriodText(TextType value) { + return new JAXBElement(_ObligationPeriodText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link EntityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationRecipient") + public JAXBElement createObligationRecipient(EntityType value) { + return new JAXBElement(_ObligationRecipient_QNAME, EntityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ObligationRecurrenceType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ObligationRecurrenceType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationRecurrence") + public JAXBElement createObligationRecurrence(ObligationRecurrenceType value) { + return new JAXBElement(_ObligationRecurrence_QNAME, ObligationRecurrenceType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ObligationRequirementDescriptionText") + public JAXBElement createObligationRequirementDescriptionText(TextType value) { + return new JAXBElement(_ObligationRequirementDescriptionText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Organization") + public JAXBElement createOrganization(OrganizationType value) { + return new JAXBElement(_Organization_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationAssociation") + public JAXBElement createOrganizationAssociation(OrganizationAssociationType value) { + return new JAXBElement(_OrganizationAssociation_QNAME, OrganizationAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationIdentification") + public JAXBElement createOrganizationIdentification(IdentificationType value) { + return new JAXBElement(_OrganizationIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationLocation") + public JAXBElement createOrganizationLocation(LocationType value) { + return new JAXBElement(_OrganizationLocation_QNAME, LocationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationName") + public JAXBElement createOrganizationName(TextType value) { + return new JAXBElement(_OrganizationName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ContactInformationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ContactInformationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationPrimaryContactInformation") + public JAXBElement createOrganizationPrimaryContactInformation(ContactInformationType value) { + return new JAXBElement(_OrganizationPrimaryContactInformation_QNAME, ContactInformationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationSubUnitName") + public JAXBElement createOrganizationSubUnitName(TextType value) { + return new JAXBElement(_OrganizationSubUnitName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationTaxIdentification") + public JAXBElement createOrganizationTaxIdentification(IdentificationType value) { + return new JAXBElement(_OrganizationTaxIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "OrganizationUnitName") + public JAXBElement createOrganizationUnitName(TextType value) { + return new JAXBElement(_OrganizationUnitName_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "Person") + public JAXBElement createPerson(PersonType value) { + return new JAXBElement(_Person_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonAssociation") + public JAXBElement createPersonAssociation(PersonAssociationType value) { + return new JAXBElement(_PersonAssociation_QNAME, PersonAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonBirthDate") + public JAXBElement createPersonBirthDate(DateType value) { + return new JAXBElement(_PersonBirthDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CapabilityType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CapabilityType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonCapability") + public JAXBElement createPersonCapability(CapabilityType value) { + return new JAXBElement(_PersonCapability_QNAME, CapabilityType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonCitizenshipAbstract") + public JAXBElement createPersonCitizenshipAbstract(Object value) { + return new JAXBElement(_PersonCitizenshipAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link CountryAlpha2CodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link CountryAlpha2CodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonCitizenshipISO3166Alpha2Code", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonCitizenshipAbstract") + public JAXBElement createPersonCitizenshipISO3166Alpha2Code(CountryAlpha2CodeType value) { + return new JAXBElement(_PersonCitizenshipISO3166Alpha2Code_QNAME, CountryAlpha2CodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonDeathDate") + public JAXBElement createPersonDeathDate(DateType value) { + return new JAXBElement(_PersonDeathDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonDisunionType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonDisunionType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonDisunion") + public JAXBElement createPersonDisunion(PersonDisunionType value) { + return new JAXBElement(_PersonDisunion_QNAME, PersonDisunionType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonDisunionDecreeIndicator") + public JAXBElement createPersonDisunionDecreeIndicator(Boolean value) { + return new JAXBElement(_PersonDisunionDecreeIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonEmploymentAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonEmploymentAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonEmploymentAssociation") + public JAXBElement createPersonEmploymentAssociation(PersonEmploymentAssociationType value) { + return new JAXBElement(_PersonEmploymentAssociation_QNAME, PersonEmploymentAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonEthnicityAbstract") + public JAXBElement createPersonEthnicityAbstract(Object value) { + return new JAXBElement(_PersonEthnicityAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonEthnicityText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonEthnicityAbstract") + public JAXBElement createPersonEthnicityText(TextType value) { + return new JAXBElement(_PersonEthnicityText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonEyeColorAbstract") + public JAXBElement createPersonEyeColorAbstract(Object value) { + return new JAXBElement(_PersonEyeColorAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonFullName") + public JAXBElement createPersonFullName(PersonNameTextType value) { + return new JAXBElement(_PersonFullName_QNAME, PersonNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonGivenName") + public JAXBElement createPersonGivenName(PersonNameTextType value) { + return new JAXBElement(_PersonGivenName_QNAME, PersonNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonHairColorAbstract") + public JAXBElement createPersonHairColorAbstract(Object value) { + return new JAXBElement(_PersonHairColorAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LengthMeasureType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LengthMeasureType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonHeightMeasure") + public JAXBElement createPersonHeightMeasure(LengthMeasureType value) { + return new JAXBElement(_PersonHeightMeasure_QNAME, LengthMeasureType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Boolean }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonLanguageEnglishIndicator") + public JAXBElement createPersonLanguageEnglishIndicator(Boolean value) { + return new JAXBElement(_PersonLanguageEnglishIndicator_QNAME, Boolean.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonMaidenName") + public JAXBElement createPersonMaidenName(PersonNameTextType value) { + return new JAXBElement(_PersonMaidenName_QNAME, PersonNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonMiddleName") + public JAXBElement createPersonMiddleName(PersonNameTextType value) { + return new JAXBElement(_PersonMiddleName_QNAME, PersonNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonNameType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonNameType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonName") + public JAXBElement createPersonName(PersonNameType value) { + return new JAXBElement(_PersonName_QNAME, PersonNameType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonNameCategoryAbstract") + public JAXBElement createPersonNameCategoryAbstract(Object value) { + return new JAXBElement(_PersonNameCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonNamePrefixText") + public JAXBElement createPersonNamePrefixText(TextType value) { + return new JAXBElement(_PersonNamePrefixText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonNameSuffixText") + public JAXBElement createPersonNameSuffixText(TextType value) { + return new JAXBElement(_PersonNameSuffixText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonOrganizationAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonOrganizationAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonOrganizationAssociation") + public JAXBElement createPersonOrganizationAssociation(PersonOrganizationAssociationType value) { + return new JAXBElement(_PersonOrganizationAssociation_QNAME, PersonOrganizationAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonOtherIdentification") + public JAXBElement createPersonOtherIdentification(IdentificationType value) { + return new JAXBElement(_PersonOtherIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PhysicalFeatureType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PhysicalFeatureType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonPhysicalFeature") + public JAXBElement createPersonPhysicalFeature(PhysicalFeatureType value) { + return new JAXBElement(_PersonPhysicalFeature_QNAME, PhysicalFeatureType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonLanguageType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonLanguageType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonPrimaryLanguage") + public JAXBElement createPersonPrimaryLanguage(PersonLanguageType value) { + return new JAXBElement(_PersonPrimaryLanguage_QNAME, PersonLanguageType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonRaceAbstract") + public JAXBElement createPersonRaceAbstract(Object value) { + return new JAXBElement(_PersonRaceAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonRaceText", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonRaceAbstract") + public JAXBElement createPersonRaceText(TextType value) { + return new JAXBElement(_PersonRaceText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonSexAbstract") + public JAXBElement createPersonSexAbstract(Object value) { + return new JAXBElement(_PersonSexAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonStateIdentification") + public JAXBElement createPersonStateIdentification(IdentificationType value) { + return new JAXBElement(_PersonStateIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonNameTextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonSurName") + public JAXBElement createPersonSurName(PersonNameTextType value) { + return new JAXBElement(_PersonSurName_QNAME, PersonNameTextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link IdentificationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonTaxIdentification") + public JAXBElement createPersonTaxIdentification(IdentificationType value) { + return new JAXBElement(_PersonTaxIdentification_QNAME, IdentificationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonUnionAssociationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonUnionAssociationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonUnionAssociation") + public JAXBElement createPersonUnionAssociation(PersonUnionAssociationType value) { + return new JAXBElement(_PersonUnionAssociation_QNAME, PersonUnionAssociationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonUnionCategoryAbstract") + public JAXBElement createPersonUnionCategoryAbstract(Object value) { + return new JAXBElement(_PersonUnionCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonUnionCategoryCodeType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonUnionCategoryCodeType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonUnionCategoryCode", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "PersonUnionCategoryAbstract") + public JAXBElement createPersonUnionCategoryCode(PersonUnionCategoryCodeType value) { + return new JAXBElement(_PersonUnionCategoryCode_QNAME, PersonUnionCategoryCodeType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link LocationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonUnionLocation") + public JAXBElement createPersonUnionLocation(LocationType value) { + return new JAXBElement(_PersonUnionLocation_QNAME, LocationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonUnionSeparationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonUnionSeparationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonUnionSeparation") + public JAXBElement createPersonUnionSeparation(PersonUnionSeparationType value) { + return new JAXBElement(_PersonUnionSeparation_QNAME, PersonUnionSeparationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link WeightMeasureType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link WeightMeasureType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PersonWeightMeasure") + public JAXBElement createPersonWeightMeasure(WeightMeasureType value) { + return new JAXBElement(_PersonWeightMeasure_QNAME, WeightMeasureType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PhysicalFeatureCategoryAbstract") + public JAXBElement createPhysicalFeatureCategoryAbstract(Object value) { + return new JAXBElement(_PhysicalFeatureCategoryAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DocumentType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DocumentType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "PrimaryDocument") + public JAXBElement createPrimaryDocument(DocumentType value) { + return new JAXBElement(_PrimaryDocument_QNAME, DocumentType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "RoleOfAbstract") + public JAXBElement createRoleOfAbstract(Object value) { + return new JAXBElement(_RoleOfAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link ItemType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link ItemType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "RoleOfItem", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "RoleOfAbstract") + public JAXBElement createRoleOfItem(ItemType value) { + return new JAXBElement(_RoleOfItem_QNAME, ItemType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link OrganizationType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "RoleOfOrganization", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "RoleOfAbstract") + public JAXBElement createRoleOfOrganization(OrganizationType value) { + return new JAXBElement(_RoleOfOrganization_QNAME, OrganizationType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link PersonType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "RoleOfPerson", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "RoleOfAbstract") + public JAXBElement createRoleOfPerson(PersonType value) { + return new JAXBElement(_RoleOfPerson_QNAME, PersonType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link TextType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ScheduleActivityText") + public JAXBElement createScheduleActivityText(TextType value) { + return new JAXBElement(_ScheduleActivityText_QNAME, TextType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link DateType }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ScheduleDate", substitutionHeadNamespace = "http://release.niem.gov/niem/niem-core/4.0/", substitutionHeadName = "ScheduleDayAbstract") + public JAXBElement createScheduleDate(DateType value) { + return new JAXBElement(_ScheduleDate_QNAME, DateType.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Object }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ScheduleDayAbstract") + public JAXBElement createScheduleDayAbstract(Object value) { + return new JAXBElement(_ScheduleDayAbstract_QNAME, Object.class, null, value); + } + + /** + * Create an instance of {@link JAXBElement }{@code <}{@link Time }{@code >} + * + * @param value + * Java instance representing xml element's value. + * @return + * the new instance of {@link JAXBElement }{@code <}{@link Time }{@code >} + */ + @XmlElementDecl(namespace = "http://release.niem.gov/niem/niem-core/4.0/", name = "ScheduleDayEndTime") + public JAXBElement