Excited about Sonar's new features to set Architectural rules in version 2.4,  and upcoming Track violations over time, differential views, manual code review in 2.5.
This surely will make my life little easier when doing daily code reviews.
http://www.sonarsource.org/roadmap/
http://www.infoq.com/news/2010/12/sonar-2.4
Thank you sonar source
Thursday, December 30, 2010
Wednesday, December 22, 2010
Java Autoboxing - Auto-unboxing
Java 1.5 onward auto-boxing and auto-unboxing were added. This allows you to covert primitives and boxed types primitives back and forth with simple assignment vs calling special functions or constructors.
Lets look at some examples.
Here are some tips based on reading from Effective Java 2nd edition.
Lets look at some examples.
int primitiveInt = 1000;                   //primitive int
Integer wrapperInt = new Integer(1000);    // wrapper Integer, boxed type primitive.
Integer autoBoxedWrapperInteger = 1000;    // Autoboxing, primitive is autoboxed to Integer, an
                                            //Object is bing created
int autoUnboxedPrimitiveInt = wrapperInt;  //Auto-unboxing, primitive is being assigned a value by auto-unoxing//Comparing a primitive to boxed type, boxed type is autoboxed to primitive so the results is
// two primitives are being compared using === as opposed to 2 Objects are being ref compared
// using ==
System.out.println("primitiveInt == wrapperInt :" +
(primitiveInt == wrapperInt ? true : false));
//Two object references are being compared using ==, therefore the result is false
System.out.println("wrapperInt == autoBoxedWrapperInteger :" +
(wrapperInt == autoBoxedWrapperInteger ? true : false));
System.out.println("primitiveInt == autoBoxedWrapperInteger :" +
(primitiveInt == autoBoxedWrapperInteger ? true : false));
System.out.println("primitiveInt == autoUnboxedPrimitiveInt :" +
(primitiveInt == autoUnboxedPrimitiveInt ? true : false));
Output
primitiveInt == wrapperInt :true
wrapperInt == autoBoxedWrapperInteger :false
primitiveInt == autoBoxedWrapperInteger :true
primitiveInt == autoUnboxedPrimitiveInt :true
Here are some tips based on reading from Effective Java 2nd edition.
- Prefer primitives over boxed primitives.
- When you mix primitives and boxed primitive in single opeartion - boxed-primitive is auto-unboxed.
- When mixing primitives and wrapper types in expression watch out for "==" comparision.
- Performance hit due to autoboxing and unboxing, a new object is created when autoboxing is performed.
- Unboxing can throw NullPointerException
Wednesday, December 15, 2010
HTTP Notes
Keep alive/Persistent Connections : HTTP 1.1 introduced keep alive to keep the connection between web client and server alive and reuse it to serve subsequent requests. In HTTP 1.0 a new connection had to be created for serving each request.
Servlet 3.0 Asynchronous Processing
Came across a great post on Servlet 3.0 asynchronous processing at http://www.javaworld.com/javaworld/jw-02-2009/jw-02-servlet3.html?page=1
Following are some notes based on the post.
Important thing to note is that it is not a fire and forget mechanism, as in put a request on a queue and return the response right away. The web client has to wait however long the request processing take place.
It is a way to free up request handling server threads from long running code. Instead the work in offloaded to be handled by manually created thread(s) by application code.
Client response stream can be open for extended period of time, and server can write to response to implement "push" model.
 
 
 
 

Following are some of the important methods from ServletRequest API from Servlet 3.0 .
Gets the AsyncContext that was created or reinitialized by the most recent invocation of
boolean isAsyncStarted() Checks if this request has been put into asynchronous mode.
boolean isAsyncSupported() Checks if this request supports asynchronous operation.
AsyncContext startAsync() Puts this request into asynchronous mode, and initializes its AsyncContext with the original (unwrapped) ServletRequest and ServletResponse objects.
AsyncContext startAsync(ServletRequest servletRequest, ServletResponse servletResponse)
Puts this request into asynchronous mode, and initializes its AsyncContext with the given request and response objects.
Following are some notes based on the post.
Important thing to note is that it is not a fire and forget mechanism, as in put a request on a queue and return the response right away. The web client has to wait however long the request processing take place.
It is a way to free up request handling server threads from long running code. Instead the work in offloaded to be handled by manually created thread(s) by application code.
Client response stream can be open for extended period of time, and server can write to response to implement "push" model.
Following are some of the important methods from ServletRequest API from Servlet 3.0 .
AsyncContext getAsyncContext()Gets the AsyncContext that was created or reinitialized by the most recent invocation of
startAsync() or  startAsync(ServletRequest,ServletResponse) on this request.boolean isAsyncStarted() Checks if this request has been put into asynchronous mode.
boolean isAsyncSupported() Checks if this request supports asynchronous operation.
AsyncContext startAsync() Puts this request into asynchronous mode, and initializes its AsyncContext with the original (unwrapped) ServletRequest and ServletResponse objects.
AsyncContext startAsync(ServletRequest servletRequest, ServletResponse servletResponse)
Puts this request into asynchronous mode, and initializes its AsyncContext with the given request and response objects.
Wednesday, November 17, 2010
HashMap Implementation notes
Implements Map interface
Permits null values and null key
None of the methods of HashMap are synchronized, so if you are adding or deleting keys - you must synchronize in multi threaded environment. Synchronize on some object, if external object is not available use Collections.synchronizedMap(new HashMap())
Collections.synchronizedMap(new HashMap()) synchronizes all map operations using a internal mutex. However synchronization every single method is not enough, some client side locking is also required.
Iterators of HashMap are fail-fast when underlying map is modified (add/delete key) - ConcurrentModificationException is thrown.
Ordering of keys is not guaranteed to be same over time.
Access for get and put is time constant.
Max Capacity ~ 1.07 billiion
Default Initial capacity = 16
Uses hash function to disperse keys around.--
Uses Array to store elements.
Try and provide capacity as part of initialization.
 
 
Permits null values and null key
None of the methods of HashMap are synchronized, so if you are adding or deleting keys - you must synchronize in multi threaded environment. Synchronize on some object, if external object is not available use Collections.synchronizedMap(new HashMap())
Collections.synchronizedMap(new HashMap()) synchronizes all map operations using a internal mutex. However synchronization every single method is not enough, some client side locking is also required.
Iterators of HashMap are fail-fast when underlying map is modified (add/delete key) - ConcurrentModificationException is thrown.
Ordering of keys is not guaranteed to be same over time.
Access for get and put is time constant.
Max Capacity ~ 1.07 billiion
Default Initial capacity = 16
Uses hash function to disperse keys around.--
Uses Array to store elements.
Try and provide capacity as part of initialization.
Monday, March 29, 2010
Executing Asynchronous Actions in a Web Application
Web applications need to provide instant response to end users, however not all requests can be served instantly due to a variety of constraints on infrastructure the application must live with. In an enterprise web applications there could a variety of long running tasks initiated by user request. To handle such task, the request could be queued for later processing and user is presented with a message to check status at a later time.  For some requests a part of necessary processing could be done instantly and remaining could be done at a later time.
Queuing a request requires adding extra infrastructure to web applications. Request could be queued in a single instance of share data structure across the application. Application threads running in background can read the queue data structure and act on queue messages. Rather than writing this framework/infrastructure enterprise class open source libraries could be utilized. ActiveMQ provides a robust queuing solution and Apache Camel provides processing queued actions. Both libraries can be used in embedded or standalone fashion.
Architecture:
ServletContextListener initialize the ActiveMQ Broker and CamelContext, queues and routes are setup.
Have web action/controller write to ActiveMQ queue.
Write classes/camel routes to read from queue .
Queuing a request requires adding extra infrastructure to web applications. Request could be queued in a single instance of share data structure across the application. Application threads running in background can read the queue data structure and act on queue messages. Rather than writing this framework/infrastructure enterprise class open source libraries could be utilized. ActiveMQ provides a robust queuing solution and Apache Camel provides processing queued actions. Both libraries can be used in embedded or standalone fashion.
Architecture:
ServletContextListener initialize the ActiveMQ Broker and CamelContext, queues and routes are setup.
Have web action/controller write to ActiveMQ queue.
Write classes/camel routes to read from queue .
Labels:
ActiveMQ,
Apache Camel,
architecture,
asynchronous,
web application
Friday, February 19, 2010
uuid
UUID - Universally unique id is a 128 bit is a reasonably unique value. UUID was standarized by Open Software Foundation and Distributed Computing Environment. Purpose of UUID is to generate a universally unique identifier without contacting a central identifier generation system.
UUID are relavant to distributed computing, each machine can have 10 million UUID per second as per IETF REFC 4122 . Implementation for generating UUID are widely available in various programming language libraries and in DBMS.
JDK 1.5 provides classes to generate UUID.
UUID are relavant to distributed computing, each machine can have 10 million UUID per second as per IETF REFC 4122 . Implementation for generating UUID are widely available in various programming language libraries and in DBMS.
JDK 1.5 provides classes to generate UUID.
Oracle SYS_GUID() , MySQL UUID() , SQL Server NEWID()
Wednesday, January 20, 2010
Open source CSV reader
A useful library can be used to read a CSV file or simply parse a CSV string.  A huge time saver.
http://opencsv.sourceforge.net/project-summary.html
http://opencsv.sourceforge.net/project-summary.html
Maven Dependency
GroupId: net.sf.opencsv
ArtifactId: opencsv
Version: 2.1
Type: jar
Code sample, input could be
CSVParser parser = new CSVParser();
String values[] = parser.parseLine(lineText);
Sample input
This, "is", a. "huge time save utility. Handles this comma , nicely "
Monday, January 18, 2010
Contract First Vs Code First
Contact-first is one of design principles for achieving SOA. I came across an informative discussion on Contract First Vs Code First web service
http://tssblog.blogs.techtarget.com/2007/04/11/contract-first-or-code-first-design-part-1/
Discussion is structured around following 4 arguments for using Contract first
After being enriched by this discussion, here is my take on the these points
Code-first interfaces many not be well suited for demands of remote traffic.
Web Service interface should not contain chatty methods. Number of method calls invoked during conversation needs to be limited for performance reasons. It does not mater whether you use Contract-first or Code-first approach, as a web service interface designer you need to keep number of method calls to minimum. In code first approach WSDL is auto generated, however web service interface is your decision. On the Contract-first side as well you could end up with chatty web service, it is you who has to design the WSDL.
Implementation code typically changes at a faster rate than the interface.
If interface is remaining same and implementation is changing, one approach is not necessarily better than other. Changes could made to back-end without changing the interface. Implementer of Code-first needs to be careful when changing the implementation not to inadvertently affect the generated WSDL by exposing extra methods.
If interface is varying, then the comparison comes into picture what does it involve
In Contract-first approach, interface changes requires collaboration on interface , data type change amongst development personal from multiple applications. Possibilities of contention are lot more when you change schema type definitions common to multiple application. Multiple applications have to conform to same Schema type definition, which in itself could be limiting due to tight coupling. Let say CRM application requires changes to representation of Address/Contact, now rest of the applications that have Address/Contact domain model associated with common Address/Contact schema type has to be change and redeployed whether they want CRM address/contact change to be reflected in their application or not. On the flip side if we were to use code first approach only the applications that have something to do with CRM Address/Contact have to be changed. Change in Contract-first is much more involved and impact is lot larger than code-first approach. Down side of code first approach is that the representation are different across the applications and mapping code for common fields in Address/Contact need to be maintained. As times goes by, Address/Contact representations across the application will grow further apart due to number of changes over the years. It is will get harder to maintain the mappings code.
I would go with code-first approach in terms of time/efforts/resources required to make a change. Changes to mapping code/new representation could still be communicated to other application groups and put on their to-do list, as opposed to expecting them to drop everything and comply with super urgent change for your application.
If you can pull off the alignment of development resources and the collaboration needed to do Contract-first approach, contract-first approach is better and will keep data type uniform across the systems. Can you do it over a prolonged period ?
Generated WSDL leads to interface bloat and duplicated and incompatible type definition.
This point again depends on skills of code-first interface designer, a well designed interface won't generate bloated WSDL. Duplicate and Incompatible data type goes back to 2nd argument discussed earlier. The time and resources required to collaborate over common data type/data type reuse will be lot more over the years.
Code-first doesn’t work in a multi-lingual development organization.
If the language provide auto-generation tools, why not.
http://tssblog.blogs.techtarget.com/2007/04/11/contract-first-or-code-first-design-part-1/
Discussion is structured around following 4 arguments for using Contract first
- Code-first interfaces may not be well suite for the demands of remote traffic.
- Implementation code typically changes at a faster rate than the interface.
- Generated WSDL leads to interface bloat and duplicated and incompatible type definition.
- Code-first doesn’t work in a multi-lingual development organization.
After being enriched by this discussion, here is my take on the these points
Code-first interfaces many not be well suited for demands of remote traffic.
Web Service interface should not contain chatty methods. Number of method calls invoked during conversation needs to be limited for performance reasons. It does not mater whether you use Contract-first or Code-first approach, as a web service interface designer you need to keep number of method calls to minimum. In code first approach WSDL is auto generated, however web service interface is your decision. On the Contract-first side as well you could end up with chatty web service, it is you who has to design the WSDL.
Implementation code typically changes at a faster rate than the interface.
If interface is remaining same and implementation is changing, one approach is not necessarily better than other. Changes could made to back-end without changing the interface. Implementer of Code-first needs to be careful when changing the implementation not to inadvertently affect the generated WSDL by exposing extra methods.
If interface is varying, then the comparison comes into picture what does it involve
In Contract-first approach, interface changes requires collaboration on interface , data type change amongst development personal from multiple applications. Possibilities of contention are lot more when you change schema type definitions common to multiple application. Multiple applications have to conform to same Schema type definition, which in itself could be limiting due to tight coupling. Let say CRM application requires changes to representation of Address/Contact, now rest of the applications that have Address/Contact domain model associated with common Address/Contact schema type has to be change and redeployed whether they want CRM address/contact change to be reflected in their application or not. On the flip side if we were to use code first approach only the applications that have something to do with CRM Address/Contact have to be changed. Change in Contract-first is much more involved and impact is lot larger than code-first approach. Down side of code first approach is that the representation are different across the applications and mapping code for common fields in Address/Contact need to be maintained. As times goes by, Address/Contact representations across the application will grow further apart due to number of changes over the years. It is will get harder to maintain the mappings code.
I would go with code-first approach in terms of time/efforts/resources required to make a change. Changes to mapping code/new representation could still be communicated to other application groups and put on their to-do list, as opposed to expecting them to drop everything and comply with super urgent change for your application.
If you can pull off the alignment of development resources and the collaboration needed to do Contract-first approach, contract-first approach is better and will keep data type uniform across the systems. Can you do it over a prolonged period ?
Generated WSDL leads to interface bloat and duplicated and incompatible type definition.
This point again depends on skills of code-first interface designer, a well designed interface won't generate bloated WSDL. Duplicate and Incompatible data type goes back to 2nd argument discussed earlier. The time and resources required to collaborate over common data type/data type reuse will be lot more over the years.
Code-first doesn’t work in a multi-lingual development organization.
If the language provide auto-generation tools, why not.
Friday, January 15, 2010
JAXB
Data representation is a core component of communication between enterprise applications. There are a number of formats for data exchange - XML, CSV, JSON, proprietary to name a few. XML is a common format when working with web services and is also fundamental to SOA. Working with XML in Java applications often requires transformation between Java objects and XML documents. There are many open source tools (JAXB,  XMLBeans, Xstreme, JiBX, Zeus, etc.)  to achieve this transformation .  This post explores JAXB. JAXB API is part of J2SE 1.6,
Convert XML Document into Java Objects (Unmarshal)
Converting a XML document into Java objects is a common use case. XML document that is being transformed to Java objects is required to have a XML Schema to produce bindings. Following steps will achieve the transformation . As you go through these steps you will notice use of auto generated classes to get XML data, you do not have to write XML parsing code using DOM or SAX. In some cases your application may already have predefined domain classes which closely match the XML schema representation or somewhat match XML representation and you may not not like using of auto generated classes, for these cases there are ways to minimize use of auto generated classes, using some mapping libraries or using JAXB Customizations.
 
Step 2: Now that we jave java XML bindings in place. We can use these classes to convert XML document into Java objects, aka unmarshaling. Unmarshaling is performed using JAXB API and auto generated classes from step 1. Following is sample code.
To convert Java object into XML document, JAXB has schemagen tool which lets you create a Schema from your domain classes. Using Objects instances, generated XML schema and JAXB API you could generate the XML document easily. Here are some code snippets and maven configurations to ease your development.
Further Pondering
JAXB is primarily used in webservices developed using existing Java classes.
What happens when the the schema changes / domain model changes ?
Explore of JAXB annotations.
Java to XML(WSDL)nges ?
Ref: https://jaxb.dev.java.net/tutorial/
http://blogs.sun.com/CoreJavaTechTips/entry/exchanging_data_with_xml_and1
Convert XML Document into Java Objects (Unmarshal)
Converting a XML document into Java objects is a common use case. XML document that is being transformed to Java objects is required to have a XML Schema to produce bindings. Following steps will achieve the transformation . As you go through these steps you will notice use of auto generated classes to get XML data, you do not have to write XML parsing code using DOM or SAX. In some cases your application may already have predefined domain classes which closely match the XML schema representation or somewhat match XML representation and you may not not like using of auto generated classes, for these cases there are ways to minimize use of auto generated classes, using some mapping libraries or using JAXB Customizations.
- Step 1: At compile time, use XML Schema associated with XML document and JAXB tool auto generate Java classes, this is called binding (Tool lets you specify a package name and generates java Interface and Implementation source file and an ObjectFactory class which provides methods to create generated types.
Use following command..(for generating code using Maven scroll down)
jdk\bin\xjc.exe -p com.mypkgname appscheama.xsd
INPUT Schema
I have used following XML Schema to model NFL scores
xml version="1.0" encoding="UTF-8"?>
xmlns="http://www.w3.org/2001/XMLSchema" targetNamespace="http://www.example.org/SportsSchema"
xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:nfl="http://www.example.org/SportsSchema"
elementFormDefault="qualified"><xs:complexType name="TeamType">
     <xs:attribute name="name" type="xs:string"/>
     <xs:attribute name="location" type="xs:string" />
<!--xs:complexType><xs:complexType name="FootballScoreType">
   <xs:sequence>
      <xs:element name="firstTeam" type="nfl:TeamType" />
      <xs:element name="secondTeam" type="nfl:TeamType" />
      <xs:element name="firstTeamPoints" type="xs:int"  />
      <xs:element name="secondTeamPoints" type="xs:int" />
   <!--xs:sequence
<!--xs:complexType><xs:element name="scores">
   <xs:complexType>
     <xs:sequence>
         <xs:element name="score" type="nfl:FootballScoreType" maxOccurs="unbounded" />
    <!--xs:sequence>
   <!--xs:complexType>
<!--xs:element>
</schema>AUTO GENERATED CODE
Upon running the xjc tool, various Java classes representing XML schema are generated. Following is an example of generated for one of the element in schema. Notice the annotations on Java classes, this what make the binding work. Generated code also a ObjectFactory which is used to create instances of various auto generated types.
//// This file was generated by the JavaTM Architecture for XML Binding(JAXB) Reference Implementation, v2.0.2-b01-fcs
// See xml/jaxb">http://java.sun.com/xml/jaxb
// Any modifications to this file will be lost upon recompilation of the source schema.
// Generated on: 2010.01.08 at 02:37:52 PM EST
//
package com.spag.dataxchange.generated;import java.math.BigInteger;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlElement;import javax.xml.bind.annotation.XmlType;/**
*
Java class for FootballScoreType complex type. *
* <p>The following schema fragment specifies the expected content contained within this class.
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "FootballScoreType", propOrder = { "firstTeam", "secondTeam", "firstTeamPoints", "secondTeamPoints"})
public class FootballScoreType { @XmlElement(required = true)
 protected TeamType firstTeam; @XmlElement(required = true)
 protected TeamType secondTeam; @XmlElement(required = true)
 protected BigInteger firstTeamPoints; @XmlElement(required = true)
 protected BigInteger secondTeamPoints;public TeamType getFirstTeam() {return firstTeam;}
public void setFirstTeam(TeamType value) {this.firstTeam = value;}
public TeamType getSecondTeam() {return secondTeam;}
public void setSecondTeam(TeamType value) {this.secondTeam = value;}
public BigInteger getFirstTeamPoints() { return firstTeamPoints; }
public void setFirstTeamPoints(BigInteger value) {this.firstTeamPoints = value;}
public BigInteger getSecondTeamPoints() {return secondTeamPoints;}
public void setSecondTeamPoints(BigInteger value) {this.secondTeamPoints = value;}
}Step 2: Now that we jave java XML bindings in place. We can use these classes to convert XML document into Java objects, aka unmarshaling. Unmarshaling is performed using JAXB API and auto generated classes from step 1. Following is sample code.
package com.spag.dataxchange;import java.io.File;import java.util.Iterator;import java.util.List;import javax.xml.bind.JAXBContext;import javax.xml.bind.JAXBException;import javax.xml.bind.Marshaller;import javax.xml.bind.Unmarshaller;import javax.xml.bind.Validator;import com.spag.dataxchange.generated.*;
public class ScoreReader {public static void main(String [] args) {try {JAXBContext jaxbCtx = JAXBContext.newInstance("com.spag.dataxchange.generated") ;Unmarshaller reader = jaxbCtx.createUnmarshaller();Scores obj = (Scores)reader.unmarshal(new File("src/main/resources/data/scores.xml"));List list = obj.getScore();Iterator iter = list.iterator();int i = 0;while(iter.hasNext()) {i++;FootballScoreType score = iter.next();System.out.println("Game " + i );System.out.println( score.getFirstTeam().getLocation() + " - " + score.getFirstTeam().getName() + ": " + score.getFirstTeamPoints());System.out.println( score.getSecondTeam().getLocation() + " - " + score.getSecondTeam().getName() + ": " + score.getSecondTeamPoints());}} catch (JAXBException e) {e.printStackTrace();}}}
Consider the scenario where we already have domain classes defined, the challenge here is to either map the auto generated to classes to domain classes or to eliminate use of auto generated classes and go straight to domain classes. One way to eliminate/reduce use of auto generated classes  is to use JAXB Customization.  JAXB Customization tags lets you map XML schema to classes of your liking. Customizations can be specified inline with XML Schema code, however in most cases you won't be entitled to modifying the schema of XML document that being published by other application, that too referencing domain classes specific to your application.  Thanks goodness customizations can be specified in external binding file (binding.xjb).
bindings.xjb allows you to map existing classes to domain classes, when invoking the xjc comipler specify the binding file that is being used. Binding customizations can be done at various xml schema element to class mapping,
<jxb:bindings version="2.0" xmlns:jxb="http://java.sun.com/xml/ns/jaxb"
 xmlns:xs="http://www.w3.org/2001/XMLSchema">
   <jxb:bindings schemaLocation="GolfSchema.xsd" node="/xs:schema"  >
        <jxb:bindings node="//xs:complexType[@name='golfRound']">
               <jxb:class ref="com.spag.dataxchange.golf.GolfRound"/>
        <!--jxb:bindings>
        <jxb:bindings node="//xs:complexType[@name='golfer']">
              <jxb:class ref="com.spag.dataxchange.golf.Golfer"/>
        <!--jxb:bindings>
   <!--jxb:bindings>
 <!--jxb:bindings>Binding file could get unwieldy, there are other options to  map auto generated class objects to domain class objects. Dozer is such a library that provides mapping from one JavaBean to other. This library could be utilized to convert between auto generated JAXB classes and your domain model.
Maven configuration for working with JAXB, including use of mapping files.
<dependency>
<groupId>javax.xml.bind</groupId>
<artifactId>jaxb-api</artifactId>
<version>2.2</version>
</dependency>
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>jaxb2-maven-plugin</artifactId>
<version>1.3</version>
<executions>
<execution>
<id>1</id>
<goals>
<goal>xjc</goal>
</goals>
<configuration>
<outputDirectory>${project.build.directory}/generated-sources</outputDirectory>
src/main/resources/schema/nfl
<schemaFiles>SportsSchema.xsd</schemaFiles>
<packageName>com.spag.dataxchange.generated</packageName> <!-- The name of your generated source package -->
</configuration>
</execution>
<execution>
<id>2</id>
<goals>
<goal>xjc</goal>
</goals>
<configuration>
<clearOutputDir>false</clearOutputDir>
<outputDirectory>${project.build.directory}/generated-sources</outputDirectory>
src/main/resources/schema/golf
<schemaFiles>GolfSchema.xsd</schemaFiles>
<packageName>com.spag.dataxchange.golf</packageName> <!-- The name of your generated source package -->
src/main/resources/schema/golf
<bindingFiles>bindings.xjb</bindingFiles>
</configuration>
</execution>
</executions>
</plugin>
Convert Java Objects into XML document (Marshal)
To convert Java object into XML document, JAXB has schemagen tool which lets you create a Schema from your domain classes. Using Objects instances, generated XML schema and JAXB API you could generate the XML document easily. Here are some code snippets and maven configurations to ease your development.
<plugin>
 <groupId>org.codehaus.mojo</groupId>
 <artifactId>jaxb2-maven-plugin</artifactId>
 <version>1.3</version>
 <executions>
 <execution>
 <goals>
 <goal>schemagen</goal>
 </goals>
 </execution>
 </executions>
 <configuration>
 <outputDirectory>${project.build.directory}/generated-schema</outputDirectory>
 <includes>
 <include>com/spag/dataxchange/golf/*.java</include>
 </includes> <!-- The name of your generated source package -->
 </configuration>
 </plugin>Further Pondering
JAXB is primarily used in webservices developed using existing Java classes.
What happens when the the schema changes / domain model changes ?
Explore of JAXB annotations.
Java to XML(WSDL)nges ?
Ref: https://jaxb.dev.java.net/tutorial/
http://blogs.sun.com/CoreJavaTechTips/entry/exchanging_data_with_xml_and1
Subscribe to:
Comments (Atom)
 
