OK, just for fun I converted the tutorial to docbook. The dev guide is going to be a bigger project that I wanted to do this morning.
I have not committed it yet, but it is attached in case anyone wants to look at it or try to tweak the build to generate a PDF from it. It looks like you can generate Javahelp and Eclipse help files from this, too. That might be interesting... If anyone has an example of how to generate a pdf from it using ant, I'd convert the dev guide and wire the generation into the build. Larry On 9/20/06, Larry Meadors <[EMAIL PROTECTED]> wrote:
LOL, I like that "rambles on like a drunk". I am not sure what the status is of the dev guide, but I do know that it has needed work for some time, and has been neglected because of other projects. IMO, it would be best if we could somehow convert it to something like docbook, and generate it from that. Any volunteers? Larry On 9/20/06, Richard Sullivan <[EMAIL PROTECTED]> wrote: > Hi Clinton, > > Sometime last year I downloaded the devguide. Sorry I've no idea > which version it was from but the file is dated August 5 2005. I'm > going to try attaching it here. > It has section numbering and prints beautifully. It is a pleasure to > read. Unfortunately I can't say the same for the current version (no > offense meant but it rambles on like a drunk :=). Did you somehow > change your documentation generation ? > Hope it helps, > Richard > > > > On 9/20/06, Clinton Begin <[EMAIL PROTECTED]> wrote: > > > > I don't think there ever was section numbering. There are section headers, > > page numbers and a Table of Contents. > > > > Clinton > > > > > > On 9/19/06, Richard Sullivan <[EMAIL PROTECTED]> wrote: > > > Hi folks, > > > > > > The section numbering for the developer guide of Data Mapper 2.2 seems > > > to have got lost. > > > This makes reading the documentation quite difficult. > > > > > > I downloaded from the guide from > > > > > http://cvs.apache.org/dist/ibatis/ibatis.java/docs/iBATIS-SqlMaps-2_en.pdf > > > which is the link on the "iBATIS for Java Downloads" page. > > > > > > The OpenOffice version from Subversion seems to have the same problem. > > > Hopefully somebody can fix this (I am a complete ibatis newbie). > > > > > > Hope it helps, > > > Richard Sullivan > > > > > > > > > >
<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE article PUBLIC "-//OASIS//DTD DocBook XML V4.4//EN" "http://www.oasis-open.org/docbook/xml/4.4/docbookx.dtd"> <article> <title>iBATIS SQL Maps Tutorial (Java)</title> <section> <title>Introduction</title> <para>This brief tutorial will take you through a walkthrough of a typical use of SQL Maps. </para> <para>The details of each of the topics below can be found in the SQL Maps developer guide available from http://ibatis.apache.org</para> </section> <section> <title>Preparing to use SQL Maps</title> <para>The SQL Maps framework is very tolerant of bad database models and even bad object models. Despite this, it is recommended that you use best practices when designing your database (proper normalization) and your object model. By doing so, you will get good performance and a clean design.</para> <para>The easiest place to start is to analyze what youâre working with. What are your business objects? What are your database tables? How do they relate to each other? For the first example, consider the following simple Person class that conforms to the typical JavaBeans pattern.</para> <bridgehead>Java code for a person bean</bridgehead> <programlisting linenumbering="numbered">package examples.domain; //imports implied... public class Person { private Integer id; private String firstName; private String lastName; private Date birthDate; private Double weightInKilograms; private Double heightInMeters; public Integer getId () { return id; } public void setId (Integer id) { this.id = id; } // letâs assume we have the other getters and setters to save space... }</programlisting> <para>How does this Person class map to our database? SQL Maps doesnât restrict you from having relationships such as table-per-class or multiple-tables-per-class or multiple-classes-per-table. Because you have the full power of SQL available to you, there are very few restrictions. For this example, letâs use the following simple table which would be suitable for a table-per-class relationship:</para> <bridgehead>SQL to create a PERSON table</bridgehead> <programlisting linenumbering="numbered">CREATE TABLE PERSON( PER_ID NUMBER (5,0) NOT NULL, PER_FIRST_NAME VARCHAR (40) NOT NULL, PER_LAST_NAME VARCHAR (40) NOT NULL, PER_BIRTH_DATE DATETIME, PER_WEIGHT_KG NUMBER (4,2) NOT NULL, PER_HEIGHT_M NUMBER (4,2) NOT NULL, PRIMARY KEY (PER_ID) )</programlisting> </section> <section> <title>The SQL Map configuration file</title> <para>Once weâre comfortable with the classes and tables weâre working with, the best place to start is the SQL Map configuration file. This file will act as the root configuration for our SQL Map implementation.</para> <para>The configuration file is an XML file. Within it we will configure properties, JDBC DataSources and SQL Maps. It gives you a nice convenient location to centrally configure your DataSource which can be any number of different implementations. The framework can handle a number of DataSource implementations including iBATIS SimpleDataSource, Jakarta DBCP (Commons), and any DataSource that can be looked up via a JNDI context (e.g. from within an app server). These are described in more detail in the Developerâs Guide. The structure is simple and for the example above, might look like this:</para> <bridgehead>A sample SqlMapConfig.xml file</bridgehead> <programlisting><?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE sqlMapConfig PUBLIC "-//ibatis.apache.org//DTD SQL Map Config 2.0//EN" "http://ibatis.apache.org/dtd/sql-map-config-2.dtd"> <!-- Always ensure to use the correct XML header as above! --> <sqlMapConfig> <!-- The properties (name=value) in the file specified here can be used placeholders in this config file (e.g. â${driver}â. The file is usually relative to the classpath and is optional. --> <properties resource="examples/sqlmap/maps/SqlMapConfigExample.properties" /> <!-- These settings control SqlMap configuration details, primarily to do with transaction management. They are all optional (see the Developer Guide for more). --> <settings cacheModelsEnabled="true" enhancementEnabled="true" lazyLoadingEnabled="true" maxRequests="32" maxSessions="10" maxTransactions="5" useStatementNamespaces="false" /> <!-- Type aliases allow you to use a shorter name for long fully qualified class names. --> <typeAlias alias="order" type="testdomain.Order"/> <!-- Configure a datasource to use with this SQL Map using SimpleDataSource. Notice the use of the properties from the above resource --> <transactionManager type="JDBC" > <dataSource type="SIMPLE"> <property name="JDBC.Driver" value="${driver}"/> <property name="JDBC.ConnectionURL" value="${url}"/> <property name="JDBC.Username" value="${username}"/> <property name="JDBC.Password" value="${password}"/> </dataSource> </transactionManager> <!-- Identify all SQL Map XML files to be loaded by this SQL map. Notice the paths are relative to the classpath. For now, we only have one⦠--> <sqlMap resource="examples/sqlmap/maps/Person.xml" /> </sqlMapConfig></programlisting> <bridgehead>A sample properties file</bridgehead> <programlisting># This is just a simple properties file that simplifies automated configuration # of the SQL Maps configuration file (e.g. by Ant builds or continuous # integration tools for different environments⦠etc.) # These values can be used in any property value in the file above (e.g. â${driver}â) # Using a properties file such as this is completely optional. driver=oracle.jdbc.driver.OracleDriver url=jdbc:oracle:thin:@localhost:1521:oracle1 username=jsmith password=test</programlisting> </section> <section> <title>The SQL Map file(s)</title> <para>Now that we have a DataSource configured and our central configuration file is ready to go, we will need to provide the actual SQL Map file which contains our SQL code and the mappings for parameter objects and result objects (input and output respectively).</para> <para>Continuing with our example above, letâs build an SQL Map file for the Person class and the PERSON table. Weâll start with the general structure of an SQL document, and a simple select statement:</para> <bridgehead>A VERY simple SQL map file: Person.sql</bridgehead> <programlisting><?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE sqlMap PUBLIC "-//ibatis.apache.org//DTD SQL Map 2.0//EN" "http://ibatis.apache.org/dtd/sql-map-2.dtd"> <sqlMap namespace="Person"> <select id="getPerson" resultClass="examples.domain.Person"> SELECT PER_ID as id, PER_FIRST_NAME as firstName, PER_LAST_NAME as lastName, PER_BIRTH_DATE as birthDate, PER_WEIGHT_KG as weightInKilograms, PER_HEIGHT_M as heightInMeters FROM PERSON WHERE PER_ID = #value# </select> </sqlMap></programlisting> <para>The above example shows the simplest form of SQL Map. It uses a feature of the SQL Maps framework that automatically maps the columns of a ResultSet to JavaBeans properties (or Map keys etc.) based on name matching. The #value# token is an input parameter. More specifically, the use of âvalueâ implies that we are using a simple primitive wrapper type (e.g. Integer; but weâre not limited to this). </para> <para>Although very simple, there are some limitations of using the auto-result mapping approach. There is no way to specify the types of the output columns (if necessary) or to automatically load related data (complex properties), and there is also a slight performance implication in that this approach requires accessing the ResultSetMetaData. By using a resultMap, we can overcome all of these limitations. But, for now simplicity is our goal, and we can always change to a different approach later (without changing the Java source code).</para> <para>Most database applications donât simply read from the database, they also have to modify data in the database. Weâve already seen an example of how a simple SELECT looks in a mapped statement, but what about INSERT, UPDATE and DELETE? The good news is that itâs no different. Below we will complete our Person SQL Map with more statements to provide a complete set of statements for accessing and modifying data. </para> <bridgehead>A more complete SQL map file: Person.xml (revisisted)</bridgehead> <programlisting><?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE sqlMap PUBLIC "-//ibatis.apache.org//DTD SQL Map 2.0//EN" "http://ibatis.apache.org/dtd/sql-map-2.dtd"> <sqlMap namespace="Person"> <!-- Use primitive wrapper type (e.g. Integer) as parameter and allow results to be auto-mapped results to Person object (JavaBean) properties --> <select id="getPerson" parameterClass=âintâ resultClass="examples.domain.Person"> SELECT PER_ID as id, PER_FIRST_NAME as firstName, PER_LAST_NAME as lastName, PER_BIRTH_DATE as birthDate, PER_WEIGHT_KG as weightInKilograms, PER_HEIGHT_M as heightInMeters FROM PERSON WHERE PER_ID = #value# </select> <!-- Use Person object (JavaBean) properties as parameters for insert. Each of the parameters in the #hash# symbols is a JavaBeans property. --> <insert id="insertPerson" parameterClass="examples.domain.Person"> INSERT INTO PERSON ( PER_ID, PER_FIRST_NAME, PER_LAST_NAME, PER_BIRTH_DATE, PER_WEIGHT_KG, PER_HEIGHT_M ) VALUES ( #id#, #firstName#, #lastName#, #birthDate#, #weightInKilograms#, #heightInMeters# ) </insert> <!-- Use Person object (JavaBean) properties as parameters for update. Each of the parameters in the #hash# symbols is a JavaBeans property. --> <update id="updatePerson" parameterClass="examples.domain.Person"> UPDATE PERSON SET PER_FIRST_NAME = #firstName#, PER_LAST_NAME = #lastName#, PER_BIRTH_DATE = #birthDate#, PER_WEIGHT_KG = #weightInKilograms#, PER_HEIGHT_M = #heightInMeters# WHERE PER_ID = #id# </update> <!-- Use Person object (JavaBean) âidâ properties as parameters for delete. Each of the parameters in the #hash# symbols is a JavaBeans property. --> <delete id="deletePerson" parameterClass="examples.domain.Person"> DELETE PERSON WHERE PER_ID = #id# </delete> </sqlMap></programlisting> </section> <section> <title>Programming with the SQL Map Framework</title> <para>Now that we are all configured and mapped, all we need to do is code it in our Java application. The first step is to configure the SQL Map. This is very simply a matter of loading our SQL Map configuration XML file that we created before. To simplify loading the XML file, we can make use of the Resources class included with the framework.</para> <bridgehead>Coding to the SQL Map API</bridgehead> <programlisting>String resource = âcom/ibatis/example/sqlMap-config.xmlâ; Reader reader = Resources.getResourceAsReader (resource); SqlMapClient sqlMap = SqlMapClientBuilder.buildSqlMapClient(reader);</programlisting> <para>The SqlMapClient object is a long-lived, thread safe service object. For a given run of an application, you only need to instantiate/configure it once. This makes it a good candidate for a static member of a base class (e.g. base DAO class), or if you prefer to have it more centrally configured and globally available, you could wrap it up in a convenience class of your own. Here is an example of a convenience class you could write:</para> <bridgehead>An example of how to load the SQL Map client</bridgehead> <programlisting>public MyAppSqlConfig { private static final SqlMapClient sqlMap; static { try { String resource = âcom/ibatis/example/sqlMap-config.xmlâ; Reader reader = Resources.getResourceAsReader (resource); sqlMap = SqlMapClientBuilder.buildSqlMapClient(reader); } catch (Exception e) { // If you get an error at this point, it doesnât matter what it was. It is going to be // unrecoverable and we will want the app to blow up hard so we are aware of the // problem. You should always log such errors and re-throw them in such a way that // you can be made immediately aware of the problem. e.printStackTrace(); throw new RuntimeException (âError initializing MyAppSqlConfig class. Cause: â + e); } } public static SqlMapClient getSqlMapInstance () { return sqlMap; } }</programlisting> </section> <section> <title>Reading Objects from the Database</title> <para>Now that the SqlMap instance is initialized and easily accessible, we can make use of it. Letâs first use it to get a Person object from the database. (For this example, letâs assume thereâs 10 PERSON records in the database ranging from PER_ID 1 to 10).</para> <para>To get a Person object from the database, we simply need the SqlMap instance, the name of the mapped statement and a Person ID. Letâs load Person #5.</para> <programlisting>... SqlMapClient sqlMap = MyAppSqlMapConfig.getSqlMapInstance(); // as coded above ... Integer personPk = 5; // for older JDKs, use new Integer(5) Person person = (Person) sqlMap.queryForObject (âgetPersonâ, personPk);</programlisting> </section> <section> <title>Writing Objects to the Database </title> <para>We now have a Person object from the database. Letâs modify some data. Weâll change the personâs height and weight.</para> <bridgehead>Changing a person</bridgehead> <programlisting>// person as read above... person.setHeightInMeters(1.83); // again use new for older JDKs person.setWeightInKilograms(86.36); sqlMap.update("updatePerson", person);</programlisting> <para>If we wanted to delete this Person, itâs just as easy.</para> <bridgehead>Deleting a person</bridgehead> <programlisting>sqlMap.delete("deletePerson", person);</programlisting> <bridgehead>Creating a new person</bridgehead> <programlisting>Person newPerson = new Person(); newPerson.setId(11); // you would normally get the ID from a sequence or custom table newPerson.setFirstName(âClintonâ); newPerson.setLastName(âBeginâ); newPerson.setBirthDate (null); newPerson.setHeightInMeters(1.83); newPerson.setWeightInKilograms(86.36);</programlisting> <para>That is all there is to it!</para> </section> <section> <title>Next Stepsâ¦</title> <para>This is the end of this brief tutorial. Please visit http://ibatis.apache.org for the complete SQL Maps 2.0 Developer Guide, as well as JPetStore 4, which is an example of a complete working web application based on Jakarta Struts, iBATIS DAO 2.0 and SQL Maps 2.0</para> </section> </article>