jettison-1.2/0000755000175000017500000000000011371304056013151 5ustar twernertwernerjettison-1.2/org/0000755000175000017500000000000011324564376013753 5ustar twernertwernerjettison-1.2/org/codehaus/0000755000175000017500000000000011324564376015546 5ustar twernertwernerjettison-1.2/org/codehaus/jettison/0000755000175000017500000000000011324564400017371 5ustar twernertwernerjettison-1.2/org/codehaus/jettison/AbstractXMLStreamWriter.java0000644000175000017500000000530511324564400024734 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.util.ArrayList; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamWriter; public abstract class AbstractXMLStreamWriter implements XMLStreamWriter { ArrayList serializedAsArrays = new ArrayList(); public void writeCData(String text) throws XMLStreamException { writeCharacters(text); } public void writeCharacters(char[] arg0, int arg1, int arg2) throws XMLStreamException { writeCharacters(new String(arg0, arg1, arg2)); } public void writeEmptyElement(String prefix, String local, String ns) throws XMLStreamException { writeStartElement(prefix, local, ns); writeEndElement(); } public void writeEmptyElement(String ns, String local) throws XMLStreamException { writeStartElement(local, ns); writeEndElement(); } public void writeEmptyElement(String local) throws XMLStreamException { writeStartElement(local); writeEndElement(); } public void writeStartDocument(String arg0, String arg1) throws XMLStreamException { writeStartDocument(); } public void writeStartDocument(String arg0) throws XMLStreamException { writeStartDocument(); } public void writeStartElement(String ns, String local) throws XMLStreamException { writeStartElement("", local, ns); } public void writeStartElement(String local) throws XMLStreamException { writeStartElement("", local, ""); } public void writeComment(String arg0) throws XMLStreamException { } public void writeDTD(String arg0) throws XMLStreamException { } public void writeEndDocument() throws XMLStreamException { } public void serializeAsArray(String name) { serializedAsArrays.add(name); } /** * @deprecated since 1.2 because of misspelling. Use serializeAsArray(String name) instead. */ @Deprecated public void seriliazeAsArray(String name) { serializedAsArrays.add(name); } public ArrayList getSerializedAsArrays() { return serializedAsArrays; } } jettison-1.2/org/codehaus/jettison/AbstractXMLInputFactory.java0000644000175000017500000002075511324564400024741 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.io.*; import javax.xml.stream.EventFilter; import javax.xml.stream.StreamFilter; import javax.xml.stream.XMLEventReader; import javax.xml.stream.XMLInputFactory; import javax.xml.stream.XMLReporter; import javax.xml.stream.XMLResolver; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamReader; import javax.xml.stream.util.XMLEventAllocator; import javax.xml.transform.Source; import javax.xml.transform.stream.StreamSource; import org.codehaus.jettison.json.JSONTokener; public abstract class AbstractXMLInputFactory extends XMLInputFactory { final static int INPUT_BUF_SIZE = 512; public XMLEventReader createFilteredReader(XMLEventReader arg0, EventFilter arg1) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLStreamReader createFilteredReader(XMLStreamReader arg0, StreamFilter arg1) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(InputStream arg0, String encoding) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(InputStream arg0) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(Reader arg0) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(Source arg0) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(String systemId, InputStream arg1) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(String systemId, Reader arg1) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLEventReader createXMLEventReader(XMLStreamReader arg0) throws XMLStreamException { // TODO Auto-generated method stub return null; } public XMLStreamReader createXMLStreamReader(InputStream is) throws XMLStreamException { return createXMLStreamReader(is, null); } public XMLStreamReader createXMLStreamReader(InputStream is, String charset) throws XMLStreamException { /* !!! This is not really correct: should (try to) auto-detect * encoding, since JSON only allows 3 Unicode-based variants. * For now it's ok to default to UTF-8 though. */ if (charset == null) { charset = "UTF-8"; } try { String doc = readAll(is, charset); return createXMLStreamReader(new JSONTokener(doc)); } catch (IOException e) { throw new XMLStreamException(e); } } /** * This helper method tries to read and decode input efficiently * into a result String. */ private String readAll(InputStream in, String encoding) throws IOException { final byte[] buffer = new byte[INPUT_BUF_SIZE]; ByteArrayOutputStream bos = null; while (true) { int count = in.read(buffer); if (count < 0) { // EOF break; } /* Let's create buffer lazily, to be able to create something * that's not too small (many resizes) or too big (slower * to allocate): mostly to speed up handling of tiny docs. */ if (bos == null) { int cap; if (count < 64) { cap = 64; } else if (count == INPUT_BUF_SIZE) { // Let's assume there's more coming, not just this chunk cap = INPUT_BUF_SIZE * 4; } else { cap = count; } bos = new ByteArrayOutputStream(cap); } bos.write(buffer, 0, count); } return (bos == null) ? "" : bos.toString(encoding); } public abstract XMLStreamReader createXMLStreamReader(JSONTokener tokener) throws XMLStreamException; public XMLStreamReader createXMLStreamReader(Reader reader) throws XMLStreamException { try { return createXMLStreamReader(new JSONTokener(readAll(reader))); } catch (IOException e) { throw new XMLStreamException(e); } } private String readAll(Reader r) throws IOException { // Let's see if it's a small doc, can read it all in a single buffer char[] buf = new char[INPUT_BUF_SIZE]; int len = 0; do { int count = r.read(buf, len, buf.length-len); if (count < 0) { // Got it all return (len == 0) ? "" : new String(buf, 0, len); } len += count; } while (len < buf.length); /* Filled the read buffer, need to coalesce. Let's assume there'll * be a bit more data coming */ CharArrayWriter wrt = new CharArrayWriter(INPUT_BUF_SIZE * 4); wrt.write(buf, 0, len); while ((len = r.read(buf)) != -1) { wrt.write(buf, 0, len); } return wrt.toString(); } public XMLStreamReader createXMLStreamReader(Source src) throws XMLStreamException { // Can only support simplest of sources: if (src instanceof StreamSource) { StreamSource ss = (StreamSource) src; InputStream in = ss.getInputStream(); String systemId = ss.getSystemId(); if (in != null) { if (systemId != null) { return createXMLStreamReader(systemId, in); } return createXMLStreamReader(in); } Reader r = ss.getReader(); if (r != null) { if (systemId != null) { return createXMLStreamReader(systemId, r); } return createXMLStreamReader(r); } throw new UnsupportedOperationException("Only those javax.xml.transform.stream.StreamSource instances supported that have an InputStream or Reader"); } throw new UnsupportedOperationException("Only javax.xml.transform.stream.StreamSource type supported"); } public XMLStreamReader createXMLStreamReader(String systemId, InputStream arg1) throws XMLStreamException { // How (if) should the system id be used? return createXMLStreamReader(arg1, null); } public XMLStreamReader createXMLStreamReader(String systemId, Reader r) throws XMLStreamException { return createXMLStreamReader(r); } public XMLEventAllocator getEventAllocator() { // TODO Auto-generated method stub return null; } public Object getProperty(String arg0) throws IllegalArgumentException { // TODO: should gracefully handle standard properties throw new IllegalArgumentException(); } public XMLReporter getXMLReporter() { return null; } public XMLResolver getXMLResolver() { return null; } public boolean isPropertySupported(String arg0) { return false; } public void setEventAllocator(XMLEventAllocator arg0) { // TODO Auto-generated method stub } public void setProperty(String arg0, Object arg1) throws IllegalArgumentException { // TODO: should gracefully handle standard properties throw new IllegalArgumentException(); } public void setXMLReporter(XMLReporter arg0) { // TODO Auto-generated method stub } public void setXMLResolver(XMLResolver arg0) { // TODO Auto-generated method stub } } jettison-1.2/org/codehaus/jettison/Convention.java0000644000175000017500000000201611324564400022355 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import javax.xml.namespace.QName; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; public interface Convention { void processAttributesAndNamespaces(Node n, JSONObject object) throws JSONException, XMLStreamException; QName createQName(String name, Node node) throws XMLStreamException; } jettison-1.2/org/codehaus/jettison/AbstractDOMDocumentSerializer.java0000644000175000017500000000433311324564400026073 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.io.IOException; import java.io.OutputStream; import javax.xml.stream.XMLEventReader; import javax.xml.stream.XMLEventWriter; import javax.xml.stream.XMLInputFactory; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamReader; import javax.xml.stream.XMLStreamWriter; import javax.xml.transform.dom.DOMSource; import org.codehaus.jettison.badgerfish.BadgerFishXMLOutputFactory; import org.w3c.dom.Element; /** * An abstract JSON DOM serializer * * @author Thomas.Diesler@jboss.com * @author Dejan Bosanac * @since 21-Mar-2008 */ public class AbstractDOMDocumentSerializer { private OutputStream output; private AbstractXMLOutputFactory writerFactory; public AbstractDOMDocumentSerializer(OutputStream output, AbstractXMLOutputFactory writerFactory) { this.output = output; this.writerFactory = writerFactory; } public void serialize(Element el) throws IOException { if (output == null) throw new IllegalStateException("OutputStream cannot be null"); try { DOMSource source = new DOMSource(el); XMLInputFactory readerFactory = XMLInputFactory.newInstance(); XMLStreamReader streamReader = readerFactory .createXMLStreamReader(source); XMLEventReader eventReader = readerFactory .createXMLEventReader(streamReader); XMLEventWriter eventWriter = writerFactory .createXMLEventWriter(output); eventWriter.add(eventReader); eventWriter.close(); } catch (XMLStreamException ex) { IOException ioex = new IOException("Cannot serialize: " + el); ioex.initCause(ex); throw ioex; } } }jettison-1.2/org/codehaus/jettison/XsonNamespaceContext.java0000644000175000017500000000332311324564400024346 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.util.Iterator; import java.util.Map; import javax.xml.namespace.NamespaceContext; import org.codehaus.jettison.util.FastStack; public class XsonNamespaceContext implements NamespaceContext { private FastStack nodes; public XsonNamespaceContext(FastStack nodes) { super(); this.nodes = nodes; } public String getNamespaceURI(String prefix) { for (Iterator itr = nodes.iterator(); itr.hasNext();){ Node node = (Node) itr.next(); String uri = node.getNamespaceURI(prefix); if (uri != null) { return uri; } } return null; } public String getPrefix(String namespaceURI) { for (Iterator itr = nodes.iterator(); itr.hasNext();){ Node node = (Node) itr.next(); String prefix = node.getNamespacePrefix(namespaceURI); if (prefix != null) { return prefix; } } return null; } public Iterator getPrefixes(String namespaceURI) { return null; } } jettison-1.2/org/codehaus/jettison/mapped/0000755000175000017500000000000011324564400020637 5ustar twernertwernerjettison-1.2/org/codehaus/jettison/mapped/MappedDOMDocumentSerializer.java0000644000175000017500000000217211324564400027003 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.io.OutputStream; import java.util.HashMap; import org.codehaus.jettison.AbstractDOMDocumentSerializer; /** * JSON Mapped DOM serializer * * @author Thomas.Diesler@jboss.com * @author Dejan Bosanac * @since 21-Mar-2008 */ public class MappedDOMDocumentSerializer extends AbstractDOMDocumentSerializer { public MappedDOMDocumentSerializer(OutputStream output, Configuration con) { super(output, new MappedXMLOutputFactory(con)); } } jettison-1.2/org/codehaus/jettison/mapped/MappedDOMDocumentParser.java0000644000175000017500000000205011324564400026121 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.util.HashMap; import org.codehaus.jettison.AbstractDOMDocumentParser; /** * JSON Mapped DOM parser * * @author Thomas.Diesler@jboss.com * @author Dejan Bosanac * @since 21-Mar-2008 */ public class MappedDOMDocumentParser extends AbstractDOMDocumentParser { public MappedDOMDocumentParser(Configuration con) { super(new MappedXMLInputFactory(con)); } } jettison-1.2/org/codehaus/jettison/mapped/MappedXMLInputFactory.java0000644000175000017500000000314411324564400025643 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.util.Map; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamReader; import org.codehaus.jettison.AbstractXMLInputFactory; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; import org.codehaus.jettison.json.JSONTokener; public class MappedXMLInputFactory extends AbstractXMLInputFactory { private MappedNamespaceConvention convention; public MappedXMLInputFactory(Map nstojns) { this(new Configuration(nstojns)); } public MappedXMLInputFactory(Configuration config) { this.convention = new MappedNamespaceConvention(config); } public XMLStreamReader createXMLStreamReader(JSONTokener tokener) throws XMLStreamException { try { JSONObject root = new JSONObject(tokener); return new MappedXMLStreamReader(root, convention); } catch (JSONException e) { throw new XMLStreamException(e); } } } jettison-1.2/org/codehaus/jettison/mapped/DefaultConverter.java0000644000175000017500000000412711324564400024762 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; /** * Default converter that tries to convert value to appropriate primitive (if fails, returns original string) * * @author Dejan Bosanac * @since 1.1 */ public class DefaultConverter implements TypeConverter { /* Were there a constants class, this key would live there. */ private static final String ENFORCE_32BIT_INTEGER_KEY = "jettison.mapped.typeconverter.enforce_32bit_integer"; public static final boolean ENFORCE_32BIT_INTEGER = Boolean.getBoolean( ENFORCE_32BIT_INTEGER_KEY ); public Object convertToJSONPrimitive(String text) { if(text == null) return text; Object primitive = null; // Attempt to convert to Integer try { primitive = ENFORCE_32BIT_INTEGER ? Integer.valueOf(text) : Long.valueOf(text); } catch (Exception e) {/**/} // Attempt to convert to double if (primitive == null) { try { Double v = Double.valueOf(text); if( !v.isInfinite() && !v.isNaN() ) { primitive = v; } else { primitive = text; } } catch (Exception e) {/**/} } // Attempt to convert to boolean if (primitive == null) { if(text.trim().equalsIgnoreCase("true") || text.trim().equalsIgnoreCase("false")) { primitive = Boolean.valueOf(text); } } if (primitive == null || !primitive.toString().equals(text)) { // Default String primitive = text; } return primitive; } } jettison-1.2/org/codehaus/jettison/mapped/Configuration.java0000644000175000017500000001173711324564400024322 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.util.HashMap; import java.util.List; import java.util.Map; public class Configuration { /* Were there a constants class, this key would live there. */ private static final String JETTISON_TYPE_CONVERTER_CLASS_KEY = "jettison.mapped.typeconverter.class"; /* Mostly exists to wrap exception handling for reflective invocations. */ private static class ConverterFactory { TypeConverter newDefaultConverterInstance() { return new DefaultConverter(); } } private static final ConverterFactory converterFactory; static { ConverterFactory cf = null; String userSpecifiedClass = System.getProperty( JETTISON_TYPE_CONVERTER_CLASS_KEY ); if( userSpecifiedClass != null && userSpecifiedClass.length() > 0 ) { try { final Class tc = Class.forName( userSpecifiedClass ).asSubclass( TypeConverter.class ); tc.newInstance(); /* Blow up as soon as possible. */ cf = new ConverterFactory() { public TypeConverter newDefaultConverterInstance() { try { return tc.newInstance(); } catch ( Exception e ){ // Implementer of custom class would have to try pretty hard to make this happen, // since we already created one instance. throw new ExceptionInInitializerError( e ); } } }; } catch ( Exception e ){ throw new ExceptionInInitializerError( e ); } } if( cf == null ){ cf = new ConverterFactory(); } converterFactory = cf; } private Map xmlToJsonNamespaces; private List attributesAsElements; private List ignoredElements; private boolean supressAtAttributes; private String attributeKey = "@"; private boolean implicitCollections = false; private boolean ignoreNamespaces; private TypeConverter typeConverter = converterFactory.newDefaultConverterInstance(); public Configuration() { super(); this.xmlToJsonNamespaces = new HashMap(); } public Configuration(Map xmlToJsonNamespaces) { super(); this.xmlToJsonNamespaces = xmlToJsonNamespaces; } public Configuration(Map xmlToJsonNamespaces, List attributesAsElements, List ignoredElements) { super(); this.xmlToJsonNamespaces = xmlToJsonNamespaces; this.attributesAsElements = attributesAsElements; this.ignoredElements = ignoredElements; } public boolean isIgnoreNamespaces() { return ignoreNamespaces; } public void setIgnoreNamespaces( boolean ignoreNamespaces ) { this.ignoreNamespaces = ignoreNamespaces; } public List getAttributesAsElements() { return attributesAsElements; } public void setAttributesAsElements(List attributesAsElements) { this.attributesAsElements = attributesAsElements; } public List getIgnoredElements() { return ignoredElements; } public void setIgnoredElements(List ignoredElements) { this.ignoredElements = ignoredElements; } public Map getXmlToJsonNamespaces() { return xmlToJsonNamespaces; } public void setXmlToJsonNamespaces(Map xmlToJsonNamespaces) { this.xmlToJsonNamespaces = xmlToJsonNamespaces; } public TypeConverter getTypeConverter() { return typeConverter; } public void setTypeConverter(TypeConverter typeConverter) { this.typeConverter = typeConverter; } public boolean isSupressAtAttributes() { return this.supressAtAttributes; } public void setSupressAtAttributes(boolean supressAtAttributes) { this.supressAtAttributes = supressAtAttributes; } public String getAttributeKey() { return this.attributeKey; } public void setAttributeKey(String attributeKey) { this.attributeKey = attributeKey; } public boolean isImplicitCollections() { return implicitCollections; } public void setImplicitCollections(boolean implicitCollections) { this.implicitCollections = implicitCollections; } static TypeConverter newDefaultConverterInstance() { return converterFactory.newDefaultConverterInstance(); } } jettison-1.2/org/codehaus/jettison/mapped/SimpleConverter.java0000644000175000017500000000164311324564400024627 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; /** * Simple converter that treats everything as strings * * @author Dejan Bosanac * @since 1.1 */ public class SimpleConverter implements TypeConverter { public Object convertToJSONPrimitive(String text) { return text; } } jettison-1.2/org/codehaus/jettison/mapped/MappedXMLOutputFactory.java0000644000175000017500000000250211324564400026041 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.io.Writer; import java.util.Map; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamWriter; import org.codehaus.jettison.AbstractXMLOutputFactory; public class MappedXMLOutputFactory extends AbstractXMLOutputFactory { private MappedNamespaceConvention convention; public MappedXMLOutputFactory(Map nstojns) { this(new Configuration(nstojns)); } public MappedXMLOutputFactory(Configuration config) { this.convention = new MappedNamespaceConvention(config); } public XMLStreamWriter createXMLStreamWriter(Writer writer) throws XMLStreamException { return new MappedXMLStreamWriter(convention, writer); } } jettison-1.2/org/codehaus/jettison/mapped/MappedXMLStreamWriter.java0000644000175000017500000002356411324564400025654 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.io.IOException; import java.io.Writer; import java.util.Stack; import javax.xml.namespace.NamespaceContext; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.AbstractXMLStreamWriter; import org.codehaus.jettison.json.JSONArray; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; public class MappedXMLStreamWriter extends AbstractXMLStreamWriter { private MappedNamespaceConvention convention; protected Writer writer; private NamespaceContext namespaceContext; /** * What key is used for text content, when an element has both text and * other content? */ private String valueKey = "$"; /** Stack of open elements. */ private Stack stack = new Stack(); /** Element currently being processed. */ private JSONProperty current; /** * JSON property currently being constructed. For efficiency, this is * concretely represented as either a property with a String value or an * Object value. */ private abstract class JSONProperty { private String key; public JSONProperty(String key) { this.key = key; } /** Get the key of the property. */ public String getKey() { return key; } /** Get the value of the property */ public abstract Object getValue(); /** Add text */ public abstract void addText(String text); /** Return a new property object with this property added */ public abstract JSONPropertyObject withProperty(JSONProperty property, boolean add); public JSONPropertyObject withProperty(JSONProperty property) { return withProperty(property, true); } } /** * Property with a String value. */ private final class JSONPropertyString extends JSONProperty { private StringBuilder object = new StringBuilder(); public JSONPropertyString(String key) { super(key); } public Object getValue() { return object.toString(); } public void addText(String text) { object.append(text); } public JSONPropertyObject withProperty(JSONProperty property, boolean add) { // Duplicate some code from JSONPropertyObject // because we can do things with fewer checks, and // therefore more efficiently. JSONObject jo = new JSONObject(); try { // only add the text property if it's non-empty if (object.length() > 0) jo.put(valueKey, getValue()); Object value = property.getValue(); if(add && value instanceof String) { value = convention.convertToJSONPrimitive((String)value); } if(getSerializedAsArrays().contains(property.getKey())) { JSONArray values = new JSONArray(); values.put(value); value = values; } jo.put(property.getKey(), value); } catch (JSONException e) { // Impossible by construction throw new AssertionError(e); } return new JSONPropertyObject(getKey(), jo); } } /** * Property with a JSONObject value. */ private final class JSONPropertyObject extends JSONProperty { private JSONObject object; public JSONPropertyObject(String key, JSONObject object) { super(key); this.object = object; } public Object getValue() { return object; } public void addText(String text) { try { // append to existing text // FIXME: should we store text segments in an array // when they are separated by child elements? That // would be an easy feature to add but we can worry // about that later. text = object.getString(valueKey) + text; } catch (JSONException e) { // no existing text, that's fine } try { if (valueKey != null) { object.put(valueKey, text); } } catch (JSONException e) { // Impossible by construction throw new AssertionError(e); } } public JSONPropertyObject withProperty(JSONProperty property, boolean add) { Object value = property.getValue(); if(add && value instanceof String) { value = convention.convertToJSONPrimitive((String)value); } // if (!add) return this; // Object old = object.get(property.getKey()); Object old = object.opt(property.getKey()); try { if(old != null) { JSONArray values; // Convert an existing property to an array // and append to the array if (old instanceof JSONArray) { values = (JSONArray)old; } else { values = new JSONArray(); values.put(old); } values.put(value); object.put(property.getKey(), values); } else if(getSerializedAsArrays().contains(property.getKey())) { JSONArray values = new JSONArray(); values.put(value); object.put(property.getKey(), values); } else { // Add the property directly. object.put(property.getKey(), value); } } catch (JSONException e) { // TODO Auto-generated catch block e.printStackTrace(); } return this; } } public MappedXMLStreamWriter(MappedNamespaceConvention convention, Writer writer) { super(); this.convention = convention; this.writer = writer; this.namespaceContext = convention; } public NamespaceContext getNamespaceContext() { return namespaceContext; } public void setNamespaceContext(NamespaceContext context) throws XMLStreamException { this.namespaceContext = context; } public String getTextKey() { return valueKey; } public void setValueKey(String valueKey) { this.valueKey = valueKey; } public void writeStartDocument() throws XMLStreamException { // The document is an object with one property -- the root element current = new JSONPropertyObject(null, new JSONObject()); stack.clear(); } public void writeStartElement(String prefix, String local, String ns) throws XMLStreamException { stack.push(current); String key = convention.createKey(prefix, ns, local); current = new JSONPropertyString(key); } public void writeAttribute(String prefix, String ns, String local, String value) throws XMLStreamException { String key = convention.isElement(prefix, ns, local) ? convention.createKey(prefix, ns, local) : convention.createAttributeKey(prefix, ns, local); JSONPropertyString prop = new JSONPropertyString(key); prop.addText(value); current = current.withProperty(prop, false); } public void writeAttribute(String ns, String local, String value) throws XMLStreamException { writeAttribute(null, ns, local, value); } public void writeAttribute(String local, String value) throws XMLStreamException { writeAttribute(null, local, value); } public void writeCharacters(String text) throws XMLStreamException { current.addText(text); } public void writeEndElement() throws XMLStreamException { if (stack.isEmpty()) throw new XMLStreamException("Too many closing tags."); current = stack.pop().withProperty(current); } public void writeEndDocument() throws XMLStreamException { if (!stack.isEmpty()) throw new XMLStreamException("Missing some closing tags."); // We know the root is a JSONPropertyObject so this cast is safe writeJSONObject((JSONObject)current.getValue()); try { writer.flush(); } catch (IOException e) { throw new XMLStreamException(e); } } /** * For clients who want to modify the output object before writing to override. */ protected void writeJSONObject(JSONObject root) throws XMLStreamException { try { if (root == null) writer.write("null"); else root.write(writer); } catch (JSONException e) { throw new XMLStreamException(e); } catch (IOException e) { throw new XMLStreamException(e); } } ////////////////////////////////////////////////////////////////////////////////////////// // The following methods are supplied only to satisfy the interface public void close() throws XMLStreamException { // TODO Auto-generated method stub } public void flush() throws XMLStreamException { // TODO Auto-generated method stub } public String getPrefix(String arg0) throws XMLStreamException { // TODO Auto-generated method stub return null; } public Object getProperty(String arg0) throws IllegalArgumentException { // TODO Auto-generated method stub return null; } public void setDefaultNamespace(String arg0) throws XMLStreamException { // TODO Auto-generated method stub } public void setPrefix(String arg0, String arg1) throws XMLStreamException { // TODO Auto-generated method stub } public void writeDefaultNamespace(String arg0) throws XMLStreamException { // TODO Auto-generated method stub } public void writeEntityRef(String arg0) throws XMLStreamException { // TODO Auto-generated method stub } public void writeNamespace(String arg0, String arg1) throws XMLStreamException { // TODO Auto-generated method stub } public void writeProcessingInstruction(String arg0) throws XMLStreamException { // TODO Auto-generated method stub } public void writeProcessingInstruction(String arg0, String arg1) throws XMLStreamException { // TODO Auto-generated method stub } }jettison-1.2/org/codehaus/jettison/mapped/TypeConverter.java0000644000175000017500000000154111324564400024314 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; /** * Supports customized type conversion * * @author Dejan Bosanac * @since 1.1 */ public interface TypeConverter { public Object convertToJSONPrimitive(String text); } jettison-1.2/org/codehaus/jettison/mapped/MappedXMLStreamReader.java0000644000175000017500000001472311324564400025577 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import javax.xml.namespace.NamespaceContext; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.AbstractXMLStreamReader; import org.codehaus.jettison.Node; import org.codehaus.jettison.json.JSONArray; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; import org.codehaus.jettison.util.FastStack; public class MappedXMLStreamReader extends AbstractXMLStreamReader { private FastStack nodes; private String currentValue; private MappedNamespaceConvention convention; private String valueKey = "$"; private NamespaceContext ctx; public MappedXMLStreamReader(JSONObject obj) throws JSONException, XMLStreamException { this(obj, new MappedNamespaceConvention()); } public MappedXMLStreamReader(JSONObject obj, MappedNamespaceConvention con) throws JSONException, XMLStreamException { String rootName = (String) obj.keys().next(); this.convention = con; this.nodes = new FastStack(); this.ctx = con; Object top = obj.get(rootName); if (top instanceof JSONObject) { this.node = new Node(null, rootName, (JSONObject)top, convention); } else if (top instanceof JSONArray && !(((JSONArray)top).length() == 1 && ((JSONArray)top).get(0).equals(""))) { this.node = new Node(null, rootName, ((JSONArray)top).getJSONObject(0), convention); } else { // TODO: check JSONArray and report an error node = new Node(rootName, convention); convention.processAttributesAndNamespaces(node, obj); currentValue = top.toString(); } nodes.push(node); event = START_DOCUMENT; } public int next() throws XMLStreamException { if (event == START_DOCUMENT) { event = START_ELEMENT; } else if (event == CHARACTERS) { event = END_ELEMENT; node = (Node) nodes.pop(); currentValue = null; } else if (event == START_ELEMENT || event == END_ELEMENT) { if (event == END_ELEMENT && nodes.size() > 0) { node = (Node) nodes.peek(); } if (currentValue != null) { event = CHARACTERS; } else if ((node.getKeys() != null && node.getKeys().hasNext()) || node.getArray() != null) { processElement(); } else { if (nodes.size() > 0) { event = END_ELEMENT; node = (Node) nodes.pop(); } else { event = END_DOCUMENT; } } } // handle value in nodes with attributes if (nodes.size() > 0) { Node next = (Node)nodes.peek(); if (event == START_ELEMENT && next.getName().getLocalPart().equals(valueKey)) { event = CHARACTERS; node = (Node)nodes.pop(); } } return event; } private void processElement() throws XMLStreamException { try { Object newObj = null; String nextKey = null; if (node.getArray() != null) { int index = node.getArrayIndex(); if (index >= node.getArray().length()) { nodes.pop(); node = (Node) nodes.peek(); if (node == null) { event = END_DOCUMENT; return; } if ((node.getKeys() != null && node.getKeys().hasNext()) || node.getArray() != null) { processElement(); } else { event = END_ELEMENT; node = (Node) nodes.pop(); } return; } newObj = node.getArray().get(index++); nextKey = node.getName().getLocalPart(); node.setArrayIndex(index); } else { nextKey = (String) node.getKeys().next(); newObj = node.getObject().get(nextKey); } if (newObj instanceof String) { node = new Node(nextKey, convention); nodes.push(node); currentValue = (String) newObj; event = START_ELEMENT; return; } else if (newObj instanceof JSONArray) { JSONArray array = (JSONArray) newObj; node = new Node(nextKey, convention); node.setArray(array); node.setArrayIndex(0); nodes.push(node); processElement(); return; } else if (newObj instanceof JSONObject) { node = new Node((Node)nodes.peek(), nextKey, (JSONObject) newObj, convention); nodes.push(node); event = START_ELEMENT; return; } else { node = new Node(nextKey, convention); nodes.push(node); currentValue = newObj.toString(); event = START_ELEMENT; return; } } catch (JSONException e) { throw new XMLStreamException(e); } } public void close() throws XMLStreamException { } public String getElementText() throws XMLStreamException { event = CHARACTERS; return currentValue; } public NamespaceContext getNamespaceContext() { return ctx; } public String getText() { return currentValue; } public int getTextCharacters(int arg0, char[] arg1, int arg2, int arg3) throws XMLStreamException { // TODO Auto-generated method stub return 0; } public void setValueKey(String valueKey) { this.valueKey = valueKey; } } jettison-1.2/org/codehaus/jettison/mapped/MappedNamespaceConvention.java0000644000175000017500000002252111324564400026572 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.mapped; import java.util.ArrayList; import java.util.Collections; import java.util.HashMap; import java.util.Iterator; import java.util.List; import java.util.Map; import javax.xml.XMLConstants; import javax.xml.namespace.NamespaceContext; import javax.xml.namespace.QName; import org.codehaus.jettison.Convention; import org.codehaus.jettison.Node; import org.codehaus.jettison.json.JSONArray; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; public class MappedNamespaceConvention implements Convention, NamespaceContext { private Map xnsToJns = new HashMap(); private Map jnsToXns = new HashMap(); private List attributesAsElements; private List jsonAttributesAsElements; private boolean supressAtAttributes; private boolean ignoreNamespaces; private String attributeKey = "@"; private TypeConverter typeConverter; public MappedNamespaceConvention() { super(); typeConverter = Configuration.newDefaultConverterInstance(); } public MappedNamespaceConvention(Configuration config) { super(); this.xnsToJns = config.getXmlToJsonNamespaces(); this.attributesAsElements = config.getAttributesAsElements(); this.supressAtAttributes = config.isSupressAtAttributes(); this.ignoreNamespaces = config.isIgnoreNamespaces(); this.attributeKey = config.getAttributeKey(); for (Iterator itr = xnsToJns.entrySet().iterator(); itr.hasNext();) { Map.Entry entry = (Map.Entry) itr.next(); jnsToXns.put(entry.getValue(), entry.getKey()); } jsonAttributesAsElements = new ArrayList(); if (attributesAsElements != null) { for (Iterator itr = attributesAsElements.iterator(); itr.hasNext();) { QName q = (QName) itr.next(); jsonAttributesAsElements.add(createAttributeKey(q.getPrefix(), q.getNamespaceURI(), q.getLocalPart())); } } typeConverter = config.getTypeConverter(); } /* (non-Javadoc) * @see org.codehaus.xson.mapped.Convention#processNamespaces(org.codehaus.xson.Node, org.json.JSONObject) */ public void processAttributesAndNamespaces( Node n, JSONObject object ) throws JSONException { // Read in the attributes, and stop when there are no more for (Iterator itr = object.keys(); itr.hasNext();) { String k = (String) itr.next(); if ( this.supressAtAttributes ) { if ( k.startsWith( attributeKey ) ) { k = k.substring( 1 ); } if ( null == this.jsonAttributesAsElements ) { this.jsonAttributesAsElements = new ArrayList(); } if ( !this.jsonAttributesAsElements.contains( k ) ) { this.jsonAttributesAsElements.add( k ); } } if ( k.startsWith( attributeKey ) ) { Object o = object.opt( k ); // String value = object.optString( k ); k = k.substring( 1 ); if ( k.equals( "xmlns" ) ) { // if its a string its a default namespace if ( o instanceof JSONObject ) { JSONObject jo = (JSONObject) o; for (Iterator pitr = jo.keys(); pitr.hasNext();) { // set namespace if one is specified on this attribute. String prefix = (String) pitr.next(); String uri = jo.getString( prefix ); // if ( prefix.equals( "$" ) ) { // prefix = ""; // } n.setNamespace( prefix, uri ); } } } else { String strValue = (String) o; QName name = null; // note that a non-prefixed attribute name implies NO namespace, // i.e. as opposed to the in-scope default namespace if ( k.contains( "." ) ) { name = createQName( k, n ); } else { name = new QName( XMLConstants.DEFAULT_NS_PREFIX, k ); } n.setAttribute( name, strValue ); } itr.remove(); } else { // set namespace if one is specified on this attribute. int dot = k.lastIndexOf( '.' ); if ( dot != -1 ) { String jns = k.substring( 0, dot ); String xns = getNamespaceURI( jns ); n.setNamespace( "", xns ); } } } } /* * (non-Javadoc) * @see javax.xml.namespace.NamespaceContext#getNamespaceURI(java.lang.String) */ public String getNamespaceURI( String prefix ) { if ( ignoreNamespaces ) { return ""; } else { return (String) jnsToXns.get( prefix ); } } /* * (non-Javadoc) * @see javax.xml.namespace.NamespaceContext#getPrefix(java.lang.String) */ public String getPrefix( String namespaceURI ) { if ( ignoreNamespaces ) { return ""; } else { return (String) xnsToJns.get( namespaceURI ); } } public Iterator getPrefixes( String arg0 ) { if ( ignoreNamespaces ) { return Collections.EMPTY_SET.iterator(); } else { return jnsToXns.keySet().iterator(); } } public QName createQName( String rootName, Node node ) { return createQName( rootName ); } private void readAttribute( Node n, String k, JSONArray array ) throws JSONException { for (int i = 0; i < array.length(); i++) { readAttribute( n, k, array.getString( i ) ); } } private void readAttribute( Node n, String name, String value ) throws JSONException { QName qname = createQName( name ); n.getAttributes().put( qname, value ); } private QName createQName( String name ) { int dot = name.lastIndexOf( '.' ); QName qname = null; String local = name; if ( dot == -1 ) { dot = 0; } else { local = local.substring( dot + 1 ); } String jns = name.substring( 0, dot ); String xns = (String) getNamespaceURI( jns ); if ( xns == null ) { qname = new QName( name ); } else { qname = new QName( xns, local ); } return qname; } public String createAttributeKey( String p, String ns, String local ) { StringBuffer builder = new StringBuffer(); if ( !this.supressAtAttributes ) { builder.append( attributeKey ); } String jns = getJSONNamespace( ns ); // String jns = getPrefix(ns); if ( jns != null && jns.length() != 0 ) { builder.append( jns ).append( '.' ); } return builder.append( local ).toString(); } private String getJSONNamespace( String ns ) { if ( ns == null || ns.length() == 0 || ignoreNamespaces ) return ""; String jns = (String) xnsToJns.get( ns ); if ( jns == null ) { throw new IllegalStateException( "Invalid JSON namespace: " + ns ); } return jns; //return getPrefix(ns); } public String createKey( String p, String ns, String local ) { StringBuffer builder = new StringBuffer(); String jns = getJSONNamespace( ns ); // String jns = getPrefix(ns); if ( jns != null && jns.length() != 0 ) { builder.append( jns ).append( '.' ); } return builder.append( local ).toString(); } public boolean isElement( String p, String ns, String local ) { if ( attributesAsElements == null ) return false; for (Iterator itr = attributesAsElements.iterator(); itr.hasNext();) { QName q = (QName) itr.next(); if ( q.getNamespaceURI().equals( ns ) && q.getLocalPart().equals( local ) ) { return true; } } return false; } public Object convertToJSONPrimitive( String text ) { return typeConverter.convertToJSONPrimitive( text ); } } jettison-1.2/org/codehaus/jettison/Node.java0000644000175000017500000001174411324564400021130 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.util.HashMap; import java.util.Iterator; import java.util.Map; import javax.xml.namespace.QName; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.json.JSONArray; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; public class Node { JSONObject object; Map attributes; Map namespaces; Iterator keys; QName name; JSONArray array; int arrayIndex; String currentKey; Node parent; public Node(Node parent, String name, JSONObject object, Convention con) throws JSONException, XMLStreamException { this.parent = parent; this.object = object; /* Should really use a _Linked_ HashMap to preserve * ordering (insert order) -- regular one has arbitrary ordering. * But there are some funky dependencies within unit tests * that will fail right now, need to investigate that bit more */ this.namespaces = new HashMap(); this.attributes = new HashMap(); con.processAttributesAndNamespaces(this, object); keys = object.keys(); this.name = con.createQName(name, this); } public Node(String name, Convention con) throws XMLStreamException { this.name = con.createQName(name, this); this.namespaces = new HashMap(); this.attributes = new HashMap(); } public Node(JSONObject object) { this.object = object; this.namespaces = new HashMap(); this.attributes = new HashMap(); } public int getNamespaceCount() { return namespaces.size(); } public String getNamespaceURI(String prefix) { String result = (String) namespaces.get(prefix); if (result == null && parent != null) { result = parent.getNamespaceURI(prefix); } return result; } public String getNamespaceURI(int index) { if (index < 0 || index >= getNamespaceCount()) { throw new IllegalArgumentException("Illegal index: element has "+getNamespaceCount()+" namespace declarations"); } Iterator itr = namespaces.values().iterator(); while (--index >= 0) { itr.next(); } return itr.next().toString(); } public String getNamespacePrefix(String URI) { String result = null; for (Iterator nsItr = namespaces.entrySet().iterator(); nsItr.hasNext();) { Map.Entry e = (Map.Entry) nsItr.next(); if (e.getValue().equals(URI)) { result = (String) e.getKey(); } } if (result == null && parent != null) { result = parent.getNamespacePrefix(URI); } return result; } public String getNamespacePrefix(int index) { if (index < 0 || index >= getNamespaceCount()) { throw new IllegalArgumentException("Illegal index: element has "+getNamespaceCount()+" namespace declarations"); } Iterator itr = namespaces.keySet().iterator(); while (--index >= 0) { itr.next(); } return itr.next().toString(); } public void setNamespaces(Map namespaces) { this.namespaces = namespaces; } public void setNamespace(String prefix, String uri) { namespaces.put(prefix, uri); } public Map getAttributes() { return attributes; } public void setAttribute(QName name, String value) { attributes.put(name, value); } public Iterator getKeys() { return keys; } public QName getName() { return name; } public JSONObject getObject() { return object; } public void setObject(JSONObject object) { this.object = object; } public JSONArray getArray() { return array; } public void setArray(JSONArray array) { this.array = array; } public int getArrayIndex() { return arrayIndex; } public void setArrayIndex(int arrayIndex) { this.arrayIndex = arrayIndex; } public String getCurrentKey() { return currentKey; } public void setCurrentKey(String currentKey) { this.currentKey = currentKey; } public String toString() { if (this.name != null) { return this.name.toString(); } else { return super.toString(); } } } jettison-1.2/org/codehaus/jettison/AbstractDOMDocumentParser.java0000644000175000017500000000646211324564400025223 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.io.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.InputStream; import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import javax.xml.parsers.ParserConfigurationException; import javax.xml.stream.XMLEventReader; import javax.xml.stream.XMLEventWriter; import javax.xml.stream.XMLInputFactory; import javax.xml.stream.XMLOutputFactory; import javax.xml.stream.XMLStreamReader; import javax.xml.transform.dom.DOMResult; import org.w3c.dom.Document; /** * An abstract JSON DOM parser * * @author Thomas.Diesler@jboss.com * @author Dejan Bosanac * @since 21-Mar-2008 */ public class AbstractDOMDocumentParser { private AbstractXMLInputFactory inputFactory; protected AbstractDOMDocumentParser(AbstractXMLInputFactory inputFactory) { this.inputFactory = inputFactory; } public Document parse(InputStream input) throws IOException { try { XMLStreamReader streamReader = inputFactory.createXMLStreamReader(input); XMLInputFactory readerFactory = XMLInputFactory.newInstance(); XMLEventReader eventReader = readerFactory.createXMLEventReader(streamReader); // Can not create a STaX writer for a DOMResult in woodstox-3.1.1 /*XMLOutputFactory outputFactory = XMLOutputFactory.newInstance(); Document nsDom = getDocumentBuilder().newDocument(); DOMResult result = new DOMResult(nsDom); XMLEventWriter eventWriter = outputFactory.createXMLEventWriter(result);*/ ByteArrayOutputStream baos = new ByteArrayOutputStream(); XMLOutputFactory outputFactory = XMLOutputFactory.newInstance(); XMLEventWriter eventWriter = outputFactory.createXMLEventWriter(baos); eventWriter.add(eventReader); eventWriter.close(); // This parsing step should not be necessary, if we could output to a DOMResult ByteArrayInputStream bais = new ByteArrayInputStream(baos.toByteArray()); return getDocumentBuilder().parse(bais); //return nsDom; } catch (Exception ex) { IOException ioex = new IOException("Cannot parse input stream"); ioex.initCause(ex); throw ioex; } } private DocumentBuilder getDocumentBuilder() { try { DocumentBuilderFactory factory = DocumentBuilderFactory .newInstance(); factory.setValidating(false); factory.setNamespaceAware(true); DocumentBuilder builder = factory.newDocumentBuilder(); return builder; } catch (ParserConfigurationException e) { throw new RuntimeException("Failed to create DocumentBuilder", e); } } }jettison-1.2/org/codehaus/jettison/util/0000755000175000017500000000000011324564400020346 5ustar twernertwernerjettison-1.2/org/codehaus/jettison/util/FastStack.java0000644000175000017500000000216511324564400023100 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.util; import java.util.ArrayList; import java.util.EmptyStackException; public class FastStack extends ArrayList { public void push(Object o) { add(o); } public Object pop() { if (empty()) throw new EmptyStackException(); return remove(size() - 1); } public boolean empty() { return size() == 0; } public Object peek() { if (empty()) throw new EmptyStackException(); return get(size() - 1); } } jettison-1.2/org/codehaus/jettison/AbstractXMLOutputFactory.java0000644000175000017500000000713711324564400025141 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.io.OutputStream; import java.io.OutputStreamWriter; import java.io.UnsupportedEncodingException; import java.io.Writer; import javax.xml.stream.XMLEventWriter; import javax.xml.stream.XMLOutputFactory; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamWriter; import javax.xml.transform.Result; import javax.xml.transform.stream.StreamResult; public abstract class AbstractXMLOutputFactory extends XMLOutputFactory { public XMLEventWriter createXMLEventWriter(OutputStream out, String charset) throws XMLStreamException { return new AbstractXMLEventWriter(createXMLStreamWriter(out, charset)); } public XMLEventWriter createXMLEventWriter(OutputStream out) throws XMLStreamException { return new AbstractXMLEventWriter(createXMLStreamWriter(out)); } public XMLEventWriter createXMLEventWriter(Result result) throws XMLStreamException { return new AbstractXMLEventWriter(createXMLStreamWriter(result)); } public XMLEventWriter createXMLEventWriter(Writer writer) throws XMLStreamException { return new AbstractXMLEventWriter(createXMLStreamWriter(writer)); } public XMLStreamWriter createXMLStreamWriter(OutputStream out, String charset) throws XMLStreamException { if (charset == null) { charset = "UTF-8"; } try { return createXMLStreamWriter(new OutputStreamWriter(out, charset)); } catch (UnsupportedEncodingException e) { throw new XMLStreamException(e); } } public XMLStreamWriter createXMLStreamWriter(OutputStream out) throws XMLStreamException { return createXMLStreamWriter(out, null); } public XMLStreamWriter createXMLStreamWriter(Result result) throws XMLStreamException { // Can only support simplest of Result impls: if (result instanceof StreamResult) { StreamResult sr = (StreamResult) result; OutputStream out = sr.getOutputStream(); if (out != null) { return createXMLStreamWriter(out); } Writer w = sr.getWriter(); if (w != null) { return createXMLStreamWriter(w); } throw new UnsupportedOperationException("Only those javax.xml.transform.stream.StreamResult instances supported that have an OutputStream or Writer"); } throw new UnsupportedOperationException("Only javax.xml.transform.stream.StreamResult type supported"); } public abstract XMLStreamWriter createXMLStreamWriter(Writer writer) throws XMLStreamException; public Object getProperty(String arg0) throws IllegalArgumentException { // TODO Auto-generated method stub return null; } public boolean isPropertySupported(String arg0) { // TODO Auto-generated method stub return false; } public void setProperty(String arg0, Object arg1) throws IllegalArgumentException { // TODO Auto-generated method stub } } jettison-1.2/org/codehaus/jettison/AbstractXMLStreamReader.java0000644000175000017500000001246211324564400024664 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.util.Iterator; import javax.xml.namespace.QName; import javax.xml.stream.Location; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamReader; public abstract class AbstractXMLStreamReader implements XMLStreamReader { protected int event; protected Node node; public boolean isAttributeSpecified(int arg0) { // TODO Auto-generated method stub return false; } public boolean isCharacters() { return event == CHARACTERS; } public boolean isEndElement() { return event == END_ELEMENT; } public boolean isStandalone() { // TODO Auto-generated method stub return false; } public boolean isStartElement() { return event == START_ELEMENT; } public boolean isWhiteSpace() { return false; } public int nextTag() throws XMLStreamException { int event = next(); while (event != START_ELEMENT && event != END_ELEMENT) { event = next(); } return event; } public int getEventType() { return event; } public void require(int arg0, String arg1, String arg2) throws XMLStreamException { } public int getAttributeCount() { return node.getAttributes().size(); } public String getAttributeLocalName(int n) { return getAttributeName(n).getLocalPart(); } public QName getAttributeName(int n) { Iterator itr = node.getAttributes().keySet().iterator(); QName name = null; for (int i = 0; i <= n; i++) { name = (QName) itr.next(); } return name; } public String getAttributeNamespace(int n) { return getAttributeName(n).getNamespaceURI(); } public String getAttributePrefix(int n) { return getAttributeName(n).getPrefix(); } public String getAttributeValue(int n) { Iterator itr = node.getAttributes().values().iterator(); String name = null; for (int i = 0; i <= n; i++) { name = (String) itr.next(); } return name; } public String getAttributeValue(String ns, String local) { return (String) node.getAttributes().get(new QName(ns, local)); } public String getAttributeType(int arg0) { return null; } public String getLocalName() { return getName().getLocalPart(); } public QName getName() { return node.getName(); } public String getNamespaceURI() { return getName().getNamespaceURI(); } public int getNamespaceCount() { return node.getNamespaceCount(); } public String getNamespacePrefix(int n) { return node.getNamespacePrefix(n); } public String getNamespaceURI(int n) { return node.getNamespaceURI(n); } public String getNamespaceURI(String prefix) { return node.getNamespaceURI(prefix); } public boolean hasName() { // TODO Auto-generated method stub return false; } public boolean hasNext() throws XMLStreamException { return event != END_DOCUMENT; } public boolean hasText() { return event == CHARACTERS; } public boolean standaloneSet() { return false; } public String getCharacterEncodingScheme() { return null; } public String getEncoding() { return null; } public Location getLocation() { return new Location() { public int getCharacterOffset() { return 0; } public int getColumnNumber() { return 0; } public int getLineNumber() { return -1; } public String getPublicId() { return null; } public String getSystemId() { return null; } }; } public String getPIData() { return null; } public String getPITarget() { return null; } public String getPrefix() { return getName().getPrefix(); } public Object getProperty(String arg0) throws IllegalArgumentException { return null; } public String getVersion() { return null; } public char[] getTextCharacters() { return getText().toCharArray(); } public int getTextCharacters(int sourceStart, char[] target, int targetStart, int length) throws XMLStreamException { getText().getChars(sourceStart,sourceStart+length,target,targetStart); return length; } public int getTextLength() { return getText().length(); } public int getTextStart() { return 0; } } jettison-1.2/org/codehaus/jettison/badgerfish/0000755000175000017500000000000011324564400021467 5ustar twernertwernerjettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishConvention.java0000644000175000017500000000712011324564400026373 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import java.util.Iterator; import javax.xml.XMLConstants; import javax.xml.namespace.QName; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.Convention; import org.codehaus.jettison.Node; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; public class BadgerFishConvention implements Convention { public BadgerFishConvention() { super(); } public void processAttributesAndNamespaces(Node n, JSONObject object) throws JSONException, XMLStreamException { // Read in the attributes, and stop when there are no more for (Iterator itr = object.keys(); itr.hasNext();) { String k = (String) itr.next(); if (k.startsWith("@")) { Object o = object.opt(k); k = k.substring(1); if (k.equals("xmlns")) { // if its a string its a default namespace if (o instanceof JSONObject) { JSONObject jo = (JSONObject) o; for (Iterator pitr = jo.keys(); pitr.hasNext(); ) { String prefix = (String) pitr.next(); String uri = jo.getString(prefix); if (prefix.equals("$")) { prefix = ""; } n.setNamespace(prefix, uri); } } } else { String strValue = (String) o; QName name = null; // note that a non-prefixed attribute name implies NO namespace, // i.e. as opposed to the in-scope default namespace if (k.contains(":")) { name = createQName(k, n); } else { name = new QName(XMLConstants.DEFAULT_NS_PREFIX, k); } n.setAttribute(name, strValue); } itr.remove(); } } } public QName createQName(String rootName, Node node) throws XMLStreamException { int idx = rootName.indexOf(':'); if (idx != -1) { String prefix = rootName.substring(0, idx); String local = rootName.substring(idx+1); String uri = (String) node.getNamespaceURI(prefix); if (uri == null) { throw new XMLStreamException("Invalid prefix " + prefix + " on element " + rootName); } return new QName(uri, local, prefix); } String uri = (String) node.getNamespaceURI(""); if (uri != null) { return new QName(uri, rootName); } return new QName(rootName); } } jettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishXMLStreamWriter.java0000644000175000017500000001536311324564400027272 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import java.io.IOException; import java.io.Writer; import javax.xml.namespace.NamespaceContext; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.AbstractXMLStreamWriter; import org.codehaus.jettison.Node; import org.codehaus.jettison.XsonNamespaceContext; import org.codehaus.jettison.json.JSONArray; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; import org.codehaus.jettison.util.FastStack; public class BadgerFishXMLStreamWriter extends AbstractXMLStreamWriter { JSONObject root; JSONObject currentNode; Writer writer; FastStack nodes = new FastStack(); String currentKey; int depth = 0; NamespaceContext ctx = new XsonNamespaceContext(nodes); public BadgerFishXMLStreamWriter(Writer writer) { super(); currentNode = new JSONObject(); root = currentNode; this.writer = writer; } public void close() throws XMLStreamException { } public void flush() throws XMLStreamException { } public NamespaceContext getNamespaceContext() { return ctx; } public String getPrefix(String ns) throws XMLStreamException { return getNamespaceContext().getPrefix(ns); } public Object getProperty(String arg0) throws IllegalArgumentException { return null; } public void setDefaultNamespace(String arg0) throws XMLStreamException { } public void setNamespaceContext(NamespaceContext context) throws XMLStreamException { this.ctx = context; } public void setPrefix(String arg0, String arg1) throws XMLStreamException { } public void writeAttribute(String p, String ns, String local, String value) throws XMLStreamException { String key = createAttributeKey(p, ns, local); try { currentNode.put(key, value); } catch (JSONException e) { throw new XMLStreamException(e); } } private String createAttributeKey(String p, String ns, String local) { return "@" + createKey(p, ns, local); } private String createKey(String p, String ns, String local) { if (p == null || p.equals("")) { return local; } return p + ":" + local; } public void writeAttribute(String ns, String local, String value) throws XMLStreamException { writeAttribute(null, ns, local, value); } public void writeAttribute(String local, String value) throws XMLStreamException { writeAttribute(null, local, value); } public void writeCharacters(String text) throws XMLStreamException { try { Object o = currentNode.opt("$"); if (o instanceof JSONArray) { ((JSONArray) o).put(text); } else if (o instanceof String) { JSONArray arr = new JSONArray(); arr.put(o); arr.put(text); currentNode.put("$", arr); } else { currentNode.put("$", text); } } catch (JSONException e) { throw new XMLStreamException(e); } } public void writeDefaultNamespace(String ns) throws XMLStreamException { writeNamespace("", ns); } public void writeEndElement() throws XMLStreamException { if (nodes.size() > 1) { nodes.pop(); currentNode = ((Node) nodes.peek()).getObject(); } depth--; } public void writeEntityRef(String arg0) throws XMLStreamException { // TODO Auto-generated method stub } public void writeNamespace(String prefix, String ns) throws XMLStreamException { ((Node) nodes.peek()).setNamespace(prefix, ns); try { JSONObject nsObj = currentNode.optJSONObject("@xmlns"); if (nsObj == null) { nsObj = new JSONObject(); currentNode.put("@xmlns", nsObj); } if (prefix.equals("")) { prefix = "$"; } nsObj.put(prefix, ns); } catch (JSONException e) { throw new XMLStreamException(e); } } public void writeProcessingInstruction(String arg0, String arg1) throws XMLStreamException { // TODO Auto-generated method stub } public void writeProcessingInstruction(String arg0) throws XMLStreamException { // TODO Auto-generated method stub } public void writeStartDocument() throws XMLStreamException { } public void writeEndDocument() throws XMLStreamException { try { root.write(writer); writer.flush(); } catch (JSONException e) { throw new XMLStreamException(e); } catch (IOException e) { throw new XMLStreamException(e); } } public void writeStartElement(String prefix, String local, String ns) throws XMLStreamException { depth++; try { // TODO ns currentKey = createKey(prefix, ns, local); Object existing = currentNode.opt(currentKey); if (existing instanceof JSONObject) { JSONArray array = new JSONArray(); array.put(existing); JSONObject newCurrent = new JSONObject(); array.put(newCurrent); currentNode.put(currentKey, array); currentNode = newCurrent; Node node = new Node(currentNode); nodes.push(node); } else { JSONObject newCurrent = new JSONObject(); if (existing instanceof JSONArray) { ((JSONArray) existing).put(newCurrent); } else { currentNode.put(currentKey, newCurrent); } currentNode = newCurrent; Node node = new Node(currentNode); nodes.push(node); } } catch (JSONException e) { throw new XMLStreamException("Could not write start element!", e); } } } jettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishXMLInputFactory.java0000644000175000017500000000254311324564400027265 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamReader; import org.codehaus.jettison.AbstractXMLInputFactory; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; import org.codehaus.jettison.json.JSONTokener; public class BadgerFishXMLInputFactory extends AbstractXMLInputFactory { public BadgerFishXMLInputFactory() { } public XMLStreamReader createXMLStreamReader(JSONTokener tokener) throws XMLStreamException { try { JSONObject root = new JSONObject(tokener); return new BadgerFishXMLStreamReader(root); } catch (JSONException e) { throw new XMLStreamException(e); } } } jettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishDOMDocumentParser.java0000644000175000017500000000201611324564400027543 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import org.codehaus.jettison.AbstractDOMDocumentParser; /** * JSON BadgerFish DOM parser * * @author Thomas.Diesler@jboss.com * @author Dejan Bosanac * @since 21-Mar-2008 */ public class BadgerFishDOMDocumentParser extends AbstractDOMDocumentParser { public BadgerFishDOMDocumentParser() { super(new BadgerFishXMLInputFactory()); } } jettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishXMLStreamReader.java0000644000175000017500000001102011324564400027202 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import javax.xml.namespace.NamespaceContext; import javax.xml.stream.XMLStreamException; import org.codehaus.jettison.AbstractXMLStreamReader; import org.codehaus.jettison.Node; import org.codehaus.jettison.json.JSONArray; import org.codehaus.jettison.json.JSONException; import org.codehaus.jettison.json.JSONObject; import org.codehaus.jettison.util.FastStack; public class BadgerFishXMLStreamReader extends AbstractXMLStreamReader { private static final BadgerFishConvention CONVENTION = new BadgerFishConvention(); private FastStack nodes; private String currentText; public BadgerFishXMLStreamReader(JSONObject obj) throws JSONException, XMLStreamException { String rootName = (String) obj.keys().next(); this.node = new Node(null, rootName, obj.getJSONObject(rootName), CONVENTION); this.nodes = new FastStack(); nodes.push(node); event = START_DOCUMENT; } public int next() throws XMLStreamException { if (event == START_DOCUMENT) { event = START_ELEMENT; } else { if (event == END_ELEMENT && nodes.size() != 0) { node = (Node) nodes.peek(); } if (node.getArray() != null && node.getArray().length() > node.getArrayIndex()) { Node arrayNode = node; int idx = arrayNode.getArrayIndex(); try { Object o = arrayNode.getArray().get(idx); processKey(node.getCurrentKey(), o); } catch (JSONException e) { throw new XMLStreamException(e); } idx++; arrayNode.setArrayIndex(idx); } else if (node.getKeys() != null && node.getKeys().hasNext()) { processElement(); } else { if (nodes.size() != 0) { event = END_ELEMENT; node = (Node)nodes.pop(); } else { event = END_DOCUMENT; } } } return event; } private void processElement() throws XMLStreamException { try { String nextKey = (String) node.getKeys().next(); Object newObj = node.getObject().get(nextKey); processKey(nextKey, newObj); } catch (JSONException e) { throw new XMLStreamException(e); } } private void processKey(String nextKey, Object newObj) throws JSONException, XMLStreamException { if (nextKey.equals("$")) { event = CHARACTERS; // TODO I think there is a possibility this could be array currentText = (String) newObj; return; } else if (newObj instanceof JSONObject) { node = new Node((Node)nodes.peek(), nextKey, (JSONObject) newObj, CONVENTION); nodes.push(node); event = START_ELEMENT; return; } else if (newObj instanceof JSONArray) { JSONArray arr = (JSONArray) newObj; if (arr.length() == 0) { next(); return; } // save some state information... node.setArray(arr); node.setArrayIndex(1); node.setCurrentKey(nextKey); processKey(nextKey, arr.get(0)); } } public void close() throws XMLStreamException { } public String getAttributeType(int arg0) { return null; } public String getCharacterEncodingScheme() { return null; } public String getElementText() throws XMLStreamException { return currentText; } public NamespaceContext getNamespaceContext() { return null; } public String getText() { return currentText; } } jettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishDOMDocumentSerializer.java0000644000175000017500000000213511324564400030422 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import java.io.OutputStream; import org.codehaus.jettison.AbstractDOMDocumentSerializer; /** * JSON BadgeFish DOM serializer * * @author Thomas.Diesler@jboss.com * @author Dejan Bosanac * @since 21-Mar-2008 */ public class BadgerFishDOMDocumentSerializer extends AbstractDOMDocumentSerializer { public BadgerFishDOMDocumentSerializer(OutputStream output) { super(output, new BadgerFishXMLOutputFactory()); } } jettison-1.2/org/codehaus/jettison/badgerfish/BadgerFishXMLOutputFactory.java0000644000175000017500000000210611324564400027461 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison.badgerfish; import java.io.Writer; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamWriter; import org.codehaus.jettison.AbstractXMLOutputFactory; public class BadgerFishXMLOutputFactory extends AbstractXMLOutputFactory { public BadgerFishXMLOutputFactory() { } public XMLStreamWriter createXMLStreamWriter(Writer writer) throws XMLStreamException { return new BadgerFishXMLStreamWriter(writer); } } jettison-1.2/org/codehaus/jettison/AbstractXMLEventWriter.java0000644000175000017500000001046611324564400024566 0ustar twernertwerner/** * Copyright 2006 Envoi Solutions LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.codehaus.jettison; import java.util.Iterator; import javax.xml.namespace.NamespaceContext; import javax.xml.namespace.QName; import javax.xml.stream.XMLEventReader; import javax.xml.stream.XMLEventWriter; import javax.xml.stream.XMLStreamException; import javax.xml.stream.XMLStreamWriter; import javax.xml.stream.events.Attribute; import javax.xml.stream.events.Characters; import javax.xml.stream.events.Namespace; import javax.xml.stream.events.StartElement; import javax.xml.stream.events.XMLEvent; /** * An XMLEventWriter that delegates to an XMLStreamWriter. * * @author Thomas.Diesler@jboss.com * @since 21-Mar-2008 */ public class AbstractXMLEventWriter implements XMLEventWriter { private XMLStreamWriter streamWriter; public AbstractXMLEventWriter(XMLStreamWriter streamWriter) { this.streamWriter = streamWriter; } public void add(XMLEvent event) throws XMLStreamException { if (event.isStartDocument()) { streamWriter.writeStartDocument(); } else if (event.isStartElement()) { StartElement element = event.asStartElement(); QName elQName = element.getName(); if (elQName.getPrefix().length() > 0 && elQName.getNamespaceURI().length() > 0) streamWriter.writeStartElement(elQName.getPrefix(), elQName .getLocalPart(), elQName.getNamespaceURI()); else if (elQName.getNamespaceURI().length() > 0) streamWriter.writeStartElement(elQName.getNamespaceURI(), elQName.getLocalPart()); else streamWriter.writeStartElement(elQName.getLocalPart()); // Add element namespaces Iterator namespaces = element.getNamespaces(); while (namespaces.hasNext()) { Namespace ns = (Namespace) namespaces.next(); String prefix = ns.getPrefix(); String nsURI = ns.getNamespaceURI(); streamWriter.writeNamespace(prefix, nsURI); } // Add element attributes Iterator attris = element.getAttributes(); while (attris.hasNext()) { Attribute attr = (Attribute) attris.next(); QName atQName = attr.getName(); String value = attr.getValue(); if (atQName.getPrefix().length() > 0 && atQName.getNamespaceURI().length() > 0) streamWriter.writeAttribute(atQName.getPrefix(), atQName .getNamespaceURI(), atQName.getLocalPart(), value); else if (atQName.getNamespaceURI().length() > 0) streamWriter.writeAttribute(atQName.getNamespaceURI(), atQName.getLocalPart(), value); else streamWriter.writeAttribute(atQName.getLocalPart(), value); } } else if (event.isCharacters()) { Characters chars = event.asCharacters(); streamWriter.writeCharacters(chars.getData()); } else if (event.isEndElement()) { streamWriter.writeEndElement(); } else if (event.isEndDocument()) { streamWriter.writeEndDocument(); } else { throw new XMLStreamException("Unsupported event type: " + event); } } public void add(XMLEventReader eventReader) throws XMLStreamException { while (eventReader.hasNext()) { XMLEvent event = eventReader.nextEvent(); add(event); } close(); } public void close() throws XMLStreamException { streamWriter.close(); } public void flush() throws XMLStreamException { streamWriter.flush(); } public NamespaceContext getNamespaceContext() { return streamWriter.getNamespaceContext(); } public String getPrefix(String prefix) throws XMLStreamException { return streamWriter.getPrefix(prefix); } public void setDefaultNamespace(String namespace) throws XMLStreamException { streamWriter.setDefaultNamespace(namespace); } public void setNamespaceContext(NamespaceContext nsContext) throws XMLStreamException { streamWriter.setNamespaceContext(nsContext); } public void setPrefix(String prefix, String uri) throws XMLStreamException { streamWriter.setPrefix(prefix, uri); } }jettison-1.2/org/codehaus/jettison/json/0000755000175000017500000000000011324564400020342 5ustar twernertwernerjettison-1.2/org/codehaus/jettison/json/JSONWriter.java0000644000175000017500000002336711324564400023166 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; import java.io.IOException; import java.io.Writer; /* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ /** * JSONWriter provides a quick and convenient way of producing JSON text. * The texts produced strictly conform to JSON syntax rules. No whitespace is * added, so the results are ready for transmission or storage. Each instance of * JSONWriter can produce one JSON text. *

* A JSONWriter instance provides a value method for appending * values to the * text, and a key * method for adding keys before values in objects. There are array * and endArray methods that make and bound array values, and * object and endObject methods which make and bound * object values. All of these methods return the JSONWriter instance, * permitting a cascade style. For example,

 * new JSONWriter(myWriter)
 *     .object()
 *         .key("JSON")
 *         .value("Hello, World!")
 *     .endObject();
which writes
 * {"JSON":"Hello, World!"}
*

* The first method called must be array or object. * There are no methods for adding commas or colons. JSONWriter adds them for * you. Objects and arrays can be nested up to 20 levels deep. *

* This can sometimes be easier than using a JSONObject to build a string. * @author JSON.org * @version 2 */ public class JSONWriter { private static final int maxdepth = 20; /** * The comma flag determines if a comma should be output before the next * value. */ private boolean comma; /** * The current mode. Values: * 'a' (array), * 'd' (done), * 'i' (initial), * 'k' (key), * 'o' (object). */ protected char mode; /** * The object/array stack. */ private char stack[]; /** * The stack top index. A value of 0 indicates that the stack is empty. */ private int top; /** * The writer that will receive the output. */ protected Writer writer; /** * Make a fresh JSONWriter. It can be used to build one JSON text. */ public JSONWriter(Writer w) { this.comma = false; this.mode = 'i'; this.stack = new char[maxdepth]; this.top = 0; this.writer = w; } /** * Append a value. * @param s A string value. * @return this * @throws JSONException If the value is out of sequence. */ private JSONWriter append(String s) throws JSONException { if (s == null) { throw new JSONException("Null pointer"); } if (this.mode == 'o' || this.mode == 'a') { try { if (this.comma && this.mode == 'a') { this.writer.write(','); } this.writer.write(s); } catch (IOException e) { throw new JSONException(e); } if (this.mode == 'o') { this.mode = 'k'; } this.comma = true; return this; } throw new JSONException("Value out of sequence."); } /** * Begin appending a new array. All values until the balancing * endArray will be appended to this array. The * endArray method must be called to mark the array's end. * @return this * @throws JSONException If the nesting is too deep, or if the object is * started in the wrong place (for example as a key or after the end of the * outermost array or object). */ public JSONWriter array() throws JSONException { if (this.mode == 'i' || this.mode == 'o' || this.mode == 'a') { this.push('a'); this.append("["); this.comma = false; return this; } throw new JSONException("Misplaced array."); } /** * End something. * @param m Mode * @param c Closing character * @return this * @throws JSONException If unbalanced. */ private JSONWriter end(char m, char c) throws JSONException { if (this.mode != m) { throw new JSONException(m == 'o' ? "Misplaced endObject." : "Misplaced endArray."); } this.pop(m); try { this.writer.write(c); } catch (IOException e) { throw new JSONException(e); } this.comma = true; return this; } /** * End an array. This method most be called to balance calls to * array. * @return this * @throws JSONException If incorrectly nested. */ public JSONWriter endArray() throws JSONException { return this.end('a', ']'); } /** * End an object. This method most be called to balance calls to * object. * @return this * @throws JSONException If incorrectly nested. */ public JSONWriter endObject() throws JSONException { return this.end('k', '}'); } /** * Append a key. The key will be associated with the next value. In an * object, every value must be preceded by a key. * @param s A key string. * @return this * @throws JSONException If the key is out of place. For example, keys * do not belong in arrays or if the key is null. */ public JSONWriter key(String s) throws JSONException { if (s == null) { throw new JSONException("Null key."); } if (this.mode == 'k') { try { if (this.comma) { this.writer.write(','); } this.writer.write(JSONObject.quote(s)); this.writer.write(':'); this.comma = false; this.mode = 'o'; return this; } catch (IOException e) { throw new JSONException(e); } } throw new JSONException("Misplaced key."); } /** * Begin appending a new object. All keys and values until the balancing * endObject will be appended to this object. The * endObject method must be called to mark the object's end. * @return this * @throws JSONException If the nesting is too deep, or if the object is * started in the wrong place (for example as a key or after the end of the * outermost array or object). */ public JSONWriter object() throws JSONException { if (this.mode == 'i') { this.mode = 'o'; } if (this.mode == 'o' || this.mode == 'a') { this.append("{"); this.push('k'); this.comma = false; return this; } throw new JSONException("Misplaced object."); } /** * Pop an array or object scope. * @param c The scope to close. * @throws JSONException If nesting is wrong. */ private void pop(char c) throws JSONException { if (this.top <= 0 || this.stack[this.top - 1] != c) { throw new JSONException("Nesting error."); } this.top -= 1; this.mode = this.top == 0 ? 'd' : this.stack[this.top - 1]; } /** * Push an array or object scope. * @param c The scope to open. * @throws JSONException If nesting is too deep. */ private void push(char c) throws JSONException { if (this.top >= maxdepth) { throw new JSONException("Nesting too deep."); } this.stack[this.top] = c; this.mode = c; this.top += 1; } /** * Append either the value true or the value * false. * @param b A boolean. * @return this * @throws JSONException */ public JSONWriter value(boolean b) throws JSONException { return this.append(b ? "true" : "false"); } /** * Append a double value. * @param d A double. * @return this * @throws JSONException If the number is not finite. */ public JSONWriter value(double d) throws JSONException { return this.value(new Double(d)); } /** * Append a long value. * @param l A long. * @return this * @throws JSONException */ public JSONWriter value(long l) throws JSONException { return this.append(Long.toString(l)); } /** * Append an object value. * @param o The object to append. It can be null, or a Boolean, Number, * String, JSONObject, or JSONArray, or an object with a toJSONString() * method. * @return this * @throws JSONException If the value is out of sequence. */ public JSONWriter value(Object o) throws JSONException { return this.append(JSONObject.valueToString(o)); } } jettison-1.2/org/codehaus/jettison/json/JSONString.java0000644000175000017500000000245011324564400023146 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; /** * The JSONString interface allows a toJSONString() * method so that a class can change the behavior of * JSONObject.toString(), JSONArray.toString(), * and JSONWriter.value(Object). The * toJSONString method will be used instead of the default behavior * of using the Object's toString() method and quoting the result. */ public interface JSONString { /** * The toJSONString method allows a class to produce its own JSON * serialization. * * @return A strictly syntactically correct JSON text. */ public String toJSONString(); } jettison-1.2/org/codehaus/jettison/json/JSONObject.java0000644000175000017500000011771411324564400023120 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; import java.io.IOException; import java.io.Writer; import java.lang.reflect.Field; import java.util.Collection; import java.util.Iterator; import java.util.LinkedHashMap; import java.util.Map; /** * A JSONObject is an unordered collection of name/value pairs. Its * external form is a string wrapped in curly braces with colons between the * names and values, and commas between the values and names. The internal form * is an object having get and opt methods for * accessing the values by name, and put methods for adding or * replacing values by name. The values can be any of these types: * Boolean, JSONArray, JSONObject, * Number, String, or the JSONObject.NULL * object. A JSONObject constructor can be used to convert an external form * JSON text into an internal form whose values can be retrieved with the * get and opt methods, or to convert values into a * JSON text using the put and toString methods. * A get method returns a value if one can be found, and throws an * exception if one cannot be found. An opt method returns a * default value instead of throwing an exception, and so is useful for * obtaining optional values. *

* The generic get() and opt() methods return an * object, which you can cast or query for type. There are also typed * get and opt methods that do type checking and type * coersion for you. *

* The put methods adds values to an object. For example,

 *     myString = new JSONObject().put("JSON", "Hello, World!").toString();
* produces the string {"JSON": "Hello, World"}. *

* The texts produced by the toString methods strictly conform to * the JSON sysntax rules. * The constructors are more forgiving in the texts they will accept: *

* @author JSON.org * @version 2 */ public class JSONObject { /** * JSONObject.NULL is equivalent to the value that JavaScript calls null, * whilst Java's null is equivalent to the value that JavaScript calls * undefined. */ private static final class Null { /** * There is only intended to be a single instance of the NULL object, * so the clone method returns itself. * @return NULL. */ protected final Object clone() { return this; } /** * A Null object is equal to the null value and to itself. * @param object An object to test for nullness. * @return true if the object parameter is the JSONObject.NULL object * or null. */ public boolean equals(Object object) { return object == null || object == this; } /** * Get the "null" string value. * @return The string "null". */ public String toString() { return "null"; } } /** * The hash map where the JSONObject's properties are kept. */ private LinkedHashMap myHashMap; /** * It is sometimes more convenient and less ambiguous to have a * NULL object than to use Java's null value. * JSONObject.NULL.equals(null) returns true. * JSONObject.NULL.toString() returns "null". */ public static final Object NULL = new Null(); /** * Construct an empty JSONObject. */ public JSONObject() { this.myHashMap = new LinkedHashMap(); } /** * Construct a JSONObject from a subset of another JSONObject. * An array of strings is used to identify the keys that should be copied. * Missing keys are ignored. * @param jo A JSONObject. * @param sa An array of strings. * @exception JSONException If a value is a non-finite number. */ public JSONObject(JSONObject jo, String[] sa) throws JSONException { this(); for (int i = 0; i < sa.length; i += 1) { putOpt(sa[i], jo.opt(sa[i])); } } /** * Construct a JSONObject from a JSONTokener. * @param x A JSONTokener object containing the source string. * @throws JSONException If there is a syntax error in the source string. */ public JSONObject(JSONTokener x) throws JSONException { this(); char c; String key; if (x.nextClean() != '{') { throw x.syntaxError("A JSONObject text must begin with '{'"); } for (;;) { c = x.nextClean(); switch (c) { case 0: throw x.syntaxError("A JSONObject text must end with '}'"); case '}': return; default: x.back(); key = x.nextValue().toString(); } /* * The key is followed by ':'. We will also tolerate '=' or '=>'. */ c = x.nextClean(); if (c == '=') { if (x.next() != '>') { x.back(); } } else if (c != ':') { throw x.syntaxError("Expected a ':' after a key"); } put(key, x.nextValue()); /* * Pairs are separated by ','. We will also tolerate ';'. */ switch (x.nextClean()) { case ';': case ',': if (x.nextClean() == '}') { return; } x.back(); break; case '}': return; default: throw x.syntaxError("Expected a ',' or '}'"); } } } /** * Construct a JSONObject from a Map. * @param map A map object that can be used to initialize the contents of * the JSONObject. */ public JSONObject(Map map) { this.myHashMap = (map == null) ? new LinkedHashMap() : new LinkedHashMap(map); } /** * Construct a JSONObject from an Object, using reflection to find the * public members. The resulting JSONObject's keys will be the strings * from the names array, and the values will be the field values associated * with those keys in the object. If a key is not found or not visible, * then it will not be copied into the new JSONObject. * @param object An object that has fields that should be used to make a * JSONObject. * @param names An array of strings, the names of the fields to be used * from the object. */ public JSONObject(Object object, String names[]) { this(); Class c = object.getClass(); for (int i = 0; i < names.length; i += 1) { try { String name = names[i]; Field field = c.getField(name); Object value = field.get(object); this.put(name, value); } catch (Exception e) { /* forget about it */ } } } /** * Construct a JSONObject from a string. * This is the most commonly used JSONObject constructor. * @param string A string beginning * with { (left brace) and ending * with } (right brace). * @exception JSONException If there is a syntax error in the source string. */ public JSONObject(String string) throws JSONException { this(new JSONTokener(string)); } /** * Accumulate values under a key. It is similar to the put method except * that if there is already an object stored under the key then a * JSONArray is stored under the key to hold all of the accumulated values. * If there is already a JSONArray, then the new value is appended to it. * In contrast, the put method replaces the previous value. * @param key A key string. * @param value An object to be accumulated under the key. * @return this. * @throws JSONException If the value is an invalid number * or if the key is null. */ public JSONObject accumulate(String key, Object value) throws JSONException { testValidity(value); Object o = opt(key); if (o == null) { put(key, value); } else if (o instanceof JSONArray) { ((JSONArray)o).put(value); } else { put(key, new JSONArray().put(o).put(value)); } return this; } /** * Append values to the array under a key. If the key does not exist in the * JSONObject, then the key is put in the JSONObject with its value being a * JSONArray containing the value parameter. If the key was already * associated with a JSONArray, then the value parameter is appended to it. * @param key A key string. * @param value An object to be accumulated under the key. * @return this. * @throws JSONException If the key is null or if the current value * associated with the key is not a JSONArray. */ public JSONObject append(String key, Object value) throws JSONException { testValidity(value); Object o = opt(key); if (o == null) { put(key, new JSONArray().put(value)); } else if (!(o instanceof JSONArray)){ throw new JSONException("JSONObject[" + key + "] is not a JSONArray."); } else { put(key, new JSONArray().put(o).put(value)); } return this; } /** * Produce a string from a double. The string "null" will be returned if * the number is not finite. * @param d A double. * @return A String. */ static public String doubleToString(double d) { if (Double.isInfinite(d) || Double.isNaN(d)) { return "null"; } // Shave off trailing zeros and decimal point, if possible. String s = Double.toString(d); if (s.indexOf('.') > 0 && s.indexOf('e') < 0 && s.indexOf('E') < 0) { while (s.endsWith("0")) { s = s.substring(0, s.length() - 1); } if (s.endsWith(".")) { s = s.substring(0, s.length() - 1); } } return s; } /** * Get the value object associated with a key. * * @param key A key string. * @return The object associated with the key. * @throws JSONException if the key is not found. */ public Object get(String key) throws JSONException { Object o = opt(key); if (o == null) { throw new JSONException("JSONObject[" + quote(key) + "] not found."); } return o; } /** * Get the boolean value associated with a key. * * @param key A key string. * @return The truth. * @throws JSONException * if the value is not a Boolean or the String "true" or "false". */ public boolean getBoolean(String key) throws JSONException { Object o = get(key); if (o.equals(Boolean.FALSE) || (o instanceof String && ((String)o).equalsIgnoreCase("false"))) { return false; } else if (o.equals(Boolean.TRUE) || (o instanceof String && ((String)o).equalsIgnoreCase("true"))) { return true; } throw new JSONException("JSONObject[" + quote(key) + "] is not a Boolean."); } /** * Get the double value associated with a key. * @param key A key string. * @return The numeric value. * @throws JSONException if the key is not found or * if the value is not a Number object and cannot be converted to a number. */ public double getDouble(String key) throws JSONException { Object o = get(key); try { return o instanceof Number ? ((Number)o).doubleValue() : Double.valueOf((String)o).doubleValue(); } catch (Exception e) { throw new JSONException("JSONObject[" + quote(key) + "] is not a number."); } } /** * Get the int value associated with a key. If the number value is too * large for an int, it will be clipped. * * @param key A key string. * @return The integer value. * @throws JSONException if the key is not found or if the value cannot * be converted to an integer. */ public int getInt(String key) throws JSONException { Object o = get(key); return o instanceof Number ? ((Number)o).intValue() : (int)getDouble(key); } /** * Get the JSONArray value associated with a key. * * @param key A key string. * @return A JSONArray which is the value. * @throws JSONException if the key is not found or * if the value is not a JSONArray. */ public JSONArray getJSONArray(String key) throws JSONException { Object o = get(key); if (o instanceof JSONArray) { return (JSONArray)o; } throw new JSONException("JSONObject[" + quote(key) + "] is not a JSONArray."); } /** * Get the JSONObject value associated with a key. * * @param key A key string. * @return A JSONObject which is the value. * @throws JSONException if the key is not found or * if the value is not a JSONObject. */ public JSONObject getJSONObject(String key) throws JSONException { Object o = get(key); if (o instanceof JSONObject) { return (JSONObject)o; } throw new JSONException("JSONObject[" + quote(key) + "] is not a JSONObject."); } /** * Get the long value associated with a key. If the number value is too * long for a long, it will be clipped. * * @param key A key string. * @return The long value. * @throws JSONException if the key is not found or if the value cannot * be converted to a long. */ public long getLong(String key) throws JSONException { Object o = get(key); return o instanceof Number ? ((Number)o).longValue() : (long)getDouble(key); } /** * Get the string associated with a key. * * @param key A key string. * @return A string which is the value. * @throws JSONException if the key is not found. */ public String getString(String key) throws JSONException { return get(key).toString(); } /** * Determine if the JSONObject contains a specific key. * @param key A key string. * @return true if the key exists in the JSONObject. */ public boolean has(String key) { return this.myHashMap.containsKey(key); } /** * Determine if the value associated with the key is null or if there is * no value. * @param key A key string. * @return true if there is no value associated with the key or if * the value is the JSONObject.NULL object. */ public boolean isNull(String key) { return JSONObject.NULL.equals(opt(key)); } /** * Get an enumeration of the keys of the JSONObject. * * @return An iterator of the keys. */ public Iterator keys() { return this.myHashMap.keySet().iterator(); } /** * Get the number of keys stored in the JSONObject. * * @return The number of keys in the JSONObject. */ public int length() { return this.myHashMap.size(); } /** * Produce a JSONArray containing the names of the elements of this * JSONObject. * @return A JSONArray containing the key strings, or null if the JSONObject * is empty. */ public JSONArray names() { JSONArray ja = new JSONArray(); Iterator keys = keys(); while (keys.hasNext()) { ja.put(keys.next()); } return ja.length() == 0 ? null : ja; } /** * Produce a string from a Number. * @param n A Number * @return A String. * @throws JSONException If n is a non-finite number. */ static public String numberToString(Number n) throws JSONException { if (n == null) { throw new JSONException("Null pointer"); } testValidity(n); // Shave off trailing zeros and decimal point, if possible. String s = n.toString(); if (s.indexOf('.') > 0 && s.indexOf('e') < 0 && s.indexOf('E') < 0) { while (s.endsWith("0")) { s = s.substring(0, s.length() - 1); } if (s.endsWith(".")) { s = s.substring(0, s.length() - 1); } } return s; } /** * Get an optional value associated with a key. * @param key A key string. * @return An object which is the value, or null if there is no value. */ public Object opt(String key) { return key == null ? null : this.myHashMap.get(key); } /** * Get an optional boolean associated with a key. * It returns false if there is no such key, or if the value is not * Boolean.TRUE or the String "true". * * @param key A key string. * @return The truth. */ public boolean optBoolean(String key) { return optBoolean(key, false); } /** * Get an optional boolean associated with a key. * It returns the defaultValue if there is no such key, or if it is not * a Boolean or the String "true" or "false" (case insensitive). * * @param key A key string. * @param defaultValue The default. * @return The truth. */ public boolean optBoolean(String key, boolean defaultValue) { try { return getBoolean(key); } catch (Exception e) { return defaultValue; } } /** * Put a key/value pair in the JSONObject, where the value will be a * JSONArray which is produced from a Collection. * @param key A key string. * @param value A Collection value. * @return this. * @throws JSONException */ public JSONObject put(String key, Collection value) throws JSONException { put(key, new JSONArray(value)); return this; } /** * Get an optional double associated with a key, * or NaN if there is no such key or if its value is not a number. * If the value is a string, an attempt will be made to evaluate it as * a number. * * @param key A string which is the key. * @return An object which is the value. */ public double optDouble(String key) { return optDouble(key, Double.NaN); } /** * Get an optional double associated with a key, or the * defaultValue if there is no such key or if its value is not a number. * If the value is a string, an attempt will be made to evaluate it as * a number. * * @param key A key string. * @param defaultValue The default. * @return An object which is the value. */ public double optDouble(String key, double defaultValue) { try { Object o = opt(key); return o instanceof Number ? ((Number)o).doubleValue() : new Double((String)o).doubleValue(); } catch (Exception e) { return defaultValue; } } /** * Get an optional int value associated with a key, * or zero if there is no such key or if the value is not a number. * If the value is a string, an attempt will be made to evaluate it as * a number. * * @param key A key string. * @return An object which is the value. */ public int optInt(String key) { return optInt(key, 0); } /** * Get an optional int value associated with a key, * or the default if there is no such key or if the value is not a number. * If the value is a string, an attempt will be made to evaluate it as * a number. * * @param key A key string. * @param defaultValue The default. * @return An object which is the value. */ public int optInt(String key, int defaultValue) { try { return getInt(key); } catch (Exception e) { return defaultValue; } } /** * Get an optional JSONArray associated with a key. * It returns null if there is no such key, or if its value is not a * JSONArray. * * @param key A key string. * @return A JSONArray which is the value. */ public JSONArray optJSONArray(String key) { Object o = opt(key); return o instanceof JSONArray ? (JSONArray)o : null; } /** * Get an optional JSONObject associated with a key. * It returns null if there is no such key, or if its value is not a * JSONObject. * * @param key A key string. * @return A JSONObject which is the value. */ public JSONObject optJSONObject(String key) { Object o = opt(key); return o instanceof JSONObject ? (JSONObject)o : null; } /** * Get an optional long value associated with a key, * or zero if there is no such key or if the value is not a number. * If the value is a string, an attempt will be made to evaluate it as * a number. * * @param key A key string. * @return An object which is the value. */ public long optLong(String key) { return optLong(key, 0); } /** * Get an optional long value associated with a key, * or the default if there is no such key or if the value is not a number. * If the value is a string, an attempt will be made to evaluate it as * a number. * * @param key A key string. * @param defaultValue The default. * @return An object which is the value. */ public long optLong(String key, long defaultValue) { try { return getLong(key); } catch (Exception e) { return defaultValue; } } /** * Get an optional string associated with a key. * It returns an empty string if there is no such key. If the value is not * a string and is not null, then it is coverted to a string. * * @param key A key string. * @return A string which is the value. */ public String optString(String key) { return optString(key, ""); } /** * Get an optional string associated with a key. * It returns the defaultValue if there is no such key. * * @param key A key string. * @param defaultValue The default. * @return A string which is the value. */ public String optString(String key, String defaultValue) { Object o = opt(key); return o != null ? o.toString() : defaultValue; } /** * Put a key/boolean pair in the JSONObject. * * @param key A key string. * @param value A boolean which is the value. * @return this. * @throws JSONException If the key is null. */ public JSONObject put(String key, boolean value) throws JSONException { put(key, value ? Boolean.TRUE : Boolean.FALSE); return this; } /** * Put a key/double pair in the JSONObject. * * @param key A key string. * @param value A double which is the value. * @return this. * @throws JSONException If the key is null or if the number is invalid. */ public JSONObject put(String key, double value) throws JSONException { put(key, new Double(value)); return this; } /** * Put a key/int pair in the JSONObject. * * @param key A key string. * @param value An int which is the value. * @return this. * @throws JSONException If the key is null. */ public JSONObject put(String key, int value) throws JSONException { put(key, new Integer(value)); return this; } /** * Put a key/long pair in the JSONObject. * * @param key A key string. * @param value A long which is the value. * @return this. * @throws JSONException If the key is null. */ public JSONObject put(String key, long value) throws JSONException { put(key, new Long(value)); return this; } /** * Put a key/value pair in the JSONObject, where the value will be a * JSONObject which is produced from a Map. * @param key A key string. * @param value A Map value. * @return this. * @throws JSONException */ public JSONObject put(String key, Map value) throws JSONException { put(key, new JSONObject(value)); return this; } /** * Put a key/value pair in the JSONObject. If the value is null, * then the key will be removed from the JSONObject if it is present. * @param key A key string. * @param value An object which is the value. It should be of one of these * types: Boolean, Double, Integer, JSONArray, JSONObject, Long, String, * or the JSONObject.NULL object. * @return this. * @throws JSONException If the value is non-finite number * or if the key is null. */ public JSONObject put(String key, Object value) throws JSONException { if (key == null) { throw new JSONException("Null key."); } if (value != null) { testValidity(value); this.myHashMap.put(key, value); } else { remove(key); } return this; } /** * Put a key/value pair in the JSONObject, but only if the * key and the value are both non-null. * @param key A key string. * @param value An object which is the value. It should be of one of these * types: Boolean, Double, Integer, JSONArray, JSONObject, Long, String, * or the JSONObject.NULL object. * @return this. * @throws JSONException If the value is a non-finite number. */ public JSONObject putOpt(String key, Object value) throws JSONException { if (key != null && value != null) { put(key, value); } return this; } /** * Produce a string in double quotes with backslash sequences in all the * right places. A backslash will be inserted within * Warning: This method assumes that the data structure is acyclical. * * @return a printable, displayable, portable, transmittable * representation of the object, beginning * with { (left brace) and ending * with } (right brace). */ public String toString() { try { Iterator keys = keys(); StringBuffer sb = new StringBuffer("{"); while (keys.hasNext()) { if (sb.length() > 1) { sb.append(','); } Object o = keys.next(); sb.append(quote(o.toString())); sb.append(':'); sb.append(valueToString(this.myHashMap.get(o))); } sb.append('}'); return sb.toString(); } catch (Exception e) { return null; } } /** * Make a prettyprinted JSON text of this JSONObject. *

* Warning: This method assumes that the data structure is acyclical. * @param indentFactor The number of spaces to add to each level of * indentation. * @return a printable, displayable, portable, transmittable * representation of the object, beginning * with { (left brace) and ending * with } (right brace). * @throws JSONException If the object contains an invalid number. */ public String toString(int indentFactor) throws JSONException { return toString(indentFactor, 0); } /** * Make a prettyprinted JSON text of this JSONObject. *

* Warning: This method assumes that the data structure is acyclical. * @param indentFactor The number of spaces to add to each level of * indentation. * @param indent The indentation of the top level. * @return a printable, displayable, transmittable * representation of the object, beginning * with { (left brace) and ending * with } (right brace). * @throws JSONException If the object contains an invalid number. */ String toString(int indentFactor, int indent) throws JSONException { int i; int n = length(); if (n == 0) { return "{}"; } Iterator keys = keys(); StringBuffer sb = new StringBuffer("{"); int newindent = indent + indentFactor; Object o; if (n == 1) { o = keys.next(); sb.append(quote(o.toString())); sb.append(": "); sb.append(valueToString(this.myHashMap.get(o), indentFactor, indent)); } else { while (keys.hasNext()) { o = keys.next(); if (sb.length() > 1) { sb.append(",\n"); } else { sb.append('\n'); } for (i = 0; i < newindent; i += 1) { sb.append(' '); } sb.append(quote(o.toString())); sb.append(": "); sb.append(valueToString(this.myHashMap.get(o), indentFactor, newindent)); } if (sb.length() > 1) { sb.append('\n'); for (i = 0; i < indent; i += 1) { sb.append(' '); } } } sb.append('}'); return sb.toString(); } /** * Make a JSON text of an Object value. If the object has an * value.toJSONString() method, then that method will be used to produce * the JSON text. The method is required to produce a strictly * conforming text. If the object does not contain a toJSONString * method (which is the most common case), then a text will be * produced by the rules. *

* Warning: This method assumes that the data structure is acyclical. * @param value The value to be serialized. * @return a printable, displayable, transmittable * representation of the object, beginning * with { (left brace) and ending * with } (right brace). * @throws JSONException If the value is or contains an invalid number. */ static String valueToString(Object value) throws JSONException { if (value == null || value.equals(null)) { return "null"; } if (value instanceof JSONString) { Object o; try { o = ((JSONString)value).toJSONString(); } catch (Exception e) { throw new JSONException(e); } if (o instanceof String) { return (String) o; } throw new JSONException("Bad value from toJSONString: " + o); } if (value instanceof Number) { return numberToString((Number) value); } if (value instanceof Boolean || value instanceof JSONObject || value instanceof JSONArray) { return value.toString(); } return quote(value.toString()); } /** * Make a prettyprinted JSON text of an object value. *

* Warning: This method assumes that the data structure is acyclical. * @param value The value to be serialized. * @param indentFactor The number of spaces to add to each level of * indentation. * @param indent The indentation of the top level. * @return a printable, displayable, transmittable * representation of the object, beginning * with { (left brace) and ending * with } (right brace). * @throws JSONException If the object contains an invalid number. */ static String valueToString(Object value, int indentFactor, int indent) throws JSONException { if (value == null || value.equals(null)) { return "null"; } try { if (value instanceof JSONString) { Object o = ((JSONString)value).toJSONString(); if (o instanceof String) { return (String)o; } } } catch (Exception e) { /* forget about it */ } if (value instanceof Number) { return numberToString((Number) value); } if (value instanceof Boolean) { return value.toString(); } if (value instanceof JSONObject) { return ((JSONObject)value).toString(indentFactor, indent); } if (value instanceof JSONArray) { return ((JSONArray)value).toString(indentFactor, indent); } return quote(value.toString()); } /** * Write the contents of the JSONObject as JSON text to a writer. * For compactness, no whitespace is added. *

* Warning: This method assumes that the data structure is acyclical. * * @return The writer. * @throws JSONException */ public Writer write(Writer writer) throws JSONException { try { boolean b = false; Iterator keys = keys(); writer.write('{'); while (keys.hasNext()) { if (b) { writer.write(','); } Object k = keys.next(); writer.write(quote(k.toString())); writer.write(':'); Object v = this.myHashMap.get(k); if (v instanceof JSONObject) { ((JSONObject)v).write(writer); } else if (v instanceof JSONArray) { ((JSONArray)v).write(writer); } else { writer.write(valueToString(v)); } b = true; } writer.write('}'); return writer; } catch (IOException e) { throw new JSONException(e); } } }jettison-1.2/org/codehaus/jettison/json/JSONTokener.java0000644000175000017500000003145311324564400023314 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; /** * A JSONTokener takes a source string and extracts characters and tokens from * it. It is used by the JSONObject and JSONArray constructors to parse * JSON source strings. * @author JSON.org * @version 2 */ public class JSONTokener { /** * The index of the next character. */ private int myIndex; /** * The source string being tokenized. */ private String mySource; /** * Construct a JSONTokener from a string. * * @param s A source string. */ public JSONTokener(String s) { this.myIndex = 0; this.mySource = s; } /** * Back up one character. This provides a sort of lookahead capability, * so that you can test for a digit or letter before attempting to parse * the next number or identifier. */ public void back() { if (this.myIndex > 0) { this.myIndex -= 1; } } /** * Get the hex value of a character (base16). * @param c A character between '0' and '9' or between 'A' and 'F' or * between 'a' and 'f'. * @return An int between 0 and 15, or -1 if c was not a hex digit. */ public static int dehexchar(char c) { if (c >= '0' && c <= '9') { return c - '0'; } if (c >= 'A' && c <= 'F') { return c - ('A' - 10); } if (c >= 'a' && c <= 'f') { return c - ('a' - 10); } return -1; } /** * Determine if the source string still contains characters that next() * can consume. * @return true if not yet at the end of the source. */ public boolean more() { return this.myIndex < this.mySource.length(); } /** * Get the next character in the source string. * * @return The next character, or 0 if past the end of the source string. */ public char next() { if (more()) { char c = this.mySource.charAt(this.myIndex); this.myIndex += 1; return c; } return 0; } /** * Consume the next character, and check that it matches a specified * character. * @param c The character to match. * @return The character. * @throws JSONException if the character does not match. */ public char next(char c) throws JSONException { char n = next(); if (n != c) { throw syntaxError("Expected '" + c + "' and instead saw '" + n + "'."); } return n; } /** * Get the next n characters. * * @param n The number of characters to take. * @return A string of n characters. * @throws JSONException * Substring bounds error if there are not * n characters remaining in the source string. */ public String next(int n) throws JSONException { int i = this.myIndex; int j = i + n; if (j >= this.mySource.length()) { throw syntaxError("Substring bounds error"); } this.myIndex += n; return this.mySource.substring(i, j); } /** * Get the next char in the string, skipping whitespace * and comments (slashslash, slashstar, and hash). * @throws JSONException * @return A character, or 0 if there are no more characters. */ public char nextClean() throws JSONException { for (;;) { char c = next(); if (c == '/') { switch (next()) { case '/': do { c = next(); } while (c != '\n' && c != '\r' && c != 0); break; case '*': for (;;) { c = next(); if (c == 0) { throw syntaxError("Unclosed comment."); } if (c == '*') { if (next() == '/') { break; } back(); } } break; default: back(); return '/'; } } else if (c == '#') { do { c = next(); } while (c != '\n' && c != '\r' && c != 0); } else if (c == 0 || c > ' ') { return c; } } } /** * Return the characters up to the next close quote character. * Backslash processing is done. The formal JSON format does not * allow strings in single quotes, but an implementation is allowed to * accept them. * @param quote The quoting character, either * " (double quote) or * ' (single quote). * @return A String. * @throws JSONException Unterminated string. */ public String nextString(char quote) throws JSONException { char c; StringBuffer sb = new StringBuffer(); for (;;) { c = next(); switch (c) { case 0: case '\n': case '\r': throw syntaxError("Unterminated string"); case '\\': c = next(); switch (c) { case 'b': sb.append('\b'); break; case 't': sb.append('\t'); break; case 'n': sb.append('\n'); break; case 'f': sb.append('\f'); break; case 'r': sb.append('\r'); break; case 'u': sb.append((char)Integer.parseInt(next(4), 16)); break; case 'x' : sb.append((char) Integer.parseInt(next(2), 16)); break; default: sb.append(c); } break; default: if (c == quote) { return sb.toString(); } sb.append(c); } } } /** * Get the text up but not including the specified character or the * end of line, whichever comes first. * @param d A delimiter character. * @return A string. */ public String nextTo(char d) { StringBuffer sb = new StringBuffer(); for (;;) { char c = next(); if (c == d || c == 0 || c == '\n' || c == '\r') { if (c != 0) { back(); } return sb.toString().trim(); } sb.append(c); } } /** * Get the text up but not including one of the specified delimeter * characters or the end of line, whichever comes first. * @param delimiters A set of delimiter characters. * @return A string, trimmed. */ public String nextTo(String delimiters) { char c; StringBuffer sb = new StringBuffer(); for (;;) { c = next(); if (delimiters.indexOf(c) >= 0 || c == 0 || c == '\n' || c == '\r') { if (c != 0) { back(); } return sb.toString().trim(); } sb.append(c); } } /** * Get the next value. The value can be a Boolean, Double, Integer, * JSONArray, JSONObject, Long, or String, or the JSONObject.NULL object. * @throws JSONException If syntax error. * * @return An object. */ public Object nextValue() throws JSONException { char c = nextClean(); String s; switch (c) { case '"': case '\'': return nextString(c); case '{': back(); return new JSONObject(this); case '[': back(); return new JSONArray(this); } /* * Handle unquoted text. This could be the values true, false, or * null, or it can be a number. An implementation (such as this one) * is allowed to also accept non-standard forms. * * Accumulate characters until we reach the end of the text or a * formatting character. */ StringBuffer sb = new StringBuffer(); char b = c; while (c >= ' ' && ",:]}/\\\"[{;=#".indexOf(c) < 0) { sb.append(c); c = next(); } back(); /* * If it is true, false, or null, return the proper value. */ s = sb.toString().trim(); if (s.equals("")) { throw syntaxError("Missing value."); } if (s.equalsIgnoreCase("true")) { return Boolean.TRUE; } if (s.equalsIgnoreCase("false")) { return Boolean.FALSE; } if (s.equalsIgnoreCase("null")) { return JSONObject.NULL; } /* * If it might be a number, try converting it. We support the 0- and 0x- * conventions. If a number cannot be produced, then the value will just * be a string. Note that the 0-, 0x-, plus, and implied string * conventions are non-standard. A JSON parser is free to accept * non-JSON forms as long as it accepts all correct JSON forms. */ if ((b >= '0' && b <= '9') || b == '.' || b == '-' || b == '+') { if (b == '0') { if (s.length() > 2 && (s.charAt(1) == 'x' || s.charAt(1) == 'X')) { try { return new Integer(Integer.parseInt(s.substring(2), 16)); } catch (Exception e) { /* Ignore the error */ } } else { try { return new Integer(Integer.parseInt(s, 8)); } catch (Exception e) { /* Ignore the error */ } } } try { return new Integer(s); } catch (Exception e) { try { return new Long(s); } catch (Exception f) { try { return new Double(s); } catch (Exception g) { return s; } } } } return s; } /** * Skip characters until the next character is the requested character. * If the requested character is not found, no characters are skipped. * @param to A character to skip to. * @return The requested character, or zero if the requested character * is not found. */ public char skipTo(char to) { char c; int index = this.myIndex; do { c = next(); if (c == 0) { this.myIndex = index; return c; } } while (c != to); back(); return c; } /** * Skip characters until past the requested string. * If it is not found, we are left at the end of the source. * @param to A string to skip past. */ public void skipPast(String to) { this.myIndex = this.mySource.indexOf(to, this.myIndex); if (this.myIndex < 0) { this.myIndex = this.mySource.length(); } else { this.myIndex += to.length(); } } /** * Make a JSONException to signal a syntax error. * * @param message The error message. * @return A JSONException object, suitable for throwing */ public JSONException syntaxError(String message) { return new JSONException(message + toString()); } /** * Make a printable string of this JSONTokener. * * @return " at character [this.myIndex] of [this.mySource]" */ public String toString() { return " at character " + this.myIndex + " of " + this.mySource; } }jettison-1.2/org/codehaus/jettison/json/JSONException.java0000644000175000017500000000223511324564400023637 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; /** * The JSONException is thrown by the JSON.org classes then things are amiss. * @author JSON.org * @version 2 */ public class JSONException extends Exception { private Throwable cause; /** * Constructs a JSONException with an explanatory message. * @param message Detail about the reason for the exception. */ public JSONException(String message) { super(message); } public JSONException(Throwable t) { super(t.getMessage()); this.cause = t; } public Throwable getCause() { return this.cause; } } jettison-1.2/org/codehaus/jettison/json/JSONArray.java0000644000175000017500000006621611324564400022770 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; import java.io.IOException; import java.io.Writer; import java.util.ArrayList; import java.util.Collection; import java.util.Map; /** * A JSONArray is an ordered sequence of values. Its external text form is a * string wrapped in square brackets with commas separating the values. The * internal form is an object having get and opt * methods for accessing the values by index, and put methods for * adding or replacing values. The values can be any of these types: * Boolean, JSONArray, JSONObject, * Number, String, or the * JSONObject.NULL object. *

* The constructor can convert a JSON text into a Java object. The * toString method converts to JSON text. *

* A get method returns a value if one can be found, and throws an * exception if one cannot be found. An opt method returns a * default value instead of throwing an exception, and so is useful for * obtaining optional values. *

* The generic get() and opt() methods return an * object which you can cast or query for type. There are also typed * get and opt methods that do type checking and type * coersion for you. *

* The texts produced by the toString methods strictly conform to * JSON syntax rules. The constructors are more forgiving in the texts they will * accept: *

* @author JSON.org * @version 2 */ public class JSONArray { /** * The arrayList where the JSONArray's properties are kept. */ private ArrayList myArrayList; /** * Construct an empty JSONArray. */ public JSONArray() { this.myArrayList = new ArrayList(); } /** * Construct a JSONArray from a JSONTokener. * @param x A JSONTokener * @throws JSONException If there is a syntax error. */ public JSONArray(JSONTokener x) throws JSONException { this(); if (x.nextClean() != '[') { throw x.syntaxError("A JSONArray text must start with '['"); } if (x.nextClean() == ']') { return; } x.back(); for (;;) { if (x.nextClean() == ',') { x.back(); this.myArrayList.add(null); } else { x.back(); this.myArrayList.add(x.nextValue()); } switch (x.nextClean()) { case ';': case ',': if (x.nextClean() == ']') { return; } x.back(); break; case ']': return; default: throw x.syntaxError("Expected a ',' or ']'"); } } } /** * Construct a JSONArray from a source sJSON text. * @param string A string that begins with * [ (left bracket) * and ends with ] (right bracket). * @throws JSONException If there is a syntax error. */ public JSONArray(String string) throws JSONException { this(new JSONTokener(string)); } /** * Construct a JSONArray from a Collection. * @param collection A Collection. */ public JSONArray(Collection collection) { this.myArrayList = (collection == null) ? new ArrayList() : new ArrayList(collection); } /** * Get the object value associated with an index. * @param index * The index must be between 0 and length() - 1. * @return An object value. * @throws JSONException If there is no value for the index. */ public Object get(int index) throws JSONException { Object o = opt(index); if (o == null) { throw new JSONException("JSONArray[" + index + "] not found."); } return o; } /** * Get the boolean value associated with an index. * The string values "true" and "false" are converted to boolean. * * @param index The index must be between 0 and length() - 1. * @return The truth. * @throws JSONException If there is no value for the index or if the * value is not convertable to boolean. */ public boolean getBoolean(int index) throws JSONException { Object o = get(index); if (o.equals(Boolean.FALSE) || (o instanceof String && ((String)o).equalsIgnoreCase("false"))) { return false; } else if (o.equals(Boolean.TRUE) || (o instanceof String && ((String)o).equalsIgnoreCase("true"))) { return true; } throw new JSONException("JSONArray[" + index + "] is not a Boolean."); } /** * Get the double value associated with an index. * * @param index The index must be between 0 and length() - 1. * @return The value. * @throws JSONException If the key is not found or if the value cannot * be converted to a number. */ public double getDouble(int index) throws JSONException { Object o = get(index); try { return o instanceof Number ? ((Number)o).doubleValue() : Double.valueOf((String)o).doubleValue(); } catch (Exception e) { throw new JSONException("JSONArray[" + index + "] is not a number."); } } /** * Get the int value associated with an index. * * @param index The index must be between 0 and length() - 1. * @return The value. * @throws JSONException If the key is not found or if the value cannot * be converted to a number. * if the value cannot be converted to a number. */ public int getInt(int index) throws JSONException { Object o = get(index); return o instanceof Number ? ((Number)o).intValue() : (int)getDouble(index); } /** * Get the JSONArray associated with an index. * @param index The index must be between 0 and length() - 1. * @return A JSONArray value. * @throws JSONException If there is no value for the index. or if the * value is not a JSONArray */ public JSONArray getJSONArray(int index) throws JSONException { Object o = get(index); if (o instanceof JSONArray) { return (JSONArray)o; } throw new JSONException("JSONArray[" + index + "] is not a JSONArray."); } /** * Get the JSONObject associated with an index. * @param index subscript * @return A JSONObject value. * @throws JSONException If there is no value for the index or if the * value is not a JSONObject */ public JSONObject getJSONObject(int index) throws JSONException { Object o = get(index); if (o instanceof JSONObject) { return (JSONObject)o; } throw new JSONException("JSONArray[" + index + "] is not a JSONObject."); } /** * Get the long value associated with an index. * * @param index The index must be between 0 and length() - 1. * @return The value. * @throws JSONException If the key is not found or if the value cannot * be converted to a number. */ public long getLong(int index) throws JSONException { Object o = get(index); return o instanceof Number ? ((Number)o).longValue() : (long)getDouble(index); } /** * Get the string associated with an index. * @param index The index must be between 0 and length() - 1. * @return A string value. * @throws JSONException If there is no value for the index. */ public String getString(int index) throws JSONException { return get(index).toString(); } /** * Determine if the value is null. * @param index The index must be between 0 and length() - 1. * @return true if the value at the index is null, or if there is no value. */ public boolean isNull(int index) { return JSONObject.NULL.equals(opt(index)); } /** * Make a string from the contents of this JSONArray. The * separator string is inserted between each element. * Warning: This method assumes that the data structure is acyclical. * @param separator A string that will be inserted between the elements. * @return a string. * @throws JSONException If the array contains an invalid number. */ public String join(String separator) throws JSONException { int len = length(); StringBuffer sb = new StringBuffer(); for (int i = 0; i < len; i += 1) { if (i > 0) { sb.append(separator); } sb.append(JSONObject.valueToString(this.myArrayList.get(i))); } return sb.toString(); } /** * Get the number of elements in the JSONArray, included nulls. * * @return The length (or size). */ public int length() { return this.myArrayList.size(); } /** * Get the optional object value associated with an index. * @param index The index must be between 0 and length() - 1. * @return An object value, or null if there is no * object at that index. */ public Object opt(int index) { return (index < 0 || index >= length()) ? null : this.myArrayList.get(index); } /** * Get the optional boolean value associated with an index. * It returns false if there is no value at that index, * or if the value is not Boolean.TRUE or the String "true". * * @param index The index must be between 0 and length() - 1. * @return The truth. */ public boolean optBoolean(int index) { return optBoolean(index, false); } /** * Get the optional boolean value associated with an index. * It returns the defaultValue if there is no value at that index or if * it is not a Boolean or the String "true" or "false" (case insensitive). * * @param index The index must be between 0 and length() - 1. * @param defaultValue A boolean default. * @return The truth. */ public boolean optBoolean(int index, boolean defaultValue) { try { return getBoolean(index); } catch (Exception e) { return defaultValue; } } /** * Get the optional double value associated with an index. * NaN is returned if there is no value for the index, * or if the value is not a number and cannot be converted to a number. * * @param index The index must be between 0 and length() - 1. * @return The value. */ public double optDouble(int index) { return optDouble(index, Double.NaN); } /** * Get the optional double value associated with an index. * The defaultValue is returned if there is no value for the index, * or if the value is not a number and cannot be converted to a number. * * @param index subscript * @param defaultValue The default value. * @return The value. */ public double optDouble(int index, double defaultValue) { try { return getDouble(index); } catch (Exception e) { return defaultValue; } } /** * Get the optional int value associated with an index. * Zero is returned if there is no value for the index, * or if the value is not a number and cannot be converted to a number. * * @param index The index must be between 0 and length() - 1. * @return The value. */ public int optInt(int index) { return optInt(index, 0); } /** * Get the optional int value associated with an index. * The defaultValue is returned if there is no value for the index, * or if the value is not a number and cannot be converted to a number. * @param index The index must be between 0 and length() - 1. * @param defaultValue The default value. * @return The value. */ public int optInt(int index, int defaultValue) { try { return getInt(index); } catch (Exception e) { return defaultValue; } } /** * Get the optional JSONArray associated with an index. * @param index subscript * @return A JSONArray value, or null if the index has no value, * or if the value is not a JSONArray. */ public JSONArray optJSONArray(int index) { Object o = opt(index); return o instanceof JSONArray ? (JSONArray)o : null; } /** * Get the optional JSONObject associated with an index. * Null is returned if the key is not found, or null if the index has * no value, or if the value is not a JSONObject. * * @param index The index must be between 0 and length() - 1. * @return A JSONObject value. */ public JSONObject optJSONObject(int index) { Object o = opt(index); return o instanceof JSONObject ? (JSONObject)o : null; } /** * Get the optional long value associated with an index. * Zero is returned if there is no value for the index, * or if the value is not a number and cannot be converted to a number. * * @param index The index must be between 0 and length() - 1. * @return The value. */ public long optLong(int index) { return optLong(index, 0); } /** * Get the optional long value associated with an index. * The defaultValue is returned if there is no value for the index, * or if the value is not a number and cannot be converted to a number. * @param index The index must be between 0 and length() - 1. * @param defaultValue The default value. * @return The value. */ public long optLong(int index, long defaultValue) { try { return getLong(index); } catch (Exception e) { return defaultValue; } } /** * Get the optional string value associated with an index. It returns an * empty string if there is no value at that index. If the value * is not a string and is not null, then it is coverted to a string. * * @param index The index must be between 0 and length() - 1. * @return A String value. */ public String optString(int index) { return optString(index, ""); } /** * Get the optional string associated with an index. * The defaultValue is returned if the key is not found. * * @param index The index must be between 0 and length() - 1. * @param defaultValue The default value. * @return A String value. */ public String optString(int index, String defaultValue) { Object o = opt(index); return o != null ? o.toString() : defaultValue; } /** * Append a boolean value. This increases the array's length by one. * * @param value A boolean value. * @return this. */ public JSONArray put(boolean value) { put(value ? Boolean.TRUE : Boolean.FALSE); return this; } /** * Put a value in the JSONArray, where the value will be a * JSONArray which is produced from a Collection. * @param value A Collection value. * @return this. */ public JSONArray put(Collection value) { put(new JSONArray(value)); return this; } /** * Append a double value. This increases the array's length by one. * * @param value A double value. * @throws JSONException if the value is not finite. * @return this. */ public JSONArray put(double value) throws JSONException { Double d = new Double(value); JSONObject.testValidity(d); put(d); return this; } /** * Append an int value. This increases the array's length by one. * * @param value An int value. * @return this. */ public JSONArray put(int value) { put(new Integer(value)); return this; } /** * Append an long value. This increases the array's length by one. * * @param value A long value. * @return this. */ public JSONArray put(long value) { put(new Long(value)); return this; } /** * Put a value in the JSONArray, where the value will be a * JSONObject which is produced from a Map. * @param value A Map value. * @return this. */ public JSONArray put(Map value) { put(new JSONObject(value)); return this; } /** * Append an object value. This increases the array's length by one. * @param value An object value. The value should be a * Boolean, Double, Integer, JSONArray, JSONObject, Long, or String, or the * JSONObject.NULL object. * @return this. */ public JSONArray put(Object value) { this.myArrayList.add(value); return this; } /** * Put or replace a boolean value in the JSONArray. If the index is greater * than the length of the JSONArray, then null elements will be added as * necessary to pad it out. * @param index The subscript. * @param value A boolean value. * @return this. * @throws JSONException If the index is negative. */ public JSONArray put(int index, boolean value) throws JSONException { put(index, value ? Boolean.TRUE : Boolean.FALSE); return this; } /** * Put a value in the JSONArray, where the value will be a * JSONArray which is produced from a Collection. * @param index The subscript. * @param value A Collection value. * @return this. * @throws JSONException If the index is negative or if the value is * not finite. */ public JSONArray put(int index, Collection value) throws JSONException { put(index, new JSONArray(value)); return this; } /** * Put or replace a double value. If the index is greater than the length of * the JSONArray, then null elements will be added as necessary to pad * it out. * @param index The subscript. * @param value A double value. * @return this. * @throws JSONException If the index is negative or if the value is * not finite. */ public JSONArray put(int index, double value) throws JSONException { put(index, new Double(value)); return this; } /** * Put or replace an int value. If the index is greater than the length of * the JSONArray, then null elements will be added as necessary to pad * it out. * @param index The subscript. * @param value An int value. * @return this. * @throws JSONException If the index is negative. */ public JSONArray put(int index, int value) throws JSONException { put(index, new Integer(value)); return this; } /** * Put or replace a long value. If the index is greater than the length of * the JSONArray, then null elements will be added as necessary to pad * it out. * @param index The subscript. * @param value A long value. * @return this. * @throws JSONException If the index is negative. */ public JSONArray put(int index, long value) throws JSONException { put(index, new Long(value)); return this; } /** * Put a value in the JSONArray, where the value will be a * JSONObject which is produced from a Map. * @param index The subscript. * @param value The Map value. * @return this. * @throws JSONException If the index is negative or if the the value is * an invalid number. */ public JSONArray put(int index, Map value) throws JSONException { put(index, new JSONObject(value)); return this; } /** * Put or replace an object value in the JSONArray. If the index is greater * than the length of the JSONArray, then null elements will be added as * necessary to pad it out. * @param index The subscript. * @param value The value to put into the array. The value should be a * Boolean, Double, Integer, JSONArray, JSONObject, Long, or String, or the * JSONObject.NULL object. * @return this. * @throws JSONException If the index is negative or if the the value is * an invalid number. */ public JSONArray put(int index, Object value) throws JSONException { JSONObject.testValidity(value); if (index < 0) { throw new JSONException("JSONArray[" + index + "] not found."); } if (index < length()) { this.myArrayList.set(index, value); } else { while (index != length()) { put(JSONObject.NULL); } put(value); } return this; } /** * Produce a JSONObject by combining a JSONArray of names with the values * of this JSONArray. * @param names A JSONArray containing a list of key strings. These will be * paired with the values. * @return A JSONObject, or null if there are no names or if this JSONArray * has no values. * @throws JSONException If any of the names are null. */ public JSONObject toJSONObject(JSONArray names) throws JSONException { if (names == null || names.length() == 0 || length() == 0) { return null; } JSONObject jo = new JSONObject(); for (int i = 0; i < names.length(); i += 1) { jo.put(names.getString(i), this.opt(i)); } return jo; } /** * Make a JSON text of this JSONArray. For compactness, no * unnecessary whitespace is added. If it is not possible to produce a * syntactically correct JSON text then null will be returned instead. This * could occur if the array contains an invalid number. *

* Warning: This method assumes that the data structure is acyclical. * * @return a printable, displayable, transmittable * representation of the array. */ public String toString() { try { return '[' + join(",") + ']'; } catch (Exception e) { return null; } } /** * Make a prettyprinted JSON text of this JSONArray. * Warning: This method assumes that the data structure is acyclical. * @param indentFactor The number of spaces to add to each level of * indentation. * @return a printable, displayable, transmittable * representation of the object, beginning * with [ (left bracket) and ending * with ] (right bracket). * @throws JSONException */ public String toString(int indentFactor) throws JSONException { return toString(indentFactor, 0); } /** * Make a prettyprinted JSON text of this JSONArray. * Warning: This method assumes that the data structure is acyclical. * @param indentFactor The number of spaces to add to each level of * indentation. * @param indent The indention of the top level. * @return a printable, displayable, transmittable * representation of the array. * @throws JSONException */ String toString(int indentFactor, int indent) throws JSONException { int len = length(); if (len == 0) { return "[]"; } int i; StringBuffer sb = new StringBuffer("["); if (len == 1) { sb.append(JSONObject.valueToString(this.myArrayList.get(0), indentFactor, indent)); } else { int newindent = indent + indentFactor; sb.append('\n'); for (i = 0; i < len; i += 1) { if (i > 0) { sb.append(",\n"); } for (int j = 0; j < newindent; j += 1) { sb.append(' '); } sb.append(JSONObject.valueToString(this.myArrayList.get(i), indentFactor, newindent)); } sb.append('\n'); for (i = 0; i < indent; i += 1) { sb.append(' '); } } sb.append(']'); return sb.toString(); } /** * Write the contents of the JSONArray as JSON text to a writer. * For compactness, no whitespace is added. *

* Warning: This method assumes that the data structure is acyclical. * * @return The writer. * @throws JSONException */ public Writer write(Writer writer) throws JSONException { try { boolean b = false; int len = length(); writer.write('['); for (int i = 0; i < len; i += 1) { if (b) { writer.write(','); } Object v = this.myArrayList.get(i); if (v instanceof JSONObject) { ((JSONObject)v).write(writer); } else if (v instanceof JSONArray) { ((JSONArray)v).write(writer); } else { writer.write(JSONObject.valueToString(v)); } b = true; } writer.write(']'); return writer; } catch (IOException e) { throw new JSONException(e); } } }jettison-1.2/org/codehaus/jettison/json/JSONStringer.java0000644000175000017500000000513011324564400023473 0ustar twernertwerner/* Copyright (c) 2002 JSON.org Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package org.codehaus.jettison.json; import java.io.StringWriter; /** * JSONStringer provides a quick and convenient way of producing JSON text. * The texts produced strictly conform to JSON syntax rules. No whitespace is * added, so the results are ready for transmission or storage. Each instance of * JSONStringer can produce one JSON text. *

* A JSONStringer instance provides a value method for appending * values to the * text, and a key * method for adding keys before values in objects. There are array * and endArray methods that make and bound array values, and * object and endObject methods which make and bound * object values. All of these methods return the JSONWriter instance, * permitting cascade style. For example,

 * myString = new JSONStringer()
 *     .object()
 *         .key("JSON")
 *         .value("Hello, World!")
 *     .endObject()
 *     .toString();
which produces the string
 * {"JSON":"Hello, World!"}
*

* The first method called must be array or object. * There are no methods for adding commas or colons. JSONStringer adds them for * you. Objects and arrays can be nested up to 20 levels deep. *

* This can sometimes be easier than using a JSONObject to build a string. * @author JSON.org * @version 2 */ public class JSONStringer extends JSONWriter { /** * Make a fresh JSONStringer. It can be used to build one JSON text. */ public JSONStringer() { super(new StringWriter()); } /** * Return the JSON text. This method is used to obtain the product of the * JSONStringer instance. It will return null if there was a * problem in the construction of the JSON text (such as the calls to * array were not properly balanced with calls to * endArray). * @return The JSON text. */ public String toString() { return this.mode == 'd' ? this.writer.toString() : null; } } jettison-1.2/META-INF/0000755000175000017500000000000011324564420014312 5ustar twernertwernerjettison-1.2/META-INF/MANIFEST.MF0000644000175000017500000000014311324564416015747 0ustar twernertwernerManifest-Version: 1.0 Archiver-Version: Plexus Archiver Created-By: 14.3-b01-101 (Apple Inc.) jettison-1.2/META-INF/LICENSE0000644000175000017500000002501611324564400015321 0ustar twernertwerner Apache License Version 2.0, January 2004 http://www.apache.org/licenses/ TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 1. Definitions. "License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document. "Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License. "Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity. "You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License. "Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files. "Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types. "Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below). "Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof. "Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution." "Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work. 2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form. 3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed. 4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions: (a) You must give any other recipients of the Work or Derivative Works a copy of this License; and (b) You must cause any modified files to carry prominent notices stating that You changed the files; and (c) You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and (d) If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License. 5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions. 6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file. 7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License. 8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages. 9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability. END OF TERMS AND CONDITIONS Copyright 2006 Envoi Solutions LLC Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License.