JDOM Overview. Application development with XML and Java. Application Development with XML and Java. JDOM Philosophy. JDOM and Sun
|
|
|
- Aubrie Copeland
- 10 years ago
- Views:
Transcription
1 JDOM Overview Application Development with XML and Java Lecture 7 XML Parsing JDOM JDOM: Java Package for easily reading and building XML documents. Created by two programmers: Brett McLaughlin and Jason Hunter. Started as an open source project in Started because of programmers general frustration with the regular DOM API Package. From the JDOM Web site: Build a better mousetrap and the world will beat a path to your door. -- Emerson JDOM Web Site: Official JDOM FAQ: JDOM Philosophy JDOM should be straightforward for Java programmers. JDOM should support easy and efficient document modification. JDOM should hide the complexities of XML wherever possible, while remaining true to the XML specification. JDOM should integrate with DOM and SAX. JDOM should be lightweight and fast. JDOM should solve 80% (or more) of Java/XML problems with 20% (or less) of the effort JDOM and Sun Sun maintains a process called, Java Community Process This enables groups of developers to suggest new API for the core Java platform. To be considered, a new API is given a Java Specification Request (JSR.) JSRs are then reviewed, and are either accepted into the Java Platform or rejected. JDOM has been under consideration as JSR 102. Recently, JSR 102 was approved for eventual inclusion into the core Java platform. It is currently unclear which package JDOM will be included in: the standard kit or the enterprise kit. Either way, JDOM will probably become an official part of Java. JDOM is fast becoming a standard, and has received widespread support.
2 JDOM v. DOM JDOM v. DOM DOM: The main issue with the DOM is that it was defined to be language independent. This is generally a good thing, because you can therefore use the DOM in multiple languages, e.g. C, C++, Perl, Java, etc. However, it also presents several problems, including: DOM is not optimized for Java, and DOM API is very large JDOM JDOM was designed for Java optimization. Makes it much easier for regular Java programmers. JDOM API is much smaller and more manageable than the DOM API. JDOM JDOM was designed for Java optimization. Makes it much easier for regular Java programmers. JDOM API is much smaller and more manageable than the DOM API. JDOM API Overview JDOM has four main packages: org.jdom: classes that represent an XML document and its parts. org.jdom.input: classes for reading a document into memory. org.jdom.output: classes for writing a document to a stream or file. org.jdom.adapters: classes for hooking up to DOM implementations (we are skipping this package.) JDOM Parsers JDOM is not actually an XML parser. Rather, JDOM is an interface for manipulating/creating XML documents. To work, JDOM needs an XML parser to do the actual parsing. JDOM works with lots of different parsers: Oracle XML Parser Sun XML Parser etc., etc. By default, JDOM will use the Xerces XML Parser. Xerces is automatically bundled with JDOM, so it works right out of the box. All the examples in class assume the default Xerces parser.
3 Basic Example jdom1.java: works with local files Takes an XML file name from the command line. Displays the specified XML file. To read in an XML file, use the org.jdom.input package. There are two main options: SAXBuilder: uses a SAX parser to build the document (faster option, recommended.) DOMBuilder: uses a DOM parser to build the document (slower option, not recommended.) Using the SAXBuilder To read in a local file via the SAXBuilder: SAXBuilder builder = new SAXBuilder(); Document doc=builder.build(new File(fileName)); Once you have a builder object, call the build() method, and specify a File object. The build() method will return a Document object. The Document object encapsulates all data regarding your XML document. XML Output: org.jdom.output To output an XML document, use the org.jdom.output package. The main class here is the XMLOutputter class. XMLOutputter is used to easily output any XML document to the screen or a specific file. XMLOutputter To output an XML document to the screen: XMLOutputter out = new XMLOutputter (); out.output (doc, System.out); Here, you are specifying an XML Document object, and an output stream.
4 JDOM1 Example To use JDOM1, specify an XML file on the command line. For example: java jdom1 document.xml Program output: JDOM1 Example Downloading file: document.xml <?xml version="1.0" encoding="utf-8"?> <!DOCTYPE DOCUMENT SYSTEM "simple.dtd"> <DOCUMENT tracknum="1234" seclevel="unclassified"> <TITLE>Sample Document</TITLE> <AUTHOR> <LASTNAME>Kosmopoulos</LASTNAME> <COMPANY>City</COMPANY></AUTHOR> <SUMMARY>This is element text and an entity follows:this is a very simple sample document. </SUMMARY> </DOCUMENT> import avail.*; import org.jdom.*; import org.jdom.input.saxbuilder; import org.jdom.output.xmloutputter; /** * Basic JDOM Example * Outputs any local XML file specified on the command line * Example usage: * java jdom1 document.xml */ public class jdom1 { // Download and Output XML File public void process (String filename) { try { // Use SAXBuilder SAXBuilder builder = new SAXBuilder(); Document doc = builder.build(new File(fileName)); JDOMException // Use XMLOutputter XMLOutputter out = new XMLOutputter (); out.output (doc, System.out); catch (Exception e) { e.printstacktrace(); In the event of a well-formedness error, JDOM will throw a JDOMException. For example, let us parse the XML document on the next slide public static void main (String[] args) { System.out.println ("JDOM1 Example"); System.out.println ("Downloading file: "+args[0]); jdom1 app = new jdom1(); app.process(args[0]);
5 Well-formedness Errors <?xml version="1.0" encoding="utf- 8"?> <!DOCTYPE DOCUMENT SYSTEM "simple.dtd"> <DOCUMENT tracknum="1234"> <TITLE>Sample Document</TITLE> <AUTHOR> <FIRSTNAME>Kosmas</FIRSTNAME> <LASTNAME>Kosmopoulos</LASTNAME> <COMPANY>City</COMPANY></AUTHOR> <SUMMARY>This is element text and an entity follows: This is a very simple sample document. </SUMMARY> End </DOCUMENT> tag is missing. Hence, document is not well-formed. jdom1 will output the following error: JDOM1 Example Downloading file: document2.xml org.jdom.jdomexception: Error on line 10 of document file:/home1/e/eqc3844/xml/document 2.xml: The element type "DOCUMENT" must be terminated by the matching end -tag "</DOCUMENT>". at org.jdom.input.saxbuilder.build(sa XBuilder.java:296) at org.jdom.input.saxbuilder.build(sa XBuilder.java:617) at org.jdom.input.saxbuilder.build(sa XBuilder.java:599) at jdom1.process(jdom1.java:20) at jdom1.main(jdom1.java:34) Validation JDOM2 By default, validation is turned off. Hence, by default, errors in validity are completely ignored. To turn validation on, pass true to the Builder constructor. For example: SAXBuilder builder = new SAXBuilder (true); With validation turned on, validation errors are reported as JDOMExceptions. JDOM2 turns validation on. Errors in well-formedness are reported as JDOMExceptions. Errors in validity are also reported as JDOMExceptions. If no errors occur, program outputs: Document is well-formed Document is valid
6 import avail.*; import org.jdom.*; import org.jdom.input.saxbuilder; import org.jdom.output.xmloutputter; /** * Basic JDOM Example * Outputs any local XML file specified on the command line * Performs XML Validation * Example usage: * java jdom2 document.xml */ public class jdom2 { // Download and Output XML File public void process (String filename) { try { // Use SAXBuilder // turn XML validation on SAXBuilder builder = new SAXBuilder (true); Document doc = builder.build(new File(fileName)); // If we get here without any exceptions, // the document is both well-formed and valid System.out.println ("Document is wellformed"); System.out.println ("Document is valid"); catch (JDOMException e) { System.out.println ("JDOM Exception: "+e.getmessage()); public static void main (String[] args) { System.out.println ("JDOM2 Example with Validation"); System.out.println ("Downloading file: "+args[0]); jdom2 app = new jdom2(); app.process(args[0]); JDOM Tree Every XML document will have a root element. For example, in the following XML document: <?xml version="1.0" encoding="utf-8"?> <!DOCTYPE WEATHER SYSTEM "Weather.dtd"> <WEATHER> <CITY NAME="Hong Kong"> <HI>87</HI> <LOW>78</LOW> </CITY> </WEATHER> WEATHER is the root element. Working with the Root Node To get the root Element, use the following code: SAXBuilder builder = new SAXBuilder(); Document doc = builder.build(new URL(url)); Element root = doc.getrootelement(); Once you have the root node, you can walk through the XML tree. Element Data Given any XML element, you can retrieve the element name or the embedded text. For example: element.getname(): Returns name of the element. element.gettext(): Returns embedded text.
7 Getting Element Children You can also query an Element for a list of children. For example, given the following XML: <CITY NAME="Hong Kong"> <HI>87</HI> <LOW>78</LOW> </CITY> The CITY element has two children: HI and LOW. Getting Element Children To get a List of children, call the getchildren() method. Example: List kids = element.getchildren(); Iterator iterator = kids.iterator(); while (iterator.hasnext()) { Element kid = (Element) iterator.next(); processelement (kid); getchildren() returns a Java List object. You can then iterate through the list of children. Example: jdom3.java jdom3.java downloads an RSS News File containing top news stories. Once downloaded, the program walks the entire XML tree, and simply prints out the names of all elements within the document. It also keeps a running count of the number of elements. Sample Source File <?xml version="1.0" encoding="iso "?> <!DOCTYPE moreovernews SYSTEM " vernews.dtd"> <moreovernews> <article id="_ "> <url> <headline_text>niaid Establishes Functional Genomic Research Center</headline_text> <source>unisci</source> <media_type>text</media_type> <cluster>moreover...</cluster> <tagline> </tagline> <document_url> ument_url> <harvest_time>dec :59AM</harvest_time> <access_registration> </access_registration> <access_status> </access_status> </article>
8 Sample Output moreovernews article url headline_text source media_type cluster tagline document_url harvest_time access_registration access_status article url The program simply outputs all elements within the XML document. import avail.*; import java.net.*; import java.util.list; import java.util.iterator; import org.jdom.*; import org.jdom.input.saxbuilder; import org.jdom.output.xmloutputter; /** * Basic JDOM Example * Illustrates how to traverse a JDOM tree * Example usage: * java jdom4 */ public class jdom4 { private int numelements = 0; // Download and Output XML File public void process (String url) throws MalformedURLException { try { // Use SAXBuilder SAXBuilder builder = new SAXBuilder(); Document doc = builder.build(new URL(url)); Element root = doc.getrootelement(); processelement (root); System.out.println ("Total Number of Elements Processed: " +numelements); catch (JDOMException e) { System.out.println ("JDOM Exception: "+e.getmessage()); // Recursive Function to Process Elements // Prints the Element Name and keeps a running count // out total number of elements. private void processelement (Element element) { numelements++; String elementname = element.getname(); System.out.println (elementname); List kids = element.getchildren(); Iterator iterator = kids.iterator(); while (iterator.hasnext()) { Element kid = (Element) iterator.next(); processelement (kid); // Recursive
9 public static void main (String[] args) throws Exception { System.out.println ("JDOM3 Example"); jdom3 app = new jdom3(); app.process(" -local/page?"+ "c=top%20stories&o=xml");
XML & Databases. Tutorial. 2. Parsing XML. Universität Konstanz. Database & Information Systems Group Prof. Marc H. Scholl
XML & Databases Tutorial Christian Grün, Database & Information Systems Group University of, Winter 2007/08 DOM Document Object Model Idea mapping the whole XML document to main memory The XML Processor
by LindaMay Patterson PartnerWorld for Developers, AS/400 January 2000
Home Products Consulting Industries News About IBM by LindaMay Patterson PartnerWorld for Developers, AS/400 January 2000 Copyright IBM Corporation, 1999. All Rights Reserved. All trademarks or registered
Last Week. XML (extensible Markup Language) HTML Deficiencies. XML Advantages. Syntax of XML DHTML. Applets. Modifying DOM Event bubbling
XML (extensible Markup Language) Nan Niu ([email protected]) CSC309 -- Fall 2008 DHTML Modifying DOM Event bubbling Applets Last Week 2 HTML Deficiencies Fixed set of tags No standard way to create new
N CYCLES software solutions. XML White Paper. Where XML Fits in Enterprise Applications. May 2001
N CYCLES software solutions White Paper Where Fits in Enterprise Applications May 2001 65 Germantown Court 1616 West Gate Circle Suite 205 Nashville, TN 37027 Cordova, TN 38125 Phone 901-756-2705 Phone
Email API Document. 2012 Webaroo Technology India Pvt. Ltd.
Email API Document 2012 Webaroo Technology India Pvt. Ltd. All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or mechanical, including photocopying,
Java Application Developer Certificate Program Competencies
Java Application Developer Certificate Program Competencies After completing the following units, you will be able to: Basic Programming Logic Explain the steps involved in the program development cycle
Oracle WebLogic Server
Oracle WebLogic Server Monitoring and Managing with the Java EE Management APIs 10g Release 3 (10.3) July 2008 Oracle WebLogic Server Monitoring and Managing with the Java EE Management APIs, 10g Release
Java CPD (I) Frans Coenen Department of Computer Science
Java CPD (I) Frans Coenen Department of Computer Science Content Session 1, 12:45-14:30 (First Java Programme, Inheritance, Arithmetic) Session 2, 14:45-16:45 (Input and Programme Constructs) Materials
Chulalongkorn University International School of Engineering Department of Computer Engineering 2140105 Computer Programming Lab.
Chulalongkorn University Name International School of Engineering Student ID Department of Computer Engineering Station No. 2140105 Computer Programming Lab. Date Lab 2 Using Java API documents, command
Introduction to XML Applications
EMC White Paper Introduction to XML Applications Umair Nauman Abstract: This document provides an overview of XML Applications. This is not a comprehensive guide to XML Applications and is intended for
High Performance XML Data Retrieval
High Performance XML Data Retrieval Mark V. Scardina Jinyu Wang Group Product Manager & XML Evangelist Oracle Corporation Senior Product Manager Oracle Corporation Agenda Why XPath for Data Retrieval?
Division of Informatics, University of Edinburgh
CS1Bh Lecture Note 20 Client/server computing A modern computing environment consists of not just one computer, but several. When designing such an arrangement of computers it might at first seem that
Overview of Web Services API
1 CHAPTER The Cisco IP Interoperability and Collaboration System (IPICS) 4.5(x) application programming interface (API) provides a web services-based API that enables the management and control of various
Using the Monitoring and Report Viewer Web Services
CHAPTER 3 Using the Monitoring and Report Viewer Web Services This chapter describes the environment that you must set up to use the web services provided by the Monitoring and Report Viewer component
CST6445: Web Services Development with Java and XML Lesson 1 Introduction To Web Services 1995 2008 Skilltop Technology Limited. All rights reserved.
CST6445: Web Services Development with Java and XML Lesson 1 Introduction To Web Services 1995 2008 Skilltop Technology Limited. All rights reserved. Opening Night Course Overview Perspective Business
Processing XML with Java A Performance Benchmark
Processing XML with Java A Performance Benchmark Bruno Oliveira 1,Vasco Santos 1 and Orlando Belo 2 1 CIICESI, School of Management and Technology, Polytechnic of Porto Felgueiras, PORTUGAL {bmo,vsantos}@estgf.ipp.pt
Cisco BTS 10200 Softswitch SOAP Adapter Interface Specification Programmer s Guide, Release 7.0
Cisco BTS 10200 Softswitch SOAP Adapter Interface Specification Programmer s Guide, Release 7.0 July 2010 Americas Headquarters Cisco Systems, Inc. 170 West Tasman Drive San Jose, CA 95134-1706 USA http://www.cisco.com
Chapter 1 Java Program Design and Development
presentation slides for JAVA, JAVA, JAVA Object-Oriented Problem Solving Third Edition Ralph Morelli Ralph Walde Trinity College Hartford, CT published by Prentice Hall Java, Java, Java Object Oriented
Learning Outcomes. Networking. Sockets. TCP/IP Networks. Hostnames and DNS TCP/IP
CP4044 Lecture 7 1 Networking Learning Outcomes To understand basic network terminology To be able to communicate using Telnet To be aware of some common network services To be able to implement client
Services. Custom Tag Libraries. Today. Web Development. Role-Based. Development. Code Reuse. Tag Libraries Custom Tags. Tag Lifecycle.
JSP, and JSP, and 1 JSP, and Custom Lecture #6 2008 2 JSP, and JSP, and interfaces viewed as user interfaces methodologies derived from software development done in roles and teams role assignments based
JBoss Portlet Container. User Guide. Release 2.0
JBoss Portlet Container User Guide Release 2.0 1. Introduction.. 1 1.1. Motivation.. 1 1.2. Audience 1 1.3. Simple Portal: showcasing JBoss Portlet Container.. 1 1.4. Resources. 1 2. Installation. 3 2.1.
Java Programming Language
Lecture 1 Part II Java Programming Language Additional Features and Constructs Topics in Quantitative Finance: Numerical Solutions of Partial Differential Equations Instructor: Iraj Kani Subclasses and
<Insert Picture Here> What's New in NetBeans IDE 7.2
Slide 1 What's New in NetBeans IDE 7.2 The following is intended to outline our general product direction. It is intended for information purposes only, and may not be incorporated
Managing large sound databases using Mpeg7
Max Jacob 1 1 Institut de Recherche et Coordination Acoustique/Musique (IRCAM), place Igor Stravinsky 1, 75003, Paris, France Correspondence should be addressed to Max Jacob ([email protected]) ABSTRACT
Amazon Glacier. Developer Guide API Version 2012-06-01
Amazon Glacier Developer Guide Amazon Glacier: Developer Guide Copyright 2016 Amazon Web Services, Inc. and/or its affiliates. All rights reserved. Amazon's trademarks and trade dress may not be used in
Developing XML Solutions with JavaServer Pages Technology
Developing XML Solutions with JavaServer Pages Technology XML (extensible Markup Language) is a set of syntax rules and guidelines for defining text-based markup languages. XML languages have a number
The Java Series. Java Essentials I What is Java? Basic Language Constructs. Java Essentials I. What is Java?. Basic Language Constructs Slide 1
The Java Series Java Essentials I What is Java? Basic Language Constructs Slide 1 What is Java? A general purpose Object Oriented programming language. Created by Sun Microsystems. It s a general purpose
DTS Web Developers Guide
Apelon, Inc. Suite 202, 100 Danbury Road Ridgefield, CT 06877 Phone: (203) 431-2530 Fax: (203) 431-2523 www.apelon.com Apelon Distributed Terminology System (DTS) DTS Web Developers Guide Table of Contents
Logging in Java Applications
Logging in Java Applications Logging provides a way to capture information about the operation of an application. Once captured, the information can be used for many purposes, but it is particularly useful
Selenium Automation set up with TestNG and Eclipse- A Beginners Guide
Selenium Automation set up with TestNG and Eclipse- A Beginners Guide Authors: Eevuri Sri Harsha, Ranjani Sivagnanam Sri Harsha is working as an Associate Software Engineer (QA) for IBM Policy Atlas team
Masters programmes in Computer Science and Information Systems. Object-Oriented Design and Programming. Sample module entry test xxth December 2013
Masters programmes in Computer Science and Information Systems Object-Oriented Design and Programming Sample module entry test xxth December 2013 This sample paper has more questions than the real paper
What Perl Programmers Should Know About Java
Beth Linker, [email protected] Abstract The Java platform is by no means a replacement for Perl, but it can be a useful complement. Even if you do not need to or want to use Java, you should know a bit
Connecting Custom Services to the YAWL Engine. Beta 7 Release
Connecting Custom Services to the YAWL Engine Beta 7 Release Document Control Date Author Version Change 25 Feb 2005 Marlon Dumas, 0.1 Initial Draft Tore Fjellheim, Lachlan Aldred 3 March 2006 Lachlan
Install Java Development Kit (JDK) 1.8 http://www.oracle.com/technetwork/java/javase/downloads/index.html
CS 259: Data Structures with Java Hello World with the IntelliJ IDE Instructor: Joel Castellanos e-mail: joel.unm.edu Web: http://cs.unm.edu/~joel/ Office: Farris Engineering Center 319 8/19/2015 Install
OpenOffice.org Extensions development in Java with NetBeans in practise. Jürgen Schmidt OpenOffice.org Sun Microsystems, Inc.
OpenOffice.org Extensions development in Java with NetBeans in practise Jürgen Schmidt OpenOffice.org Sun Microsystems, Inc. 1 OpenOffice.org Extensions development in Java with NetBeans in practise Motivation
Contents. 9-1 Copyright (c) 1999-2004 N. Afshartous
Contents 1. Introduction 2. Types and Variables 3. Statements and Control Flow 4. Reading Input 5. Classes and Objects 6. Arrays 7. Methods 8. Scope and Lifetime 9. Utility classes 10. Introduction to
JobScheduler Web Services Executing JobScheduler commands
JobScheduler - Job Execution and Scheduling System JobScheduler Web Services Executing JobScheduler commands Technical Reference March 2015 March 2015 JobScheduler Web Services page: 1 JobScheduler Web
Overview of DatadiagramML
Overview of DatadiagramML Microsoft Corporation March 2004 Applies to: Microsoft Office Visio 2003 Summary: This document describes the elements in the DatadiagramML Schema that are important to document
Lecture J - Exceptions
Lecture J - Exceptions Slide 1 of 107. Exceptions in Java Java uses the notion of exception for 3 related (but different) purposes: Errors: an internal Java implementation error was discovered E.g: out
Java SE 8 Programming
Oracle University Contact Us: 1.800.529.0165 Java SE 8 Programming Duration: 5 Days What you will learn This Java SE 8 Programming training covers the core language features and Application Programming
Web Service Caching Using Command Cache
Web Service Caching Using Command Cache Introduction Caching can be done at Server Side or Client Side. This article focuses on server side caching of web services using command cache. This article will
API for java.util.iterator. ! hasnext() Are there more items in the list? ! next() Return the next item in the list.
Sequences and Urns 2.7 Lists and Iterators Sequence. Ordered collection of items. Key operations. Insert an item, iterate over the items. Design challenge. Support iteration by client, without revealing
DTD Tutorial. About the tutorial. Tutorial
About the tutorial Tutorial Simply Easy Learning 2 About the tutorial DTD Tutorial XML Document Type Declaration commonly known as DTD is a way to describe precisely the XML language. DTDs check the validity
First Java Programs. V. Paúl Pauca. CSC 111D Fall, 2015. Department of Computer Science Wake Forest University. Introduction to Computer Science
First Java Programs V. Paúl Pauca Department of Computer Science Wake Forest University CSC 111D Fall, 2015 Hello World revisited / 8/23/15 The f i r s t o b l i g a t o r y Java program @author Paul Pauca
Specialized Programme on Web Application Development using Open Source Tools
Specialized Programme on Web Application Development using Open Source Tools Objective: At the end of the course, Students will be able to: Understand various open source tools(programming tools and databases)
Pre-authentication XXE vulnerability in the Services Drupal module
Pre-authentication XXE vulnerability in the Services Drupal module Security advisory 24/04/2015 Renaud Dubourguais www.synacktiv.com 14 rue Mademoiselle 75015 Paris 1. Vulnerability description 1.1. The
Specialized Programme on Web Application Development using Open Source Tools
Specialized Programme on Web Application Development using Open Source Tools A. NAME OF INSTITUTE Centre For Development of Advanced Computing B. NAME/TITLE OF THE COURSE C. COURSE DATES WITH DURATION
Session Topic. Session Objectives. Extreme Java G22.3033-007. XML Data Processing for Java MOM and POP Applications
Extreme Java G22.3033-007 Session 3 - Sub-Topic 4 XML Data Processing for Java MOM & POP Applications Dr. Jean-Claude Franchitti New York University Computer Science Department Courant Institute of Mathematical
Evaluation. Copy. Evaluation Copy. Chapter 7: Using JDBC with Spring. 1) A Simpler Approach... 7-2. 2) The JdbcTemplate. Class...
Chapter 7: Using JDBC with Spring 1) A Simpler Approach... 7-2 2) The JdbcTemplate Class... 7-3 3) Exception Translation... 7-7 4) Updating with the JdbcTemplate... 7-9 5) Queries Using the JdbcTemplate...
Remote Method Invocation in JAVA
Remote Method Invocation in JAVA Philippe Laroque [email protected] $Id: rmi.lyx,v 1.2 2003/10/23 07:10:46 root Exp $ Abstract This small document describes the mechanisms involved
CHAPTER 6 EXTRACTION OF METHOD SIGNATURES FROM UML CLASS DIAGRAM
CHAPTER 6 EXTRACTION OF METHOD SIGNATURES FROM UML CLASS DIAGRAM 6.1 INTRODUCTION There are various phases in software project development. The various phases are: SRS, Design, Coding, Testing, Implementation,
5 HDFS - Hadoop Distributed System
5 HDFS - Hadoop Distributed System 5.1 Definition and Remarks HDFS is a file system designed for storing very large files with streaming data access patterns running on clusters of commoditive hardware.
Fundamentals of Java Programming
Fundamentals of Java Programming This document is exclusive property of Cisco Systems, Inc. Permission is granted to print and copy this document for non-commercial distribution and exclusive use by instructors
REDUCING THE COST OF GROUND SYSTEM DEVELOPMENT AND MISSION OPERATIONS USING AUTOMATED XML TECHNOLOGIES. Jesse Wright Jet Propulsion Laboratory,
REDUCING THE COST OF GROUND SYSTEM DEVELOPMENT AND MISSION OPERATIONS USING AUTOMATED XML TECHNOLOGIES Colette Wilklow MS 301-240, Pasadena, CA phone + 1 818 354-4674 fax + 1 818 393-4100 email: [email protected]
KC Data Integration Web Service Developer Guide
KC Data Integration Web Service Developer Guide Kewill Copyright Notice Copyright 2016 by Kewill Inc. All rights reserved. This document is the property of Kewill and the information contained herein is
Specific Simple Network Management Tools
Specific Simple Network Management Tools Jürgen Schönwälder University of Osnabrück Albrechtstr. 28 49069 Osnabrück, Germany Tel.: +49 541 969 2483 Email: Web:
Hibernate Language Binding Guide For The Connection Cloud Using Java Persistence API (JAP)
Hibernate Language Binding Guide For The Connection Cloud Using Java Persistence API (JAP) Table Of Contents Overview... 3 Intended Audience... 3 Prerequisites... 3 Term Definitions... 3 Introduction...
DataDirect XQuery Technical Overview
DataDirect XQuery Technical Overview Table of Contents 1. Feature Overview... 2 2. Relational Database Support... 3 3. Performance and Scalability for Relational Data... 3 4. XML Input and Output... 4
How To Create A Native Ad On A Nast On A Pc Or Mac Or Ipad (For Android) On A Mac Or Mac) On Pc Or Ipa (For Mac Or Pc) On An Android Or Ipam (For Pc Or
NATIVE AD SERVING TEMPLATE (NAST) VERSION 1.0 Released Feb 15, 2014 Document Summary The NAST Standard is a first attempt to standardize the transfer of native advertising units in advertising by providing
Using Files as Input/Output in Java 5.0 Applications
Using Files as Input/Output in Java 5.0 Applications The goal of this module is to present enough information about files to allow you to write applications in Java that fetch their input from a file instead
Advanced Object Oriented Database access using PDO. Marcus Börger
Advanced Object Oriented Database access using PDO Marcus Börger ApacheCon EU 2005 Marcus Börger Advanced Object Oriented Database access using PDO 2 Intro PHP and Databases PHP 5 and PDO Marcus Börger
XML Processing and Web Services. Chapter 17
XML Processing and Web Services Chapter 17 Textbook to be published by Pearson Ed 2015 in early Pearson 2014 Fundamentals of http://www.funwebdev.com Web Development Objectives 1 XML Overview 2 XML Processing
Master of Sciences in Informatics Engineering Programming Paradigms 2005/2006. Final Examination. January 24 th, 2006
Master of Sciences in Informatics Engineering Programming Paradigms 2005/2006 Final Examination January 24 th, 2006 NAME: Please read all instructions carefully before start answering. The exam will be
Layer2 Term Set Glossary App for SharePoint 2013
Layer2 Term Set Glossary App for SharePoint 2013 2/13/2013 Layer 2 GmbH Eiffestr. 664b D-20537 Hamburg, Germany sales@layer2de www.layer2.de/en/ +49 (0) 40-28 41 12 30 1 Who is Layer2? As a Microsoft Gold
Building a Multi-Threaded Web Server
Building a Multi-Threaded Web Server In this lab we will develop a Web server in two steps. In the end, you will have built a multi-threaded Web server that is capable of processing multiple simultaneous
Efficiency of Web Based SAX XML Distributed Processing
Efficiency of Web Based SAX XML Distributed Processing R. Eggen Computer and Information Sciences Department University of North Florida Jacksonville, FL, USA A. Basic Computer and Information Sciences
Using Eclipse CDT/PTP for Static Analysis
PTP User-Developer Workshop Sept 18-20, 2012 Using Eclipse CDT/PTP for Static Analysis Beth R. Tibbitts IBM STG [email protected] "This material is based upon work supported by the Defense Advanced Research
Copy the.jar file into the plugins/ subfolder of your Eclipse installation. (e.g., C:\Program Files\Eclipse\plugins)
Beijing Codelab 1 Introduction to the Hadoop Environment Spinnaker Labs, Inc. Contains materials Copyright 2007 University of Washington, licensed under the Creative Commons Attribution 3.0 License --
How to Design and Create Your Own Custom Ext Rep
Combinatorial Block Designs 2009-04-15 Outline Project Intro External Representation Design Database System Deployment System Overview Conclusions 1. Since the project is a specific application in Combinatorial
JMS Messages C HAPTER 3. Message Definition
C HAPTER 3 JMS Messages A ll too often when people think about messaging, their minds immediately focus on the mechanics of the process and the entity for which the process is being implemented the message
02 B The Java Virtual Machine
02 B The Java Virtual Machine CS1102S: Data Structures and Algorithms Martin Henz January 22, 2010 Generated on Friday 22 nd January, 2010, 09:46 CS1102S: Data Structures and Algorithms 02 B The Java Virtual
Introduction to Java Applications. 2005 Pearson Education, Inc. All rights reserved.
1 2 Introduction to Java Applications 2.2 First Program in Java: Printing a Line of Text 2 Application Executes when you use the java command to launch the Java Virtual Machine (JVM) Sample program Displays
An Overview of Java. overview-1
An Overview of Java overview-1 Contents What is Java Major Java features Java virtual machine Java programming language Java class libraries (API) GUI Support in Java Networking and Threads in Java overview-2
An XML Based Data Exchange Model for Power System Studies
ARI The Bulletin of the Istanbul Technical University VOLUME 54, NUMBER 2 Communicated by Sondan Durukanoğlu Feyiz An XML Based Data Exchange Model for Power System Studies Hasan Dağ Department of Electrical
LabVIEW Internet Toolkit User Guide
LabVIEW Internet Toolkit User Guide Version 6.0 Contents The LabVIEW Internet Toolkit provides you with the ability to incorporate Internet capabilities into VIs. You can use LabVIEW to work with XML documents,
This material is built based on, Patterns covered in this class FILTERING PATTERNS. Filtering pattern
2/23/15 CS480 A2 Introduction to Big Data - Spring 2015 1 2/23/15 CS480 A2 Introduction to Big Data - Spring 2015 2 PART 0. INTRODUCTION TO BIG DATA PART 1. MAPREDUCE AND THE NEW SOFTWARE STACK 1. DISTRIBUTED
MarkLogic Server. Java Application Developer s Guide. MarkLogic 8 February, 2015. Copyright 2015 MarkLogic Corporation. All rights reserved.
Java Application Developer s Guide 1 MarkLogic 8 February, 2015 Last Revised: 8.0-3, June, 2015 Copyright 2015 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Java Application
DEVELOPING CONTRACT - DRIVEN WEB SERVICES USING JDEVELOPER. The purpose of this tutorial is to develop a java web service using a top-down approach.
DEVELOPING CONTRACT - DRIVEN WEB SERVICES USING JDEVELOPER Purpose: The purpose of this tutorial is to develop a java web service using a top-down approach. Topics: This tutorial covers the following topics:
Tutorial: setting up a web application
Elective in Software and Services (Complementi di software e servizi per la società dell'informazione) Section Information Visualization Number of credits : 3 Tutor: Marco Angelini e- mail: [email protected]
ECE 122. Engineering Problem Solving with Java
ECE 122 Engineering Problem Solving with Java Introduction to Electrical and Computer Engineering II Lecture 1 Course Overview Welcome! What is this class about? Java programming somewhat software somewhat
Appendix A Using the Java Compiler
Appendix A Using the Java Compiler 1. Download the Java Development Kit from Sun: a. Go to http://java.sun.com/j2se/1.4.2/download.html b. Download J2SE v1.4.2 (click the SDK column) 2. Install Java. Simply
Java EE Web Development Course Program
Java EE Web Development Course Program Part I Introduction to Programming 1. Introduction to programming. Compilers, interpreters, virtual machines. Primitive types, variables, basic operators, expressions,
Managing XML Documents Versions and Upgrades with XSLT
Managing XML Documents Versions and Upgrades with XSLT Vadim Zaliva, [email protected] 2001 Abstract This paper describes mechanism for versioning and upgrding XML configuration files used in FWBuilder
Beyond The Web Drupal Meets The Desktop (And Mobile) Justin Miller Code Sorcery Workshop, LLC http://codesorcery.net/dcdc
Beyond The Web Drupal Meets The Desktop (And Mobile) Justin Miller Code Sorcery Workshop, LLC http://codesorcery.net/dcdc Introduction Personal introduction Format & conventions for this talk Assume familiarity
Database Access from a Programming Language: Database Access from a Programming Language
Database Access from a Programming Language: Java s JDBC Werner Nutt Introduction to Databases Free University of Bozen-Bolzano 2 Database Access from a Programming Language Two Approaches 1. Embedding
Database Access from a Programming Language:
Database Access from a Programming Language: Java s JDBC Werner Nutt Introduction to Databases Free University of Bozen-Bolzano 2 Database Access from a Programming Language Two Approaches 1. Embedding
Introduction to HP ArcSight ESM Web Services APIs
Introduction to HP ArcSight ESM Web Services APIs Shivdev Kalambi Software Development Manager (Correlation Team) #HPProtect Agenda Overview Some applications of APIs ESM Web Services APIs Login Service
Java 7 Recipes. Freddy Guime. vk» (,\['«** g!p#« Carl Dea. Josh Juneau. John O'Conner
1 vk» Java 7 Recipes (,\['«** - < g!p#«josh Juneau Carl Dea Freddy Guime John O'Conner Contents J Contents at a Glance About the Authors About the Technical Reviewers Acknowledgments Introduction iv xvi
Java Interview Questions and Answers
1. What is the most important feature of Java? Java is a platform independent language. 2. What do you mean by platform independence? Platform independence means that we can write and compile the java
Lesson: All About Sockets
All About Sockets http://java.sun.com/docs/books/tutorial/networking/sockets/index.html Page 1 sur 1 The Java TM Tutorial Start of Tutorial > Start of Trail Trail: Custom Networking Lesson: All About Sockets
IBM Rational Rapid Developer Components & Web Services
A Technical How-to Guide for Creating Components and Web Services in Rational Rapid Developer June, 2003 Rev. 1.00 IBM Rational Rapid Developer Glenn A. Webster Staff Technical Writer Executive Summary
AP Computer Science Java Subset
APPENDIX A AP Computer Science Java Subset The AP Java subset is intended to outline the features of Java that may appear on the AP Computer Science A Exam. The AP Java subset is NOT intended as an overall
