ADF Code Corner. 92. Caching ADF Web Service results for in-memory filtering. Abstract: twitter.com/adfcodecorner
|
|
|
- Julia Lang
- 9 years ago
- Views:
Transcription
1 ADF Code Corner 92. Caching ADF Web Service results for in-memory Abstract: Querying data from Web Services can become expensive when accessing large data sets. A use case for which Web Service access can be avoided is when table data as it can be done in memory. In Oracle ADF, you access Web Service from JAX-WS proxy clients or the Web Service Data Control. While the Web Service data control does not allow to intercept data queried from Web Services, the jax-ws proxy client does. This article shows how to use the JAX-WS client proxy with Oracle ADF to access Web Service and locally cache data for further data operations. twitter.com/adfcodecorner Author: Frank Nimphius, Oracle Corporation twitter.com/fnimphiu 31-OCT-2011
2 Oracle ADF Code Corner is a loose blog-style series of how-to documents that provide solutions to real world coding problems. Disclaimer: All samples are provided as is with no guarantee for future upgrades or error correction. No support can be given through Oracle customer support. Please post questions or report problems related to the samples in this series on the OTN forum for Oracle JDeveloper: Introduction In the example, an EJB based Web Service queries data of the Employees table in the HR schema to display in an ADF bound table. The table is configured to allow users to filter the displayed data by typing search conditions into the search fileds shown in the column headers. Filtering the table data results in another query sent to the web service. In the example however, both the search filter fields in the column headers and the custom filter field accessing a method exposed on the data control filter the table data in memory, meaning that no request is sent to the webservice. 2
3 Building the Web Services Proxy Client To be able to cache the queried Web Service data displayed in the table, a JAX-WS proxy client is needed to read the data from the Web Service. The proxy client is then accessed from a POJO bean that becomes the ADF Data Control application developers work with. This way, developers get a chance to intercept the Web Service request and response and also protect custom code from the impact of re-generating the proxy client (which may be required when the remote Web Service API changes). To create a Web Service client proxy, create a new Oracle JDeveloper project and configure it for Web Service support. Select the project, JaxWsPrxyModelDC in the example, and choose New from the right mouse context menu. In the opened New Gallery select Business Tier Web Service Proxy and press Ok. In the second dialog of the web Service proxy creation wizard, add the WSDL reference of the remote Web Service. 3
4 Note: The Web Service in the example is created from an EJB business service created in the Model project. In a real scenario, the Web Service would be remote and not contained in the application itself (for demoing Web Services however, it is quite convenient) In the following dialog, define a base package and special "types" package for the Java artifacts that are getting created based on definitions in the WSDL file. This sample doesn't require asynchronous Web Service access, so that this option can be switched off. The last screen summarizes the methods exposed by the Web Services, which also become available on the JAX-WS proxy. 4
5 Using a Java Bean wrapper class as the Data Control The Web Services client can be tested using the Client class which has a main method defined. In the sample, the client class is AllEmployeesBeanServiceClient. To access a Web Service client proxy from Oracle ADF, best practice is to do this through a POJO bean access in the proxy class, so the Oracle ADF data control access is decoupled from the implementation of the proxy class. This allows re-generating the Web Service proxy without impacting the Oracle ADF data control access. In the example, this POJO is AllEmployeesServiceWrapperBean.java. The POJO accesses the client proxy and exposes the methods to query the Web Services. Within the POJO, the returned data from the Web Service are cached for later use. In the following, whenever the table data is queried, the Java code first check if the data already exists in the cache and if, it takes it from there. 5
6 import adf.sample.model.jpa.allemployeesbean; import adf.sample.model.jpa.allemployeesbeanservice; import adf.sample.model.jpa.employees; import java.util.arraylist; import java.util.list; /** * Java Bean that is exposed as a data control. The bean accesses the * JAX-WS proxy client to expose methods of the Web Service */ public class AllEmployeesServiceWrapperBean { //Web Service proxy client class AllEmployeesBean allemployeesbean = null; AllEmployeesBeanService allemployeesbeanservice = null; //List object for caching List<Employees> employeescache = null; List<Employees> employeesret = null; final int VALUE_MATCH = 0; public AllEmployeesServiceWrapperBean() { super(); //connect to the proxy client allemployeesbeanservice = new AllEmployeesBeanService(); allemployeesbean = allemployeesbeanservice.getallemployeesbeanservice(); //query all employees. This method is called when the ADF table //executes its underlying iterator public List<Employees> getallemployees(){ if(employeescache == null){ employeescache = allemployeesbean.getemployeesfindall(); employeesret = employeescache; else if(employeesret == null){ employeesret = employeescache; return employeesret; //To some point, you may want to re-execute the service to get the //latest data. //In this case, the cache List is set to null. 6
7 public void clearproxycache(){ employeescache = null; //to filter the data displayed in the table, an extra method is //exposed on the POJO and thus the Data Control. Instead of querying //the Web Service, this method operates on the cached data public void filteremployeesbydepartmentid(long departmentid){ employeesret = new ArrayList<Employees>(); if(departmentid == null){ employeesret = employeescache; return; for(employees emp : employeescache){ if(emp.getdepartmentid()!= null && emp.getdepartmentid().compareto(departmentid)== VALUE_MATCH){ employeesret.add(emp); The AllEmployeesServiceWrapperBean is the turned into a Data Control to expose its methods and thus the functionality exposed on the Web Service to Oracle ADF. For this, select the AllEmployeesServiceWrapperBean file in the Oracle JDeveloper Application Navigator and choose Create Data Control from the context menu as shown in the image below. 7
8 The methods, collections and attributes exposed in the AllEmployeesServiceWrapperBean bean now show in the Data Control panel from where they can be dragged into an ADF Faces page. Note: To further customize a collection like allemployees, for example to define UI hints to the attributes it exposes, select the collection in the Data Controls panel and use the right mouse button to display the Edit Definition menu option. Display WS data in an ADF Faces table and enable In the sample, to create a table from a collection, the allemployees collection is dragged from the Data Controls panel and dropped onto the ADF Faces page. In the component context menu that opens, the read only table option was chosen. In the table edit dialog, the filter option was selected to show search fields in the column headers. When users type a search string in, and hit Enter the table re-executes the query to apply the filter condition. Because the query is passed on to the wrapper bean and not directly to the Web Service, the filtered data is read from the in-memory cache. 8
9 Similar, to create a search field that also filters the data displayed in the table using in memory implemented in the wrapper bean, the filteremployeesbydepartmentid method was dragged from the Data Controls panel and dropped as a parameter form. The command button was renamed to "Filter". To clear the in-memory cache so that the next query again queries data from the Web Service directly, the clearproxycache method was dragged as a command button to the panel form. The Refresh condition of the iterators in the PageDef file was set to ifneeded to refresh the data content when preparing the ADF data model. The sample references the following managed bean codes in the command buttons action property. The managed beans ensure the ADF iterator is re-executed when the data was changed in the bean wrapper exposed by the Data Control Filter Query Bean import oracle.adf.model.bindingcontext; import oracle.adf.model.binding.dciteratorbinding; import oracle.adf.view.rich.component.rich.data.richtable; import oracle.binding.bindingcontainer; import oracle.binding.operationbinding; public class FilterQueryBean { public FilterQueryBean() { public BindingContainer getbindings() { return BindingContext.getCurrent().getCurrentBindingsEntry(); public String cb1_action() { BindingContainer bindings = getbindings(); OperationBinding operationbinding = bindings.getoperationbinding("filteremployeesbydepartmentid"); Object result = operationbinding.execute(); if (!operationbinding.geterrors().isempty()) return null; 9
10 //re-execute iterator to get data from the wrapper bean DCIteratorBinding dciter = (DCIteratorBinding) bindings.get("allemployeesiterator1"); dciter.executequery(); return null; Reset Query Bean import oracle.adf.model.bindingcontext; import oracle.adf.model.binding.dciteratorbinding; import oracle.binding.bindingcontainer; import oracle.binding.operationbinding; public class ResetQuerybean { public ResetQuerybean() { public BindingContainer getbindings() { return BindingContext.getCurrent().getCurrentBindingsEntry(); public String cb2_action() { BindingContainer bindings = getbindings(); OperationBinding operationbinding = bindings.getoperationbinding("clearproxycache"); Object result = operationbinding.execute(); if (!operationbinding.geterrors().isempty()) { return null; DCIteratorBinding dciter = (DCIteratorBinding) bindings.get("allemployeesiterator1"); dciter.executequery(); return null; Sample download You can download the Oracle JDeveloper 11g R1 workspace as sample 92 from the ADF Code Corner Website: Configure the database access for this demo to point to the HR sample schema of an Oracle XE or enterprise database. Run the JSPX document and either filter the table data using the column header filters or the search field. To reset the query, press the ClearPrxyCache command button. 10
11 RELATED DOCOMENTATION 11
ADF Code Corner. 66. How-to color-highlight the bar in a graph that represents the current row in the collection. Abstract: twitter.
ADF Code Corner 66. How-to color-highlight the bar in a graph that represents in the collection Abstract: An ADF Faces Data Visualization Tools (DVT) graphs can be configured to change in the underlying
ADF Code Corner. 035. How-to pass values from a parent page to a popup dialog. Abstract: twitter.com/adfcodecorner
ADF Code Corner 035. How-to pass values from a parent page to a popup dialog Abstract: The af:popup component is used as the base component for launching dialogs and note windows. To pass information from
ADF Code Corner. 046. Building a search form that displays the results in a task flow. Abstract: twitter.com/adfcodecorner
ADF Code Corner 046. Building a search form that displays the results in a task Abstract: One of the areas that really rocks in JDeveloper 11 is tasks. To program usecases that involve tasks can keep you
ADF Code Corner. 77. Handling the af:dialog Ok and CANCEL buttons. Abstract: twitter.com/adfcodecorner
ADF Code Corner 77. Handling the af:dialog Ok and CANCEL buttons Abstract: The af:dialog component provides configurable button options for Ok, Yes, No and Cancel buttons to close the popup and return
ADF Code Corner. 81. How-to create master-detail behavior using af:paneltabbed and DVT graph components. Abstract: twitter.
ADF Code Corner 81. s Abstract: Oracle ADF Faces tree, tree table and table components keep track of their row (node) selection state, allowing developers to access the selected data rows, for example,
Building and Using Web Services With JDeveloper 11g
Building and Using Web Services With JDeveloper 11g Purpose In this tutorial, you create a series of simple web service scenarios in JDeveloper. This is intended as a light introduction to some of the
Building an Agile PLM Web Application with JDeveloper and Agile 93 Web Services
Building an Agile PLM Web Application with JDeveloper and Agile 93 Web Services Tutorial By: Maneesh Agarwal,Venugopalan Sreedharan Agile PLM Development October 2009 CONTENTS Chapter 1 Overview... 3
Tutorial on Building a web Application with Jdeveloper using EJB, JPA and Java Server Faces By Phaninder Surapaneni
Tutorial on Building a web Application with Jdeveloper using EJB, JPA and Java Server Faces By Phaninder Surapaneni This Tutorial covers: 1.Building the DataModel using EJB3.0. 2.Creating amasterdetail
ADF Code Corner. 106. Drag-and-drop reordering of table rows. Abstract: twitter.com/adfcodecorner
ADF Code Corner 106. Drag-and-drop reordering of table rows Abstract: A requirement drequently posted on the JDeveloper and ADF forum on OTN is to reorder rows exposed in an ADF table. Though you cannot
ADF Code Corner. 86. Reading boilerplate images and icons from a JAR. Abstract: twitter.com/adfcodecorner
ADF Code Corner 86. Reading boilerplate images and icons from a JAR Abstract: Images that are a part of an application UI are usually queried from a folder within the public_html folder of the ADF Faces
Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal
JOIN TODAY Go to: www.oracle.com/technetwork/java OTN Developer Day Oracle Fusion Development Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal Hands on Lab (last update, June
Oracle Technology Network Virtual Developer Day. Developing RIA Web Applications with Oracle ADF
Oracle Technology Network Virtual Developer Day Developing RIA Web Applications with Oracle ADF I want to improve the performance of my application... Can I copy Java code to an HTML Extension? I coded
The Oracle Fusion Development Platform
The Oracle Fusion Development Platform Juan Camilo Ruiz Senior Product Manager Development Tools 1 The preceding is intended to outline our general product direction. It is intended for information purposes
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:
ADF Code Corner. 011. ADF Faces RC - How-to use the Client and Server Listener Component. Abstract: twitter.com/adfcodecorner
ADF Code Corner 011. ADF Faces RC - How-to use the Client and Server Abstract: One of the most interesting features in Ajax is the ability of an application to send user information to the server without
This presentation is for informational purposes only and may not be incorporated into a contract or agreement.
This presentation is for informational purposes only and may not be incorporated into a contract or agreement. This following is intended to outline our general product direction. It is intended for information
Java Access to Oracle CRM On Demand. By: Joerg Wallmueller Melbourne, Australia
Java Access to Oracle CRM On Demand Web Based CRM Software - Oracle CRM...페이지 1 / 12 Java Access to Oracle CRM On Demand By: Joerg Wallmueller Melbourne, Australia Introduction Requirements Step 1: Generate
Developing SQL and PL/SQL with JDeveloper
Seite 1 von 23 Developing SQL and PL/SQL with JDeveloper Oracle JDeveloper 10g Preview Technologies used: SQL, PL/SQL An Oracle JDeveloper Tutorial September 2003 Content This tutorial walks through the
Publishing, Consuming, Deploying and Testing Web Services
Publishing, Consuming, Deploying and Testing Web Services Oracle JDeveloper 10g Preview Technologies used: Web Services - UML Java Class Diagram An Oracle JDeveloper Tutorial September 2003 Content Introduction
Tutorial: Mobile Business Object Development. SAP Mobile Platform 2.3 SP02
Tutorial: Mobile Business Object Development SAP Mobile Platform 2.3 SP02 DOCUMENT ID: DC01927-01-0232-01 LAST REVISED: May 2013 Copyright 2013 by Sybase, Inc. All rights reserved. This publication pertains
Tutorial: Mobile Business Object Development. SAP Mobile Platform 2.3
Tutorial: Mobile Business Object Development SAP Mobile Platform 2.3 DOCUMENT ID: DC01927-01-0230-01 LAST REVISED: March 2013 Copyright 2013 by Sybase, Inc. All rights reserved. This publication pertains
Getting Started with Telerik Data Access. Contents
Contents Overview... 3 Product Installation... 3 Building a Domain Model... 5 Database-First (Reverse) Mapping... 5 Creating the Project... 6 Creating Entities From the Database Schema... 7 Model-First
ORACLE BUSINESS INTELLIGENCE WORKSHOP
ORACLE BUSINESS INTELLIGENCE WORKSHOP Integration of Oracle BI Publisher with Oracle Business Intelligence Enterprise Edition Purpose This tutorial mainly covers how Oracle BI Publisher is integrated with
An Oracle White Paper September 2011. Oracle Team Productivity Center
Oracle Team Productivity Center Overview An Oracle White Paper September 2011 Oracle Team Productivity Center Overview Oracle Team Productivity Center Overview Introduction... 1 Installation... 2 Architecture...
When a business user interacts with an integrated workbook, there are various elements involved in the picture. Each of these elements has its own
When a business user interacts with an integrated workbook, there are various elements involved in the picture. Each of these elements has its own set of supported languages and resource translations.
Integrating SalesForce with SharePoint 2007 via the Business Data Catalog
Integrating SalesForce with SharePoint 2007 via the Business Data Catalog SalesForce CRM is a popular tool that allows you to manage your Customer Relation Management in the cloud through a web based system.
OTN Developer Day: Oracle Big Data. Hands On Lab Manual. Introduction to Oracle NoSQL Database
OTN Developer Day: Oracle Big Data Hands On Lab Manual Introduction to ORACLE NOSQL DATABASE HANDS-ON WORKSHOP ii Hands on Workshop Lab Exercise 1 Start and run the Movieplex application. In this lab,
Tutorial: Mobile Business Object Development. Sybase Unwired Platform 2.2 SP02
Tutorial: Mobile Business Object Development Sybase Unwired Platform 2.2 SP02 DOCUMENT ID: DC01208-01-0222-01 LAST REVISED: January 2013 Copyright 2013 by Sybase, Inc. All rights reserved. This publication
ER/Studio Enterprise Portal 1.0.2 User Guide
ER/Studio Enterprise Portal 1.0.2 User Guide Copyright 1994-2008 Embarcadero Technologies, Inc. Embarcadero Technologies, Inc. 100 California Street, 12th Floor San Francisco, CA 94111 U.S.A. All rights
PTC Integrity Eclipse and IBM Rational Development Platform Guide
PTC Integrity Eclipse and IBM Rational Development Platform Guide The PTC Integrity integration with Eclipse Platform and the IBM Rational Software Development Platform series allows you to access Integrity
Oracle Fusion Middleware
Oracle Fusion Middleware Getting Started with Oracle Business Intelligence Publisher 11g Release 1 (11.1.1) E28374-02 September 2013 Welcome to Getting Started with Oracle Business Intelligence Publisher.
<Insert Picture Here> Building a Complex Web Application Using ADF and Siebel
Building a Complex Web Application Using ADF and Siebel Nishit Rao Group Product Manager Fusion Middleware Oracle Dhiraj Soni Technical Architect GIT Apps Engineering Oracle The following
JBoss SOAP Web Services User Guide. Version: 3.3.0.M5
JBoss SOAP Web Services User Guide Version: 3.3.0.M5 1. JBoss SOAP Web Services Runtime and Tools support Overview... 1 1.1. Key Features of JBossWS... 1 2. Creating a Simple Web Service... 3 2.1. Generation...
Oracle Hyperion Financial Management Developer and Customization Guide
Oracle Hyperion Financial Management Developer and Customization Guide CONTENTS Overview... 1 Financial Management SDK... 1 Prerequisites... 2 SDK Reference... 2 Steps for running the demo application...
Web Services API Developer Guide
Web Services API Developer Guide Contents 2 Contents Web Services API Developer Guide... 3 Quick Start...4 Examples of the Web Service API Implementation... 13 Exporting Warehouse Data... 14 Exporting
This guide provides step by step instructions for using the IMF elibrary Data - My Data area. In this guide, you ll learn how to:
This guide provides step by step instructions for using the IMF elibrary Data - area. In this guide, you ll learn how to: Access your favorite and recently used data reports. Make sure you receive email
Web Intelligence User Guide
Web Intelligence User Guide Office of Financial Management - Enterprise Reporting Services 4/11/2011 Table of Contents Chapter 1 - Overview... 1 Purpose... 1 Chapter 2 Logon Procedure... 3 Web Intelligence
HOWTO SAP SECURITY OPTIMIZATION WITH SAP SOLUTION MANAGER
HOWTO SAP SECURITY OPTIMIZATION WITH SAP SOLUTION MANAGER This document describes how to use the SAP Security Optimization Self Service in your local Solution Manager. Please also refer to SAP Notes 837490
DocuSign for SharePoint 2010 1.5.1
Quick Start Guide DocuSign for SharePoint 2010 1.5.1 Published December 22, 2014 Overview DocuSign for SharePoint 2010 allows users to sign or send documents out for signature from a SharePoint library.
MailEnable Connector for Microsoft Outlook
MailEnable Connector for Microsoft Outlook Version 2.23 This guide describes the installation and functionality of the MailEnable Connector for Microsoft Outlook. Features The MailEnable Connector for
SOS SO S O n O lin n e lin e Bac Ba kup cku ck p u USER MANUAL
SOS Online Backup USER MANUAL HOW TO INSTALL THE SOFTWARE 1. Download the software from the website: http://www.sosonlinebackup.com/download_the_software.htm 2. Click Run to install when promoted, or alternatively,
Workshop for WebLogic introduces new tools in support of Java EE 5.0 standards. The support for Java EE5 includes the following technologies:
Oracle Workshop for WebLogic 10g R3 Hands on Labs Workshop for WebLogic extends Eclipse and Web Tools Platform for development of Web Services, Java, JavaEE, Object Relational Mapping, Spring, Beehive,
Oracle Hyperion Financial Management Custom Pages Development Guide
Oracle Hyperion Financial Management Custom Pages Development Guide CONTENTS Overview... 2 Custom pages... 2 Prerequisites... 2 Sample application structure... 2 Framework for custom pages... 3 Links...
Oracle Web Service Manager 11g Field level Encryption (in SOA, WLS) March, 2012
Oracle Web Service Manager 11g Field level Encryption (in SOA, WLS) March, 2012 Step-by-Step Instruction Guide Author: Prakash Yamuna Senior Development Manager Oracle Corporation Table of Contents Use
ITS. Java WebService. ITS Data-Solutions Pvt Ltd BENEFITS OF ATTENDANCE:
Java WebService BENEFITS OF ATTENDANCE: PREREQUISITES: Upon completion of this course, students will be able to: Describe the interoperable web services architecture, including the roles of SOAP and WSDL.
<Insert Picture Here> Betting Big on JavaServer Faces: Components, Tools, and Tricks
Betting Big on JavaServer Faces: Components, Tools, and Tricks Steve Muench Consulting Product Manager, JDeveloper/ADF Development Team Oracle Corporation Oracle's Betting Big on
Tutorial on Operations on Database using JDeveloper
Tutorial on Operations on Database using JDeveloper By Naga Sowjanya Karumuri About Tutorial: The main intension of this tutorial is to introduce JDeveloper to the beginners. It gives basic details and
Generating Open For Business Reports with the BIRT RCP Designer
Generating Open For Business Reports with the BIRT RCP Designer by Leon Torres and Si Chen The Business Intelligence Reporting Tools (BIRT) is a suite of tools for generating professional looking reports
Visualization with Excel Tools and Microsoft Azure
Visualization with Excel Tools and Microsoft Azure Introduction Power Query and Power Map are add-ins that are available as free downloads from Microsoft to enhance the data access and data visualization
ORACLE BUSINESS INTELLIGENCE WORKSHOP
ORACLE BUSINESS INTELLIGENCE WORKSHOP Creating Interactive Dashboards and Using Oracle Business Intelligence Answers Purpose This tutorial shows you how to build, format, and customize Oracle Business
Module 13 Implementing Java EE Web Services with JAX-WS
Module 13 Implementing Java EE Web Services with JAX-WS Objectives Describe endpoints supported by Java EE 5 Describe the requirements of the JAX-WS servlet endpoints Describe the requirements of JAX-WS
Global Preview v.6.0 for Microsoft Dynamics CRM On-premise 2013 and 2015
Global Preview v.6.0 for Microsoft Dynamics CRM On-premise 2013 and 2015 User Manual Akvelon, Inc. 2015, All rights reserved. 1 Contents Overview... 3 Licensing... 4 Installation... 5 Upgrading from previous
WA2087 Programming Java SOAP and REST Web Services - WebSphere 8.0 / RAD 8.0. Student Labs. Web Age Solutions Inc.
WA2087 Programming Java SOAP and REST Web Services - WebSphere 8.0 / RAD 8.0 Student Labs Web Age Solutions Inc. 1 Table of Contents Lab 1 - WebSphere Workspace Configuration...3 Lab 2 - Introduction To
AWS Schema Conversion Tool. User Guide Version 1.0
AWS Schema Conversion Tool User Guide AWS Schema Conversion Tool: User Guide Copyright 2016 Amazon Web Services, Inc. and/or its affiliates. All rights reserved. Amazon's trademarks and trade dress may
Chapter 4: Website Basics
1 Chapter 4: In its most basic form, a website is a group of files stored in folders on a hard drive that is connected directly to the internet. These files include all of the items that you see on your
TIBCO Silver Fabric Continuity User s Guide
TIBCO Silver Fabric Continuity User s Guide Software Release 1.0 November 2014 Two-Second Advantage Important Information SOME TIBCO SOFTWARE EMBEDS OR BUNDLES OTHER TIBCO SOFTWARE. USE OF SUCH EMBEDDED
How To Use Query Console
Query Console User Guide 1 MarkLogic 8 February, 2015 Last Revised: 8.0-1, February, 2015 Copyright 2015 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Query Console User
Working with WebSphere 4.0
44 Working with WebSphere 4.0 This chapter is for developers who are familiar with WebSphere Application Enterprise Server, version 4.0 (WAS 4.0) and would like to deploy their applications using WAS 4.0.
NetIQ. How to guides: AppManager v7.04 Initial Setup for a trial. Haf Saba Attachmate NetIQ. Prepared by. Haf Saba. Senior Technical Consultant
How to guides: AppManager v7.04 Initial Setup for a trial By NetIQ Prepared by Haf Saba Senior Technical Consultant Asia Pacific 1 Executive Summary This document will walk you through an initial setup
Data Crow Creating Reports
Data Crow Creating Reports Written by Robert Jan van der Waals August 25, 2014 Version 1.2 Based on Data Crow 4.0.7 (and higher) Introduction Data Crow allows users to add their own reports or to modify
Business Objects Version 5 : Introduction
Business Objects Version 5 : Introduction Page 1 TABLE OF CONTENTS Introduction About Business Objects Changing Your Password Retrieving Pre-Defined Reports Formatting Your Report Using the Slice and Dice
IBM Operational Decision Manager Version 8 Release 5. Getting Started with Business Rules
IBM Operational Decision Manager Version 8 Release 5 Getting Started with Business Rules Note Before using this information and the product it supports, read the information in Notices on page 43. This
Oracle Business Intelligence 11g OPN Advanced Workshop
Oracle Business Intelligence 11g OPN Advanced Workshop Lab Book OPN: Oracle Business Intelligence 11g Advanced Workshop OPN Workshop: BI 11g Advanced Seite 1 Authors Revision Jignesh Mehta Naresh Nemani
Global Search v 6.1 for Microsoft Dynamics CRM Online (2013 & 2015 versions)
Global Search v 6.1 for Microsoft Dynamics CRM Online (2013 & 2015 versions) User Manual Akvelon, Inc. 2015, All rights reserved. 1 Overview... 3 What s New in Global Search Versions for CRM Online...
SAP BusinessObjects Design Studio Overview. Jie Deng, Product Management Analysis Clients November 2012
SAP BusinessObjects Design Studio Overview Jie Deng, Product Management Analysis Clients November 2012 Legal Disclaimer 2 SAP BusinessObjects Dashboarding Strategy Self Service Dashboarding Professional
Business Objects. Report Writing - CMS Net and CCS Claims
Business Objects Report Writing - CMS Net and CCS Claims Updated 11/28/2012 1 Introduction/Background... 4 Report Writing (Ad-Hoc)... 4 Requesting Report Writing Access... 4 Java Version... 4 Create A
Developing Java Web Services
Page 1 of 5 Developing Java Web Services Hands On 35 Hours Online 5 Days In-Classroom A comprehensive look at the state of the art in developing interoperable web services on the Java EE platform. Students
1. Tutorial Overview
RDz Web Services Tutorial 02 Web Services Abteilung Technische Informatik, Institut für Informatik, Universität Leipzig Abteilung Technische Informatik, Wilhelm Schickard Institut für Informatik, Universität
Developing Web and Mobile Dashboards with Oracle ADF
Developing Web and Mobile Dashboards with Oracle ADF In this lab you ll build a web dashboard that displays data from the database in meaningful ways. You are going to leverage Oracle ADF the Oracle Application
Importing TSM Data into Microsoft Excel using Microsoft Query
Importing TSM Data into Microsoft Excel using Microsoft Query An alternate way to report on TSM information is to use Microsoft Excel s import facilities using Microsoft Query to selectively import the
<Insert Picture Here> Oracle SQL Developer 3.0: Overview and New Features
1 Oracle SQL Developer 3.0: Overview and New Features Sue Harper Senior Principal Product Manager The following is intended to outline our general product direction. It is intended
Release Document Version: 1.4-2013-05-30. User Guide: SAP BusinessObjects Analysis, edition for Microsoft Office
Release Document Version: 1.4-2013-05-30 User Guide: SAP BusinessObjects Analysis, edition for Microsoft Office Table of Contents 1 About this guide....6 1.1 Who should read this guide?....6 1.2 User profiles....6
Creating XML Report Web Services
5 Creating XML Report Web Services In the previous chapters, we had a look at how to integrate reports into Windows and Web-based applications, but now we need to learn how to leverage those skills and
Acrolinx IQ. Acrolinx IQ Plug-in for Adobe CQ Rich Text Editor Installation Guide Version: 2.9
Acrolinx IQ Acrolinx IQ Plug-in for Adobe CQ Rich Text Editor Installation Guide Version: 2.9 2 Contents Overview 3 About this Guide...3 Acrolinx IQ and CQ Editor...3 Installation 4 Single Sign-on Configuration...4
Enterprise Service Bus
We tested: Talend ESB 5.2.1 Enterprise Service Bus Dr. Götz Güttich Talend Enterprise Service Bus 5.2.1 is an open source, modular solution that allows enterprises to integrate existing or new applications
Oracle Enterprise Manager
Oracle Enterprise Manager System Monitoring Plug-in for Oracle TimesTen In-Memory Database Installation Guide Release 11.2.1 E13081-02 June 2009 This document was first written and published in November
FUSE-ESB4 An open-source OSGi based platform for EAI and SOA
FUSE-ESB4 An open-source OSGi based platform for EAI and SOA Introduction to FUSE-ESB4 It's a powerful OSGi based multi component container based on ServiceMix4 http://servicemix.apache.org/smx4/index.html
Using IBM dashdb With IBM Embeddable Reporting Service
What this tutorial is about In today's mobile age, companies have access to a wealth of data, stored in JSON format. Leading edge companies are making key decision based on that data but the challenge
Don t get it right, just get it written.
Deploying Applications to WebLogic Server Using JDeveloper and WLS Console Peter Koletzke Technical Director & Principal Instructor Co-author: Duncan Mills, Oracle Moral Don t get it right, just get it
ADF Code Corner. 101. How-to drag-and-drop data from an af:table to af:tree. Abstract: twitter.com/adfcodecorner
ADF Code Corner 101. How-to drag-and-drop data from an af:table to af:tree Abstract: Drag and drop is a feature of the ADF Faces framework. All developers have to do to make this work is to add a drag
MICROSOFT OUTLOOK 2010 WORK WITH CONTACTS
MICROSOFT OUTLOOK 2010 WORK WITH CONTACTS Last Edited: 2012-07-09 1 Access to Outlook contacts area... 4 Manage Outlook contacts view... 5 Change the view of Contacts area... 5 Business Cards view... 6
Creating and Using Databases with Microsoft Access
CHAPTER A Creating and Using Databases with Microsoft Access In this chapter, you will Use Access to explore a simple database Design and create a new database Create and use forms Create and use queries
Whitepaper ADF Performance Monitor Measuring, Analyzing, Tuning, and Controlling the Performance of Oracle ADF Applications
AMIS Edisonbaan 15 Postbus 24 3430 AA Nieuwegein T +31(0) 30 601 60 00 E [email protected] I amis.nl BTW nummer NL8117.70.400.B69 KvK nummer 30114159 Statutair gevestigd te Enschede Whitepaper Measuring, Analyzing,
Publishing Geoprocessing Services Tutorial
Publishing Geoprocessing Services Tutorial Copyright 1995-2010 Esri All rights reserved. Table of Contents Tutorial: Publishing a geoprocessing service........................ 3 Copyright 1995-2010 ESRI,
IBM BPM V8.5 Standard Consistent Document Managment
IBM Software An IBM Proof of Technology IBM BPM V8.5 Standard Consistent Document Managment Lab Exercises Version 1.0 Author: Sebastian Carbajales An IBM Proof of Technology Catalog Number Copyright IBM
Internet Explorer 7. Getting Started The Internet Explorer Window. Tabs NEW! Working with the Tab Row. Microsoft QUICK Source
Microsoft QUICK Source Internet Explorer 7 Getting Started The Internet Explorer Window u v w x y { Using the Command Bar The Command Bar contains shortcut buttons for Internet Explorer tools. To expand
RDM+ Remote Desktop for Android. Getting Started Guide
RDM+ Remote Desktop for Android Getting Started Guide RDM+ (Remote Desktop for Mobiles) is a remote control tool that offers you the ability to connect to your desktop or laptop computer from Android device
Microsoft Access 2007
How to Use: Microsoft Access 2007 Microsoft Office Access is a powerful tool used to create and format databases. Databases allow information to be organized in rows and tables, where queries can be formed
AWS Schema Conversion Tool. User Guide Version 1.0
AWS Schema Conversion Tool User Guide AWS Schema Conversion Tool: User Guide Copyright 2016 Amazon Web Services, Inc. and/or its affiliates. All rights reserved. Amazon's trademarks and trade dress may
Java EE 7: Back-End Server Application Development
Oracle University Contact Us: 01-800-913-0322 Java EE 7: Back-End Server Application Development Duration: 5 Days What you will learn The Java EE 7: Back-End Server Application Development training teaches
Administering Jive for Outlook
Administering Jive for Outlook TOC 2 Contents Administering Jive for Outlook...3 System Requirements...3 Installing the Plugin... 3 Installing the Plugin... 3 Client Installation... 4 Resetting the Binaries...4
1 What Are Web Services?
Oracle Fusion Middleware Introducing Web Services 11g Release 1 (11.1.1.6) E14294-06 November 2011 This document provides an overview of Web services in Oracle Fusion Middleware 11g. Sections include:
J j enterpririse. Oracle Application Express 3. Develop Native Oracle database-centric web applications quickly and easily with Oracle APEX
Oracle Application Express 3 The Essentials and More Develop Native Oracle database-centric web applications quickly and easily with Oracle APEX Arie Geller Matthew Lyon J j enterpririse PUBLISHING BIRMINGHAM
Analyzing Excel Data Using Pivot Tables
NDUS Training and Documentation Analyzing Excel Data Using Pivot Tables Pivot Tables are interactive worksheet tables you can use to quickly and easily summarize, organize, analyze, and compare large amounts
Access 2010: The Navigation Pane
Access 2010: The Navigation Pane Table of Contents OVERVIEW... 1 BEFORE YOU BEGIN... 2 ADJUSTING THE NAVIGATION PANE... 3 USING DATABASE OBJECTS... 3 CUSTOMIZE THE NAVIGATION PANE... 3 DISPLAY AND SORT
INTEGRATING MICROSOFT DYNAMICS CRM WITH SIMEGO DS3
INTEGRATING MICROSOFT DYNAMICS CRM WITH SIMEGO DS3 Often the most compelling way to introduce yourself to a software product is to try deliver value as soon as possible. Simego DS3 is designed to get you
1 What Are Web Services?
Oracle Fusion Middleware Introducing Web Services 11g Release 1 (11.1.1) E14294-04 January 2011 This document provides an overview of Web services in Oracle Fusion Middleware 11g. Sections include: What
