ADF Code Corner. 66. How-to color-highlight the bar in a graph that represents the current row in the collection. Abstract: twitter.
|
|
|
- Thomasina Blankenship
- 10 years ago
- Views:
Transcription
1 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 collection when a user click into it. This allows developers to implement master-detail behavior between a graph as the master and a form or a table as the detail. However, there is no visual indication for the chart item, for example a bar in a bar chart, the user clicked on. Also, navigating the underlying collection and partially refreshing the graph does not highlight the bar representing. This article explains how to highlight in a bar chart for users to have a visual feedback. twitter.com/adfcodecorner Author: Frank Nimphius, Oracle Corporation twitter.com/fnimphiu DD-MON-2010
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 this sample, a user click on a bar in a graph sets in the underlying ADF iterator. A form that is based on the same iterator is setup to show detail information about the selected bar item. In addition, a navigation bar on top of the form may be used to scroll within the employee data, which then refreshes the graph, again showing the current employee bar highlighted. 2
3 About the ADF Business Component Model The ADF Business Component model is based on the Employees table of the Oracle HR schema. The View Object query is restricted to return employees in department 60. Note The ADF business service is not important for how this sample works and only serves for the purpose of providing sample data for the graph. Building the Graph To build the DVT graph in Oracle JDeveloper, drag the collection from the Data Controls palette into the page and choose Graph from the context menu. In the Component Gallery, choose the bar graph type. 3
4 For the Employees table, drag the Salary attribute into the graph field and the LastName attribute into the x-axis field. This displays the employee salary over the last names. To ensure master-detail correlation to happen when users click on a bar, check the Set current row for master-detail checkbox (1), which ensures to be set in the ADF binding layer iterator. In the example setting is not used for displaying master-detail data, but to show additional information about the selected row. 4
5 Press the Swap Bars with X-Axis button (2) to turn the last name entries into their own series, which is key for the color highlighting explained in this article. The major change is between setting and not setting this option is that the last names are displayed in the graph's legend than beneath its bar. To switch the graph color for the bar users click on, the ClickListener needs to be overridden. By default the ClickListener property points to the processclick action of the DVT binding in the PageDef file. As shown below, reference a managed bean method that has the click handler method defined. clickhandler(clickevent clickevent) The click handler method performs the same functionality as the processclick action and provides you a great example for how to generically program against the ADF binding layer from a DVT graph instance. To access the graph instance, in the Property inspector, browse to the graph's Binding property and press the Edit link in the context menu opened by the arrow down icon to the right. 5
6 For this example, where the Employee form can also be navigated using navigation buttons, you need to make sure the graph is refreshed when one of the buttons is pressed. Set the PartialTriggers property to point to the navigation button Ids. To set this property, use the Edit option from the context menu that opens when clicking the down arrow icon on the right. Note: The navigation buttons are created by selecting the collection in the ADF Data Controls panel and dragging it onto the page. From the context menu choose Navigation and choose the navigation button option. Shown below is the generated navigation bar page source. In addition to the actionlistener property, which is automatically set when creating the navigation buttons, the action property is set to reference a managed bean method. The managed bean method is used to ensure the row navigation is highlighted in the graph. Also note that the partialsubmit property is set to true, which automatically happens when the Navigation context option is selected. <af:panelgrouplayout layout="horizontal" id="pgl2"> <af:commandbutton actionlistener="#{bindings.first.execute" text="first" disabled="#{!bindings.first.enabled" partialsubmit="true" id="cb2" action="#{graphhelperbean.onbuttonnavigation"/> </af:panelgrouplayout> The onbuttonnavigation method calls a helper function to highlight the new current row bar in the graph. public String onbuttonnavigation() { highlightselectedseriesbar(); return null; 6
7 Managed Bean The managed bean doesn't hold state and therefore is configured in request scope. The clickhandler method accesses the ADF binding layer through the graph instance GraphDataModel graphmodel = (GraphDataModel)graph1.getDataModel(); The graph1 variable is an instance of the graph created through the graph component Binding property. It grants access to the ADF binding layer. The clickevent provides the information about the bar (the series) the user clicked on. The bar's row representation is then set as current in the ADF binding layer. import java.awt.color; import java.util.list; import oracle.adf.model.binding.dciteratorbinding; import oracle.adf.model.dvt.binding.transform.cube.cubedatamodel; import oracle.adf.view.faces.bi.component.graph.uigraph; import oracle.adf.view.faces.bi.event.clickevent; import oracle.adf.view.faces.bi.model.graphdatamodel; import oracle.dss.dataview.componenthandle; import oracle.dss.dataview.datacomponenthandle; import oracle.dss.util.columnoutofrangeexception; import oracle.dss.util.dataaccess; import oracle.dss.util.datadirectorexception; import oracle.dss.util.datamap; import oracle.dss.util.rowoutofrangeexception; import oracle.jbo.row; import oracle.jbo.uicli.binding.juctrlhierbinding; import oracle.jbo.uicli.binding.juctrlhiernodebinding; public class GraphHelperBean { private UIGraph graph1 = null; boolean restoreview = false; public GraphHelperBean() { //DVT graph component binding reference defined on the "Binding" //property public void setgraph1(uigraph graph1) { this.graph1 = graph1; public UIGraph getgraph1() { return graph1; //custom click handler method that accesses the binding layer to set //the bar selected by the user as public void clickhandler(clickevent clickevent) { 7
8 //Substitute for:#{bindings.employeesview1.graphmodel.processclick //get access to the hierarchical binding GraphDataModel graphmodel = (GraphDataModel)graph1.getDataModel(); CubeDataModel cubedatamodel = (CubeDataModel)graphModel.getDataDirector(); //get access to the graph root binding. This information is needed //to the access to the JUCtrlHierbinding that is not exposed on the //graph without using internal classes JUCtrlHierNodeBinding rootnode = cubedatamodel.getcubicbinding().getrootnodebinding(); JUCtrlHierBinding hierbinding = rootnode.gethierbinding(); //resolve the graph component the user clicked on ComponentHandle ch = clickevent.getcomponenthandle(); if (ch!= null) { DataComponentHandle dch = (DataComponentHandle)ch; Object keypath = dch.getvalue(datamap.data_keypath); if (keypath!= null) { //the code line below is comparable to table and tree selections //in where the component keypath is used to identify the data //row in the ADF binding layer JUCtrlHierNodeBinding node = hierbinding.findnodebykeypath((list)keypath); if (node!= null) { node.getrowiterator().setcurrentrow(node.getrow()); //color highlight selected node highlightselectedseriesbar(); public String onbuttonnavigation() { highlightselectedseriesbar(); return null; /** * Highlight in the bar graph. The row highlighting * is determined by comparing in the ADF binding with * the row represented by the individual bars. */ public void highlightselectedseriesbar() { if (graph1!= null) { GraphDataModel graphmodel = 8
9 (GraphDataModel)graph1.getDataModel(); CubeDataModel cubedatamodel = (CubeDataModel)graphModel.getDataDirector(); //get the ADF iterator binding from the graph model JUCtrlHierNodeBinding rootnode = cubedatamodel.getcubicbinding().getrootnodebinding(); JUCtrlHierBinding hierbinding = rootnode.gethierbinding(); DCIteratorBinding iterator = hierbinding.getdciteratorbinding(); int rowcount = graphmodel.getrowcount(); DataAccess da; try { da = graphmodel.getdatadirector().getdataaccess(); Row currentrow = iterator.getcurrentrow(); //iterate over the row data for (int i = 0; i < rowcount; ++i) { List keypath; try { keypath = (List)da.getValue(i, 0, DataMap.DATA_KEYPATH); JUCtrlHierNodeBinding node = hierbinding.findnodebykeypath(keypath); Row rw = node.getrow(); if(rw.getkey().equals(currentrow.getkey())){ node.getrowiterator().setcurrentrow(node.getrow()); int rwindex = node.getrowiterator().getrangeindexof(node.getrow()); graph1.getseriesset().getseries(rwindex, true).setcolor(color.red); else{ int rwindex = node.getrowiterator().getrangeindexof(node.getrow()); graph1.getseriesset().getseries(rwindex, true).setcolor(color.blue); catch (RowOutOfRangeException e) { e.printstacktrace(); catch (ColumnOutOfRangeException e) { e.printstacktrace(); catch (DataDirectorException e) { e.printstacktrace(); 9
10 Note: Initially the first bar in the graph is highlighted. If you set a different than the first bar as current during the initial page load, then you need to also call the highlightselectedseriesbar method to change the initial bar color coding. Download The Oracle JDeveloper workspace can be downloaded from ADF Code Corner: Configure the database connection to reference the HR schema of a local database in your reach and run the JSPX document in the view layer project. Note that for this sample the query of employee records is restricted to employees in department 60. Using this sample code in your application development project, there is no limitation in the number of graphs to use. RELATED DOCOMENTATION 10
ADF Code Corner. 92. Caching ADF Web Service results for in-memory filtering. Abstract: twitter.com/adfcodecorner
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
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. 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,
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
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
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
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
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
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
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
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
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
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
Database Forms and Reports Tutorial
Database Forms and Reports Tutorial Contents Introduction... 1 What you will learn in this tutorial... 2 Lesson 1: Create First Form Using Wizard... 3 Lesson 2: Design the Second Form... 9 Add Components
MicroStrategy Desktop
MicroStrategy Desktop Quick Start Guide MicroStrategy Desktop is designed to enable business professionals like you to explore data, simply and without needing direct support from IT. 1 Import data from
How To Create A Graph On An African Performance Monitor (Dvt)
Creating Intuitive & Interactive Dashboards with the ADF Data Visualization Components Frank Houweling UKOUG 2014 Agenda 2 Why data visualization is important Examples where DVTs are used Graph demo: ADF
Copyright EPiServer AB
Table of Contents 3 Table of Contents ABOUT THIS DOCUMENTATION 4 HOW TO ACCESS EPISERVER HELP SYSTEM 4 EXPECTED KNOWLEDGE 4 ONLINE COMMUNITY ON EPISERVER WORLD 4 COPYRIGHT NOTICE 4 EPISERVER ONLINECENTER
WebSphere Business Monitor V6.2 Business space dashboards
Copyright IBM Corporation 2009 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 6.2 LAB EXERCISE WebSphere Business Monitor V6.2 What this exercise is about... 2 Lab requirements... 2 What you should
MyOra 3.0. User Guide. SQL Tool for Oracle. Jayam Systems, LLC
MyOra 3.0 SQL Tool for Oracle User Guide Jayam Systems, LLC Contents Features... 4 Connecting to the Database... 5 Login... 5 Login History... 6 Connection Indicator... 6 Closing the Connection... 7 SQL
1 Copyright 2011, Oracle and/or its affiliates. All rights reserved.
1 Copyright 2011, Oracle and/or its affiliates. All rights Building Visually Appealing Web 2.0 Data Dashboards Frank Nimphius Senior Principal Product Manager, Oracle 2 Copyright 2011, Oracle and/or its
<Insert Picture Here> Web 2.0 Data Visualization with JSF. Juan Camilo Ruiz Senior Product Manager Oracle Development Tools
Web 2.0 Data Visualization with JSF Juan Camilo Ruiz Senior Product Manager Oracle Development Tools 1 The preceding is intended to outline our general product direction. It is intended
Application. 1.1 About This Tutorial. 1.1.1 Tutorial Requirements. 1.1.2 Provided Files
About This Tutorial 1Creating an End-to-End HL7 Over MLLP Application 1.1 About This Tutorial 1.1.1 Tutorial Requirements 1.1.2 Provided Files This tutorial takes you through the steps of creating an end-to-end
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
The Reporting Console
Chapter 1 The Reporting Console This chapter provides a tour of the WebTrends Reporting Console and describes how you can use it to view WebTrends reports. It also provides information about how to customize
Workspaces Creating and Opening Pages Creating Ticker Lists Looking up Ticker Symbols Ticker Sync Groups Market Summary Snap Quote Key Statistics
Getting Started Workspaces Creating and Opening Pages Creating Ticker Lists Looking up Ticker Symbols Ticker Sync Groups Market Summary Snap Quote Key Statistics Snap Report Price Charts Comparing Price
Infoview XIR3. User Guide. 1 of 20
Infoview XIR3 User Guide 1 of 20 1. WHAT IS INFOVIEW?...3 2. LOGGING IN TO INFOVIEW...4 3. NAVIGATING THE INFOVIEW ENVIRONMENT...5 3.1. Home Page... 5 3.2. The Header Panel... 5 3.3. Workspace Panel...
Process Document Campus Community: Create Communication Template. Document Generation Date 7/8/2009 Last Changed by Status
Document Generation Date 7/8/2009 Last Changed by Status Final System Office Create Communication Template Concept If you frequently send the same Message Center communication to selected students, you
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
Scribe Online Integration Services (IS) Tutorial
Scribe Online Integration Services (IS) Tutorial 7/6/2015 Important Notice No part of this publication may be reproduced, stored in a retrieval system, or transmitted in any form or by any means, photocopying,
Oracle SOA Suite 11g Oracle SOA Suite 11g HL7 Inbound Example
Oracle SOA Suite 11g Oracle SOA Suite 11g HL7 Inbound Example [email protected] June 2010 Table of Contents Introduction... 1 Pre-requisites... 1 Prepare HL7 Data... 1 Obtain and Explore the HL7
Hands-On Lab. Building a Data-Driven Master/Detail Business Form using Visual Studio 2010. Lab version: 1.0.0. Last updated: 12/10/2010.
Hands-On Lab Building a Data-Driven Master/Detail Business Form using Visual Studio 2010 Lab version: 1.0.0 Last updated: 12/10/2010 Page 1 CONTENTS OVERVIEW... 3 EXERCISE 1: CREATING THE APPLICATION S
WebSphere Business Monitor V7.0 Business space dashboards
Copyright IBM Corporation 2010 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 7.0 LAB EXERCISE WebSphere Business Monitor V7.0 What this exercise is about... 2 Lab requirements... 2 What you should
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
Create a Database Driven Application
Create a Database Driven Application Prerequisites: You will need a Bluemix account and an IBM DevOps Services account to complete this project. Please review the Registration sushi card for these steps.
Mitigation Planning Portal MPP Reporting System
Mitigation Planning Portal MPP Reporting System Updated: 7/13/2015 Introduction Access the MPP Reporting System by clicking on the Reports tab and clicking the Launch button. Within the system, you can
DbSchema Tutorial with Introduction in SQL Databases
DbSchema Tutorial with Introduction in SQL Databases Contents Connect to the Database and Create First Tables... 2 Create Foreign Keys... 7 Create Indexes... 9 Generate Random Data... 11 Relational Data
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,
Microsoft Office Access 2007 Basics
Access(ing) A Database Project PRESENTED BY THE TECHNOLOGY TRAINERS OF THE MONROE COUNTY LIBRARY SYSTEM EMAIL: [email protected] MONROE COUNTY LIBRARY SYSTEM 734-241-5770 1 840 SOUTH ROESSLER
Ofgem Carbon Savings Community Obligation (CSCO) Eligibility System
Ofgem Carbon Savings Community Obligation (CSCO) Eligibility System User Guide 2015 Page 1 Table of Contents Carbon Savings Community Obligation... 3 Carbon Savings Community Obligation (CSCO) System...
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
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
Talend Open Studio for MDM. Getting Started Guide 6.0.0
Talend Open Studio for MDM Getting Started Guide 6.0.0 Talend Open Studio for MDM Adapted for v6.0.0. Supersedes previous releases. Publication date: July 2, 2015 Copyleft This documentation is provided
WebSphere Business Monitor V6.2 KPI history and prediction lab
Copyright IBM Corporation 2009 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 6.2 LAB EXERCISE WebSphere Business Monitor V6.2 KPI history and prediction lab What this exercise is about... 1 Lab requirements...
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
MyOra 3.5. User Guide. SQL Tool for Oracle. Kris Murthy
MyOra 3.5 SQL Tool for Oracle User Guide Kris Murthy Contents Features... 4 Connecting to the Database... 5 Login... 5 Login History... 6 Connection Indicator... 6 Closing the Connection... 7 SQL Editor...
Business Process Management IBM Business Process Manager V7.5
Business Process Management IBM Business Process Manager V7.5 Federated task management for BPEL processes and human tasks This presentation introduces the federated task management feature for BPEL processes
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
How to build Dashboard - Step by Step tutorial/recipe
How to build Dashboard - Step by Step tutorial/recipe Contents How to build Dashboard - Step by Step tutorial/recipe...1 How to create Excel Dashboard [ as direct connection ]...2 Purpose of this Dashboard
Using Network Manager to Collect and Graph Data from Network Devices
Using Network Manager to Collect and Graph Data from Network Devices Dell OpenManage Network Manager By Victor Teeter Test Engineer, Sr. Analyst PowerConnect Engineering PowerConnect August 29, 2003 Contents
TIBCO Spotfire Business Author Essentials Quick Reference Guide. Table of contents:
Table of contents: Access Data for Analysis Data file types Format assumptions Data from Excel Information links Add multiple data tables Create & Interpret Visualizations Table Pie Chart Cross Table Treemap
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
Solar-Generation Data Visualization Software Festa Operation Manual
Solar-Generation Data Visualization Software Festa Operation Manual Please be advised that this operation manual is subject to change without notice. FL-003 CONTENTS INTRODUCTION Chapter1: Basic Operations
WHAT S NEW IN OBIEE 11.1.1.7
Enterprise Data Management OBI Author Training, March 2015 WHAT S NEW IN OBIEE 11.1.1.7 NEW PRESENTATION FEATURES VIEWS 1) Recommended Visualizations Feature When you create a new view, OBIEE looks at
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
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.
MetroBoston DataCommon Training
MetroBoston DataCommon Training Whether you are a data novice or an expert researcher, the MetroBoston DataCommon can help you get the information you need to learn more about your community, understand
Dayforce HCM Manager Timesheet Guide
Dayforce HCM Manager Timesheet Guide Contents The Timesheet Management Process... 2 Timesheets and Pay Approval... 2 Timesheet Overview... 3 Load the Timesheet.3 Timesheet Display Options.4 Grid View Options.4
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
Query JD Edwards EnterpriseOne Customer Credit using Oracle BPEL Process Manager
Query JD Edwards EnterpriseOne Customer Credit using Oracle BPEL Process Manager 1 Overview In this tutorial you will be querying JD Edwards EnterpriseOne for Customer Credit information. This is a two
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
CourseBuilder Extension ADOBE elearning SUITE 6
CourseBuilder Extension ADOBE elearning SUITE 6 Legal notices Legal notices For legal notices, see http://help.adobe.com/en_us/legalnotices/index.html. iii Contents Chapter 1: Getting Started Overview..............................................................................................................
Microsoft PowerPoint 2008
Microsoft PowerPoint 2008 Starting PowerPoint... 2 Creating Slides in Your Presentation... 3 Beginning with the Title Slide... 3 Inserting a New Slide... 3 Slide Layouts... 3 Adding an Image to a Slide...
Creating a Network Graph with Gephi
Creating a Network Graph with Gephi Gephi is a powerful tool for network analysis, but it can be intimidating. It has a lot of tools for statistical analysis of network data most of which you won't be
CentralMass DataCommon
CentralMass DataCommon User Training Guide Welcome to the DataCommon! Whether you are a data novice or an expert researcher, the CentralMass DataCommon can help you get the information you need to learn
EBOX Digital Content Management System (CMS) User Guide For Site Owners & Administrators
EBOX Digital Content Management System (CMS) User Guide For Site Owners & Administrators Version 1.0 Last Updated on 15 th October 2011 Table of Contents Introduction... 3 File Manager... 5 Site Log...
Introduction to Visio 2003 By Kristin Davis Information Technology Lab School of Information The University of Texas at Austin Summer 2005
Introduction to Visio 2003 By Kristin Davis Information Technology Lab School of Information The University of Texas at Austin Summer 2005 Introduction This tutorial is designed for people who are new
owncloud Configuration and Usage Guide
owncloud Configuration and Usage Guide This guide will assist you with configuring and using YSUʼs Cloud Data storage solution (owncloud). The setup instructions will include how to navigate the web interface,
5.7. Quick Guide to Fusion Pro Schedule
5.7 Quick Guide to Fusion Pro Schedule Quick Guide to Fusion Pro Schedule Fusion 5.7 This publication may not be reproduced, in whole or in part, in any form or by any electronic, manual, or other method
CalPlanning. Smart View Essbase Ad Hoc Analysis
1 CalPlanning CalPlanning Smart View Essbase Ad Hoc Analysis Agenda Overview Introduction to Smart View & Essbase 4 Step Smart View Essbase Ad Hoc Analysis Approach 1. Plot Dimensions 2. Drill into Data
Viewing and Troubleshooting Perfmon Logs
CHAPTER 7 To view perfmon logs, you can download the logs or view them locally. This chapter contains information on the following topics: Viewing Perfmon Log Files, page 7-1 Working with Troubleshooting
How To Use Microsoft Gpa On Microsoft Powerbook 2.5.2.2 (Windows) On A Microsoft P2.1 (Windows 2.2) On An Uniden Computer (Windows 1.5) On Micro
Microsoft Dynamics GP Analytical Accounting Copyright Copyright 2011 Microsoft. All rights reserved. Limitation of liability This document is provided as-is. Information and views expressed in this document,
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.
Build Your First Web-based Report Using the SAS 9.2 Business Intelligence Clients
Technical Paper Build Your First Web-based Report Using the SAS 9.2 Business Intelligence Clients A practical introduction to SAS Information Map Studio and SAS Web Report Studio for new and experienced
Blackboard Version 9.1 - Grade Center Contents
Blackboard Version 9.1 - Grade Center Contents Edit mode... 2 Grade Center...... 2 Accessing the Grade Center... 2 Exploring the Grade Center... 2 Icon Legend... 3 Setting Up / Customizing the Grade Center...
Creating a Patch Management Dashboard with IT Analytics Hands-On Lab
Creating a Patch Management Dashboard with IT Analytics Hands-On Lab Description This lab provides a hands-on overview of the IT Analytics Solution. Students will learn how to browse cubes and configure
Data Visualization. Prepared by Francisco Olivera, Ph.D., Srikanth Koka Department of Civil Engineering Texas A&M University February 2004
Data Visualization Prepared by Francisco Olivera, Ph.D., Srikanth Koka Department of Civil Engineering Texas A&M University February 2004 Contents Brief Overview of ArcMap Goals of the Exercise Computer
SolarEdge Monitoring Portal. User Guide 1.1. Table of Contents
Table of Contents Table of Contents... 2 About This Guide... 3 Support and Contact Information... 4 Chapter 1 - Introducing the SolarEdge Monitoring Portal... 5 Chapter 2 - Using the SolarEdge Monitoring
Foglight. Dashboard Support Guide
Foglight Dashboard Support Guide 2013 Quest Software, Inc. ALL RIGHTS RESERVED. This guide contains proprietary information protected by copyright. The software described in this guide is furnished under
Creating and Using Links and Bookmarks in PDF Documents
Creating and Using Links and Bookmarks in PDF Documents After making a document into a PDF, there may be times when you will need to make links or bookmarks within that PDF to aid navigation through the
Database Linker Tutorial
Database Linker Tutorial 1 Overview 1.1 Utility to Connect MindManager 8 to Data Sources MindManager 8 introduces the built-in ability to automatically map data contained in a database, allowing you to
DataPA OpenAnalytics End User Training
DataPA OpenAnalytics End User Training DataPA End User Training Lesson 1 Course Overview DataPA Chapter 1 Course Overview Introduction This course covers the skills required to use DataPA OpenAnalytics
Table of Contents. Table of Contents
Table of Contents Table of Contents Table of Contents... 2 About This Guide... 3 Support and Contact Information... 4 Chapter 1 - Introducing the SolarEdge Monitoring Portal... 5 Chapter 2 - Using the
Getting Started Guide: Transaction Download for QuickBooks 2014 Windows
Getting Started Guide: Transaction Download for QuickBooks 2014 Windows Refer to the Getting Started Guide for instructions on using QuickBooks online account services; to save time, improve accuracy,
SharePoint AD Information Sync Installation Instruction
SharePoint AD Information Sync Installation Instruction System Requirements Microsoft Windows SharePoint Services V3 or Microsoft Office SharePoint Server 2007. License management Click the trial link
Introduction... 1 Welcome Screen... 2 Map View... 3. Generating a map... 3. Map View... 4. Basic Map Features... 4
Quick Start Guide Contents Introduction... 1 Welcome Screen... 2 Map View... 3 Generating a map... 3 Map View... 4 Basic Map Features... 4 Adding a Secondary Indicator... 5 Adding a Secondary Indicator...
SAS BI Dashboard 4.3. User's Guide. SAS Documentation
SAS BI Dashboard 4.3 User's Guide SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2010. SAS BI Dashboard 4.3: User s Guide. Cary, NC: SAS Institute
Data Warehouse Troubleshooting Tips
Table of Contents "Can't find the Admin layer "... 1 "Can't locate connection document "... 3 Column Headings are Missing after Copy/Paste... 5 Connection Error: ORA-01017: invalid username/password; logon
How to Login Username Password:
How to Login After navigating to the SelecTrucks ATTS Call Tracking & Support Site: www.selectrucksatts.com Select Corporate Link to login for Corporate owned Centers/Locations. Username: Your Email Address
LexisNexis TotalPatent. Training Manual
LexisNexis TotalPatent Training Manual March, 2013 Table of Contents 1 GETTING STARTED Signing On / Off Setting Preferences and Project IDs Online Help and Feedback 2 SEARCHING FUNDAMENTALS Overview of
Custom Reporting System User Guide
Citibank Custom Reporting System User Guide April 2012 Version 8.1.1 Transaction Services Citibank Custom Reporting System User Guide Table of Contents Table of Contents User Guide Overview...2 Subscribe
Creating Basic Custom Monitoring Dashboards Antonio Mangiacotti, Stefania Oliverio & Randy Allen
Creating Basic Custom Monitoring Dashboards by Antonio Mangiacotti, Stefania Oliverio & Randy Allen v1.1 Introduction With the release of IBM Tivoli Monitoring 6.3 and IBM Dashboard Application Services
Live Maps. for System Center Operations Manager 2007 R2 v6.2.1. Installation Guide
Live Maps for System Center Operations Manager 2007 R2 v6.2.1 Installation Guide CONTENTS Contents... 2 Introduction... 4 About This Guide... 4 Supported Products... 4 Understanding Live Maps... 4 Live
Installing Basic PAYE Tools onto a networked computer
Installing Basic PAYE Tools onto a networked computer 1 Contents BPT RTI Network Installation Guide... 1 Contents...2 Overview and Disclaimer... 2 Guides...3 I want to install Basic PAYE Tools Real Time
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:
User Guide. Analytics Desktop Document Number: 09619414
User Guide Analytics Desktop Document Number: 09619414 CONTENTS Guide Overview Description of this guide... ix What s new in this guide...x 1. Getting Started with Analytics Desktop Introduction... 1
