Ellucian Banner 9 and Colleague UI 5 LearnMode Integration

Size: px
Start display at page:

Download "Ellucian Banner 9 and Colleague UI 5 LearnMode Integration"

Transcription

1 Ellucian Banner 9 and Colleague UI 5 LearnMode Integration Administrator s Getting Started Guide Versions: and higher and and higher Written by: Product Knowledge, R&D Date: May 2018

2 2018 Hyland Software, Inc. and its affiliates.

3 Table of Contents Introduction... 4 Script template overview... 4 Class helper functions... 4 GetValue... 4 GetName... 5 wildcardsearch... 5 debout... 6 Accessibility tree acquisition functions... 6 FindWindow... 6 AppGetTree... 7 Accessibility tree search functions... 8 Accessibility tree search execution... 9 Assignment of search results to data dictionary fields... 9 Apply script in Banner Banner 9 SPAIDEN Script template Apply script in Colleague Colleague VOUI Script template

4 Introduction Ellucian s recent releases of Banner 9 and Colleague UI 5 have transformed the end user client for these two applications to responsive HTML5. Given the HTML5 capabilities of Banner 9 and Colleague UI 5, Ellucian recommends using browsers Google Chrome and Mozilla Firefox versus Microsoft Internet Explorer 11 for optimal performance. To support continued integration with these latest versions, the Perceptive Content LearnMode functionality now supports integration with the two applications running within either Chrome or Firefox via the Microsoft Windows Accessibility API. The LearnMode enhancement is available in the following versions: Perceptive Content and higher Perceptive Content and higher The LearnMode enhancement consists of the following two key components: A new LearnMode Visual Basic Script Library method AppGetTree() which calls into the Windows Accessibility API via COM to return the entire application tree in a single request. Dynamic activation of the Chrome accessibility interface when the AppGetTree() method queries the Chrome browser process window handle. Note This is only specific to the Chrome browser and is not required for Mozilla Firefox browser. This guide provides information on the AppGetTree() method as well as provided Visual Basic Script templates include class helper functions for implementing the AppGetTree() function within a LearnMode Application Plan for Banner 9 or Colleague UI 5 application screens. Script template overview Hyland provides Visual Basic Script templates for integrating with Banner and Colleague to help guide you through the structure and logic used in obtaining the application accessibility nodes and assigning them to data dictionary fields in the Application Plan Designer. The script templates include the following five sections: Class helper functions Accessibility tree acquisition functions Accessibility tree search variables Accessibility tree search execution Assignment of search results to data dictionary fields Class helper functions Class helper functions are defined at the beginning of the script and can be called anywhere within the script. This example script defines the following four class helper functions. GetValue Returns the text after ->, which represents the field value. 4

5 GetValue SYNTAX ARGUMENTS RETURN EXAMPLE GetValue text Returns the text in the appropriate field. No text after -> means that the field value is empty. function GetValue(text) splittext = Split(text, "->") if UBound(splitText) > 0 then GetValue = trim(splittext(1)) GetName Returns the text between [], which represents the name field. GetName SYNTAX ARGUMENTS RETURN EXAMPLE GetName text Returns the text in the appropriate field. No text between [] means that the field value is empty. function GetName(text) if InStr(text, "[") > 0 and InStr(text, "]") > 0 then GetName = Mid(text, InStr(text, "[")+1, InStr(text,"]")- InStr(text, "[")-1) wildcardsearch Determines if the text in the first string contains all the sub-strings of the second string separated by the wildcard pattern (*). wildcardsearch SYNTAX ARGUMENTS wildcardsearch text patternstring 5

6 wildcardsearch RETURN EXAMPLE TRUE = Text in first string contains all the sub-strings of the second string separated by the wildcard pattern (*). FALSE = One or more of the sub-strings are not found. function wildcardsearch(text, patternstring) strings = Split(patternString, "*") found = false For Each SubPattern In strings If Instr(1, text, SubPattern, vbtextcompare) < 1 Then found = false exit for else found = true Next wildcardsearch = found debout Writes out the string to a text file and then opens that text file in the default text editor/viewer. debout SYNTAX ARGUMENTS RETURN EXAMPLE debout tree Writes out the string to a text file. Use the ` character to comment out the code if you do not want the string written out to a text file. function debout(tree) fn = "C:\temp\debout.txt" Set objfso = CreateObject("Scripting.FileSystemObject") Set objfile = objfso.createtextfile(fn, True, true) objfile.write(tree) objfile.close CreateObject("WScript.Shell").Run(fn) Accessibility tree acquisition functions FindWindow Use FindWindow to get the identifier of the window (hwnd). FindWindow SYNTAX int FindWindow(STR WindowTitle) 6

7 FindWindow ARGUMENTS RETURN EXAMPLE ADDITIONAL INFORMATION String WindowTitle is the title of the window for which to search. You can include wildcards (* or?). The result is an integer that identifies the window in the system. h = FindWindow("*App*Nav*") The returned value is most useful when used as the first parameter to AppGetTree. AppGetTree This function returns all the accessibility nodes for a window in a tree like format. AppGetTree SYNTAX ARGUMENTS FILTERS long AppGetTree(int hwnd, String Filters, VARIANT* parrnodes) Use FindWindow to get the identifier of the window (hwnd). Use string filters to return nodes that match the specified filters. You can use multiple filters by separating each filter with the character. For example, the filter "text combobox" returns only nodes which contain "text" or "combobox". This filter is optional. Use the special filter string "parent:" to only return nodes that reside under the matching parent node. Typically, the AppGetTree call returns all accessibility nodes for all open tabs. Use the parent string to limit the nodes returned to a specific tab. The system processes this string first when combined with other filter strings. For example, "parent:document[application Navigator]" returns only nodes for the "Application Navigator" tab in Firefox. 7

8 AppGetTree parrnodes The accessibility nodes are broken into an array of string chunks of bytes or less. The return value of AppGetTree contains the number of elements in the array. The value is zero if the system does not return any accessibility nodes. If the total accessibility tree is smaller than 65K, the system returns the entire tree in the string in first entry in the parrnodes array. Each entry in the array contains a string of the accessibility nodes with each node separated by a carriage return and linefeed. Each accessibility node consists of a space indentation based on the depth of the node, '+' if the node is a parent, followed by the accessibility role, the accessibility name in brackets and the accessibility value, if the node has one preceded by '->' For example: +DIV[] +text[] label[start Date] text[start Date]->04/24/06 +DIV[] label[washington DC 20036,UNITED STA] RETURN EXAMPLE Message Box displays "text[start Date]->04/24/06". h = FindWindow("*App*Nav*") treechunks = AppGetTree(h, "", treenodes) for c = 0 to treechunks - 1 tree = tree + treenodes(c) nodes = Split(tree, vbcrlf) for ln = LBound(nodes) to UBound(nodes) if Instr(nodes(ln), "Start Date]->") > 0 then MsgBox nodes(ln) Accessibility tree search functions In this section, you define the number of nodes the script searches and the text string representing the node name that the system searches to obtain the desired value. The format of the text search string may differ between applications depending on the browser, Chrome or Firefox, you are using. You can use wildcards (*) when defining the search string as shown in the examples below. dim search(6) search(0) = " text[street Line 1*] ->" search(1) = " text[street Line 2*] ->" search(2) = " text[phone Number*] ->" search(3) = " text[city*] ->" search(4) = " text[state or*] ->" search(5) = " text[zip*] ->" search(6) = " combobox[part or Full Time Status*] ->" 8

9 Accessibility tree search execution In this section, the script traverses the accessibility tree nodes to locate the search strings defined in the previous section. The logic leverages the class helper functions GetValue() and GetName() to extract the values from nodes containing values or names that you want to leverage in the Application Plan. The logic of this section remains mostly unchanged by administrators. for ln = LBound(nodes) to UBound(nodes) for s = LBound(search) to UBound(search) if wildcardsearch(nodes(ln), search(s)) then values(s) = GetValue(nodes(ln)) if wildcardsearch(nodes(ln), "div[id") > 0 then ' line has ID in name.. id = GetName(nodes(ln + 1)) Assignment of search results to data dictionary fields In this section, the mapping of the Application Plan data dictionary fields to the search results values from the section above happens. Below is an example where the data dictionary fields are ID, Street Line 1, Street Line 2, City, and Phone. field("id") = id field("street Line 1") = values(0) field("street Line 2") = values(1) field("city") = values(3) & "," & values(4) & " " & values(5) field("phone") = values(2) Apply script in Banner 9 This example script returns data on the Address Information tab on the General Person Identification (SPAIDEN) screen when using the Chrome or Firefox browsers. 1. In Management Console, select the application you want to add the visual basic script and click Modify. 2. In Application Plan Designer, in the Screens pane, select the Address screen. 3. In the Dictionary pane, double-click the dictionary data element for which you want to apply the script. 4. In the Dictionary Field dialog box, under Processing, click Add, and then Script. 5. In the Script dialog box, click Create and then type a name for your script. 6. Select the script you just created and click Modify. 7. In the Script New Script dialog box, copy and paste the Banner 9 sample script from below in the text box under Script. 8. In the script, remove the ` backtick from the following line of code to uncomment the command: debout(tree 9. Click Test to run the script. The system extracts the data on the Address Information tab and opens it in your default text editor. 9

10 10. Use the information in the text editor to find the appropriate text and matching pattern you need to modify your script for that particular screen. nodes = Split(tree, vbcrlf) dim search(5) search(0) = "text[street Line 1*]->" search(1) = "text[street Line 2*]->" search(2) = "text[phone Number*]->" search(3) = "text[city*]->" search(4) = "text[state or Province*]->" search(5) = "text[zip or Postal Code*]->" 11. After you added all the necessary information, add the ` backtick back to the following line of code to comment the command: debout(tree 12. Click OK to save the script. Banner 9 SPAIDEN 10

11 Script template ' return text after -> which represents value field function GetValue(text) splittext = Split(text, "->") if UBound(splitText) > 0 then GetValue = trim(splittext(1)) ' return text between [] which represents name field function GetName(text) if InStr(text, "[") > 0 and InStr(text, "]") > 0 then GetName = Mid(text, InStr(text, "[")+1, InStr(text,"]")-InStr(text, "[")-1) ' true if text contains all substrings in patternstring Function wildcardsearch(text, patternstring) strings = Split(patternString, "*") found = false For Each SubPattern In strings If Instr(1, text, SubPattern, vbtextcompare) < 1 Then found = false exit for else found = true Next wildcardsearch = found End Function ' write tree to text file function debout(tree) fn = "C:\temp\debout.txt" Set objfso = CreateObject("Scripting.FileSystemObject") Set objfile = objfso.createtextfile(fn, True, true) objfile.write(tree) objfile.close CreateObject("WScript.Shell").Run(fn) h = FindWindow("*App*Nav*") treechunks = AppGetTree(h, "parent:document[application Navigator]", treenodes) for c = 0 to treechunks - 1 tree = tree + treenodes(c) debout(tree) nodes = Split(tree, vbcrlf) dim search(5) search(0) = "text[street Line 1*]->" search(1) = "text[street Line 2*]->" search(2) = "text[phone Number*]->" search(3) = "text[city*]->" search(4) = "text[state or Province*]->" search(5) = "text[zip or Postal Code*]->" 11

12 dim values(10) addresstab = false for ln = LBound(nodes) to UBound(nodes) for s = LBound(search) to UBound(search) if wildcardsearch(nodes(ln), search(s)) then values(s) = GetValue(nodes(ln)) if Instr(1, nodes(ln), "div[id", vbtextcompare) > 0 then ' line has ID in name.. id = GetName(nodes(ln + 1)) elseif Instr(nodes(ln),",")>0 and Instr(1,nodes(ln),"span[",vbTextCompare)>0 then name = GetName(nodes(ln)) elseif Instr(nodes(ln), "label[address INFORMATION]") > 0 then addresstab = true elseif Instr(nodes(ln), "text[address INFORMATION]") > 0 then addresstab = true ' firefox if not addresstab then msgbox "Switch to Address tab" field("id") = id field("name") = name field("street Line 1") = values(0) field("street Line 2") = values(1) field("phone") = values(2) field("city") = values(3) & "," & values(4) & " " & values(5) Apply script in Colleague This example script returns data on the Voucher Inquiry (VOUI) screen when using the Chrome or Firefox browsers. 1. In Management Console, select the application you want to add the visual basic script and click Modify. 2. In Application Plan Designer, in the Screens pane, select the Address screen. 3. In the Dictionary pane, double-click the dictionary data element for which you want to apply the script. 4. In the Dictionary Field dialog box, under Processing, click Add, and then Script. 5. In the Script dialog box, click Create and then type a name for your script. 6. Select the script you just created and click Modify. 7. In the Script New Script dialog box, copy and paste the Banner 9 sample script from below in the text box under Script. 8. In the script, remove the ` backtick from the following line of code to uncomment the command: debout(tree 12

13 9. Click Test to run the script. The system extracts the data on the Voucher Inquiry screen and opens it in your default text editor. 10. Use the information in the text editor to find the appropriate text and matching pattern you need to modify your script for that particular screen. nodes = Split(tree, vbcrlf) dim search(6) search(0) = " text\[.*field Name\]->" search(1) = " text\[.*field Address.*->" search(2) = " text\[.*field City.*->" search(3) = " text\[.*field State.*->" search(4) = " text\[.*field Zip.*->" search(5) = " text\[.*field Due Date.*->" search(6) = " text\[.*field Check No.*->" 11. After you added all the necessary information, add the ` backtick back to the following line of code to comment the command: debout(tree 12. Click OK to save the script. 13

14 Colleague VOUI Script template 'Colleague VOUI ' return text after -> which represents value field function GetValue(text) splittext = Split(text, "->") if UBound(splitText) > 0 then GetValue = trim(splittext(1)) ' return text between [] which represents name field function GetName(text) if InStr(text, "[") > 0 and InStr(text, "]") > 0 then GetName = Mid(text, InStr(text, "[") + 1, InStr(text, "]") - InStr(text, "[") - 1) ' write tree to text file function debout(tree) fn = "C:\temp\debout.txt" 14

15 Set objfso = CreateObject("Scripting.FileSystemObject") Set objfile = objfso.createtextfile(fn, True, true) objfile.write(tree) objfile.close CreateObject("WScript.Shell").Run(fn) h = FindWindow("*coll18*") if h = 0 then msgbox "Window not found" treechunks = AppGetTree(h, "parent:document[-", treenodes) for c = 0 to treechunks - 1 tree = tree + treenodes(c) 'debout(tree) nodes = Split(tree, vbcrlf) dim search(6) search(0) = " text\[.*field Name\]->" search(1) = " text\[.*field Address.*->" search(2) = " text\[.*field City.*->" search(3) = " text\[.*field State.*->" search(4) = " text\[.*field Zip.*->" search(5) = " text\[.*field Due Date.*->" search(6) = " text\[.*field Check No.*->" dim values redim values(10) Set RE = New RegExp RE.IgnoreCase = True for ln = LBound(nodes) to UBound(nodes) for s = LBound(search) to UBound(search) RE.Pattern = search(s) If RE.Test(nodes(ln)) Then values(s) = GetValue(nodes(ln)) if Instr(nodes(ln), "[Voucher ID") > 0 then voucherid = GetName(nodes(ln + 3)) if voucherid = "" then voucherid = GetName(nodes(ln + 4)) if Instr(nodes(ln), "[Status Date") > 0 then statusdate = GetName(nodes(ln + 3)) if statusdate = "" then statusdate = GetName(nodes(ln + 4)) if Instr(nodes(ln), "[Status :") > 0 then status = GetName(nodes(ln + 3)) if status = "" then status = GetName(nodes(ln + 4)) field("name") = values(0) field("address") = values(1) field("city") = values(2) & "," & values(3) & " " & values(4) 15

16 field("due Date") = values(5) field("check Num") = values(6) field("voucher ID") = voucherid field("status Date") = statusdate field("status") = status 16

Perceptive XML Integration for Epic

Perceptive XML Integration for Epic Perceptive XML Integration for Epic Installation and Setup Guide Version: 2.0.x Written by: Product Knowledge, R&D Date: May 2018 2008-2018 Hyland Software, Inc. and its affiliates. Table of Contents About

More information

NOTES: String Functions (module 12)

NOTES: String Functions (module 12) Computer Science 110 NAME: NOTES: String Functions (module 12) String Functions In the previous module, we had our first look at the String data type. We looked at declaring and initializing strings, how

More information

Healthcare Database Connector

Healthcare Database Connector Healthcare Database Connector Installation and Setup Guide Version: 3.1.1 Written by: Product Knowledge, R&D Date: May 2018 2008-2018 Hyland Software, Inc. and its affiliates. Table of Contents What is

More information

Visualizing the Topology

Visualizing the Topology Visualization Overview, page 1 Enabling AutoNetkit Visualization (for Windows Users), page 3 Opening AutoNetkit Visualization, page 5 Using Layers, page 6 Changing the Settings, page 9 Using Search, page

More information

Perceptive TransForm and Perceptive Conent Integration

Perceptive TransForm and Perceptive Conent Integration Perceptive TransForm and Perceptive Conent Integration Setup Guide Version: 8.x Written by: Product Knowledge, R&D Date: May 2018 2008-2018 Hyland Software, Inc. and its affiliates. Table of Contents Perceptive

More information

Release is a maintenance release for Release , , or

Release is a maintenance release for Release , , or Oracle Hyperion Calculation Manager, Fusion Edition Release 11.1.1.3 Readme [Skip Navigation Links] Purpose... 1 New Features... 1 Installation Updates... 2 Known Issues... 2 General Application Design

More information

Chapter 20: Binary Trees

Chapter 20: Binary Trees Chapter 20: Binary Trees 20.1 Definition and Application of Binary Trees Definition and Application of Binary Trees Binary tree: a nonlinear linked list in which each node may point to 0, 1, or two other

More information

FASHION AND DESIGN INSTITUTE

FASHION AND DESIGN INSTITUTE FASHION AND DESIGN INSTITUTE Network and Browser Setting Manual Version 1.0 PURPOSE Internet access is provided for student and visitor s access, however, whoever who need to use the WIFI access, has to

More information

Graphic Selenium Testing Tool

Graphic Selenium Testing Tool Graphic Selenium Testing Tool Last modified: 02/06/2014 1 Content 1 What can I do with GSTT?... 3 2 Installation... 4 3 Main window... 5 4 Define a new web testing project... 6 5 Define a new test case...

More information

Lab 3: Building Compound Comparisons

Lab 3: Building Compound Comparisons Lab 3: Building Compound Comparisons In this lab you will build a series of Compound Comparisons. Each Compound Comparison will relate to a group of related Identifiers. And each will hold an ordered list

More information

Manage and Generate Reports

Manage and Generate Reports Report Manager, page 1 Generate Reports, page 3 Trust Self-Signed Certificate for Live Data Reports, page 4 Report Viewer, page 4 Save an Existing Stock Report, page 7 Import Reports, page 7 Export Reports,

More information

Perceptive Nolij Web. Administrator Guide. Version: 6.8.x

Perceptive Nolij Web. Administrator Guide. Version: 6.8.x Perceptive Nolij Web Administrator Guide Version: 6.8.x Written by: Product Knowledge, R&D Date: June 2018 Copyright 2014-2018 Hyland Software, Inc. and its affiliates.. Table of Contents Introduction...

More information

Report Exec Enterprise Badge & Label Printing

Report Exec Enterprise Badge & Label Printing Report Exec Enterprise Badge & Label Printing Contents Where to Begin... 2 Technical Support... 2 Printing Preferences of the Dymo LabelWriter 450 Turbo... 2 Web Browser Configuration... 5 Internet Explorer...

More information

More Skills 11 Export Queries to Other File Formats

More Skills 11 Export Queries to Other File Formats = CHAPTER 2 Access More Skills 11 Export Queries to Other File Formats Data from a table or query can be exported into file formats that are opened with other applications such as Excel and Internet Explorer.

More information

Perceptive Nolij Web. Release Notes. Version: 6.8.x

Perceptive Nolij Web. Release Notes. Version: 6.8.x Perceptive Nolij Web Release Notes Version: 6.8.x Written by: Product Knowledge, R&D Date: June 2018 Copyright 2014-2018 Hyland Software, Inc. and its affiliates. Table of Contents Perceptive Nolij Web

More information

Las Vegas, Nevada, December 3 6, Kevin Vandecar. Speaker Name:

Las Vegas, Nevada, December 3 6, Kevin Vandecar. Speaker Name: Las Vegas, Nevada, December 3 6, 2002 Speaker Name: Kevin Vandecar Course Title: Introduction to Visual Basic Course ID: CP11-3 Session Overview: Introduction to Visual Basic programming is a beginning

More information

COMMISSION OF TEXAS MAY

COMMISSION OF TEXAS MAY GIS Viewer RAILROAD COMMISSION OF TEXAS MAY 2017 Table of Contents GIS Viewer Basics... 1 Basics... 1 Screen Overview... 2 Tools... 5 Visibility... 5 Measure Tool... 7 Identify Tool... 10 Coordinates Tool...

More information

PCB Filter. Summary. Panel Access. Modified by Admin on Dec 12, PCB Inspector. Parent page: Panels

PCB Filter. Summary. Panel Access. Modified by Admin on Dec 12, PCB Inspector. Parent page: Panels PCB Filter Old Content - visit altium.com/documentation Modified by Admin on Dec 12, 2013 Related panels PCB Inspector Parent page: Panels Quickly locate and highlight objects using logical queries in

More information

BROWSERS OPTIMIZATION

BROWSERS OPTIMIZATION BROWSERS OPTIMIZATION To allow your browser to function more effectively, we recommend that you Clear your browser cache (delete temporary files) and Remove any compatibility view option previously selected

More information

KWizCom Corporation. List Aggregator App. User Guide

KWizCom Corporation. List Aggregator App. User Guide KWizCom Corporation List Aggregator App User Guide Copyright 2005-2017 KWizCom Corporation. All rights reserved. Company Headquarters KWizCom 95 Mural Street, Suite 600 Richmond Hill, ON L4B 3G2 Canada

More information

E-statement Settings Guide

E-statement Settings Guide E-statement Settings Guide Contents Windows PC... 3 Google Chrome... 3 Internet Explorer... 7 Mozilla Firefox... 10 Apple Macintosh... 14 Safari for Mac... 14 Apple ios (iphone/ipad)... 21 Safari for ios

More information

What's New in Sitecore CMS 6.4

What's New in Sitecore CMS 6.4 Sitecore CMS 6.4 What's New in Sitecore CMS 6.4 Rev: 2010-12-02 Sitecore CMS 6.4 What's New in Sitecore CMS 6.4 This document describes the new features and changes introduced in Sitecore CMS 6.4 Table

More information

Browser Support Internet Explorer

Browser Support Internet Explorer Browser Support Internet Explorer Consumers Online Banking offers you more enhanced features than ever before! To use the improved online banking, you may need to change certain settings on your device

More information

DATABASE AUTOMATION USING VBA (ADVANCED MICROSOFT ACCESS, X405.6)

DATABASE AUTOMATION USING VBA (ADVANCED MICROSOFT ACCESS, X405.6) Technology & Information Management Instructor: Michael Kremer, Ph.D. Database Program: Microsoft Access Series DATABASE AUTOMATION USING VBA (ADVANCED MICROSOFT ACCESS, X405.6) AGENDA 3. Executing VBA

More information

Perceptive Interact for EpicCare Link

Perceptive Interact for EpicCare Link Perceptive Interact for EpicCare Link Installation and Setup Guide Version: 2.1.x Written by: Product Knowledge, R&D Date: July 2018 Copyright 2014-2018 Hyland Software, Inc. and its affiliates. Table

More information

XIA Automation Server

XIA Automation Server Administrator's Guide Version: 3.1 Copyright 2017, CENTREL Solutions Table of contents About... 6 Installation... 7 Installation Requirements (Server)... 8 Prerequisites (Windows 2016 / 2012)... 9 Prerequisites

More information

Perceptive Interact for Salesforce Enterprise

Perceptive Interact for Salesforce Enterprise Perceptive Interact for Salesforce Enterprise Installation and Setup Guide Version: 3.x.x Written by: Product Knowledge, R&D Date: April 2018 Copyright 2015-2018 Hyland Software, Inc. and its affiliates.

More information

NearPoint 4.2 NEARPOINT SSR CLIENT QUICK START. 3. Viewing and Restoring Items and Files from the Mimosa Archive. 1.

NearPoint 4.2 NEARPOINT SSR CLIENT QUICK START. 3. Viewing and Restoring  Items and Files from the Mimosa Archive. 1. 1. Introduction The Mimosa Archive Self-service Retrieve (SSR) Client provides access to email items archived using the NearPoint system and files archived using the File System Archiving (FSA) option.

More information

Enterprise Search. Technical Specifications. Version: 11.0.x

Enterprise Search. Technical Specifications. Version: 11.0.x Enterprise Search Technical Specifications Version: 11.0.x Written by: Product Knowledge, R&D Date: May 2018 Copyright 1988-2018 Hyland Software, Inc. and its affiliates. Table of Contents Enterprise Search...

More information

Using the PowerExchange CallProg Function to Call a User Exit Program

Using the PowerExchange CallProg Function to Call a User Exit Program Using the PowerExchange CallProg Function to Call a User Exit Program 2010 Informatica Abstract This article describes how to use the PowerExchange CallProg function in an expression in a data map record

More information

Visual Programming 1. What is Visual Basic? 2. What are different Editions available in VB? 3. List the various features of VB

Visual Programming 1. What is Visual Basic? 2. What are different Editions available in VB? 3. List the various features of VB Visual Programming 1. What is Visual Basic? Visual Basic is a powerful application development toolkit developed by John Kemeny and Thomas Kurtz. It is a Microsoft Windows Programming language. Visual

More information

C1 CMS User Guide Orckestra, Europe Nygårdsvej 16 DK-2100 Copenhagen Phone

C1 CMS User Guide Orckestra, Europe Nygårdsvej 16 DK-2100 Copenhagen Phone 2017-02-13 Orckestra, Europe Nygårdsvej 16 DK-2100 Copenhagen Phone +45 3915 7600 www.orckestra.com Content 1 INTRODUCTION... 4 1.1 Page-based systems versus item-based systems 4 1.2 Browser support 5

More information

This document contains the steps which will help you to submit your business to listings. The listing includes both business and contact information.

This document contains the steps which will help you to submit your business to listings. The listing includes both business and contact information. This document contains the steps which will help you to submit your business to listings. The listing includes both business and contact information. You can also include details, such as search keywords,

More information

variables programming statements

variables programming statements 1 VB PROGRAMMERS GUIDE LESSON 1 File: VbGuideL1.doc Date Started: May 24, 2002 Last Update: Dec 27, 2002 ISBN: 0-9730824-9-6 Version: 0.0 INTRODUCTION TO VB PROGRAMMING VB stands for Visual Basic. Visual

More information

Business Insight Authoring

Business Insight Authoring Business Insight Authoring Getting Started Guide ImageNow Version: 6.7.x Written by: Product Documentation, R&D Date: August 2016 2014 Perceptive Software. All rights reserved CaptureNow, ImageNow, Interact,

More information

HTML5 MOCK TEST HTML5 MOCK TEST I

HTML5 MOCK TEST HTML5 MOCK TEST I http://www.tutorialspoint.com HTML5 MOCK TEST Copyright tutorialspoint.com This section presents you various set of Mock Tests related to HTML5 Framework. You can download these sample mock tests at your

More information

PeopleSoft Finance 8.55 Fluid Interface. 1. Clear Cache and Cookies in all browsers used prior to logging into PeopleSoft Finance.

PeopleSoft Finance 8.55 Fluid Interface. 1. Clear Cache and Cookies in all browsers used prior to logging into PeopleSoft Finance. PeopleSoft Finance 8.55 Fluid Interface First time Logging In IMPORTANT: You must clear your cache and cookies in all browsers that you use prior to logging into PeopleSoft Finance. For instructions on

More information

1. Open any browser (e.g. Internet Explorer, Firefox, Chrome or Safari) and go to

1. Open any browser (e.g. Internet Explorer, Firefox, Chrome or Safari) and go to VMWare AirWatch User Guide for Web Browser You can access your AirWatch Files from a web browser. How to login AirWatch Cloud Storage? 1. Open any browser (e.g. Internet Explorer, Firefox, Chrome or Safari)

More information

Perceptive Connect Runtime

Perceptive Connect Runtime Perceptive Connect Runtime Installation and Setup Guide Version: 1.0.x Compatible with ImageNow: Version 6.7.x or higher Written by: Product Knowledge, R&D Date: August 2016 2015 Perceptive Software. All

More information

From the Insert Tab (1), highlight Picture (2) drop down and finally choose From Computer to insert a new image

From the Insert Tab (1), highlight Picture (2) drop down and finally choose From Computer to insert a new image Inserting Image To make your page more striking visually you can add images. There are three ways of loading images, one from your computer as you edit the page or you can preload them in an image library

More information

PCC Local File Viewer User Guide. Version /23/2015 Copyright 2015

PCC Local File Viewer User Guide. Version /23/2015 Copyright 2015 PCC Local File Viewer User Guide Version 1.0 01/23/2015 Copyright 2015 Table of Contents PCC Local File Viewer User Guide... 1 Table of Contents... 2 1 - Introduction... 3 2 - Choosing File Associations...

More information

Perceptive Interact for Salesforce Enterprise

Perceptive Interact for Salesforce Enterprise Perceptive Interact for Salesforce Enterprise Installation and Setup Guide Version: 3.x.x Written by: Documentation Team, R&D Date: January 2019 Copyright 2015-2019 Hyland Software, Inc. and its affiliates.

More information

Threat Response Auto Pull (TRAP) - Installation Guide

Threat Response Auto Pull (TRAP) - Installation Guide Threat Response Auto Pull (TRAP) - Installation Guide Installation guide provides information on how to get Threat Response Auto Pull (TRAP) [/trapguides/trap-about/] up and running in your environment.

More information

Banner 9 Administrative pages Navigation Guide

Banner 9 Administrative pages Navigation Guide Banner 9 Administrative pages Navigation Guide Kennesaw State University 1 P age Enrollment Services Division Table of Contents Introduction... 3 What is new with Banner Admin Pages?... 3 Key Terminology

More information

Proofpoint Threat Response

Proofpoint Threat Response Proofpoint Threat Response Threat Response Auto Pull (TRAP) - Installation Guide Proofpoint, Inc. 892 Ross Drive Sunnyvale, CA 94089 United States Tel +1 408 517 4710 www.proofpoint.com Copyright Notice

More information

IHS > Decision Support Tool. IHS Enerdeq Browser Version 2.9 Release Notes

IHS > Decision Support Tool. IHS Enerdeq Browser Version 2.9 Release Notes IHS > Decision Support Tool IHS Enerdeq Browser Version 2.9 Release Notes February 23rd, 2016 IHS Enerdeq Browser Release Note v2.9 IHS Enerdeq Browser Release Notes v.2.9 IHS Enerdeq Browser Release Notes

More information

Perceptive Process Mining

Perceptive Process Mining Perceptive Process Mining Technical s Version: 2.13.x Written by: Product Knowledge, R&D Date: March 2018 2015-2018 Hyland Software, Inc. and its affiliates. Table of Contents About the technical specifications...

More information

GfK Digital Trends App. Installation Guide & User Manual for Google Chrome users

GfK Digital Trends App. Installation Guide & User Manual for Google Chrome users GfK Digital Trends App Installation Guide & User Manual for Google Chrome users Software version: 15.2 Effective date: 24 th August 2015 Table of contents The GfK Digital Trends App... 1 System requirements...

More information

Healthcare Database Connector

Healthcare Database Connector Healthcare Database Connector Installation and Setup Guide Version: 3.0.0 Written by: Product Knowledge, R&D Date: February 2017 2015-2017 Lexmark. All rights reserved. Lexmark is a trademark of Lexmark

More information

Perceptive Enterprise Deployment Suite

Perceptive Enterprise Deployment Suite Perceptive Enterprise Deployment Suite Getting Started Guide PEDS Version: 1.2 Written by: Product Documentation, R&D Date: July 2014 2014 Perceptive Software. All rights reserved CaptureNow, ImageNow,

More information

Tech-Talk Using the PATROL Agent COM Server August 1999 Authored By: Eric Anderson

Tech-Talk Using the PATROL Agent COM Server August 1999 Authored By: Eric Anderson Tech-Talk Using the PATROL Agent COM Server August 1999 Authored By: Eric Anderson Introduction Among the many new features of PATROL version 3.3, is support for Microsoft s Component Object Model (COM).

More information

Version 2.3 User Guide

Version 2.3 User Guide V Mware vcloud Usage Meter Version 2.3 User Guide 2012 VMware, Inc. All rights reserved. This product is protected by U.S. and international copyright and intellectual property laws. This product is covered

More information

Java Client Certification for OmegaPS 10g

Java Client Certification for OmegaPS 10g Java Client Certification for OmegaPS 10g OmegaPS 10g is NOT compatible with : Google Chrome browser (Version 42 and onwards), due to a Java issue Java 7 Update 21 Java 6 Update 45 Applies to: OmegaPS

More information

You can make certain sections of the text clickable by creating hyperlinks. Once clicked, these links navigate users to different

You can make certain sections of the text clickable by creating hyperlinks. Once clicked, these links navigate users to different You can make certain sections of the text clickable by creating hyperlinks. Once clicked, these links navigate users to different pages or, as described in working with anchors, to different sections of

More information

Open SDN Controller Applications

Open SDN Controller Applications The following topics describe the five applications that Open SDN Controller provides to facilitate the day-to-day administration of your network: BGPLS Manager, page 1 Inventory Manager, page 3 Model

More information

Browser Settings for Optimal Site Performance

Browser Settings for Optimal Site Performance 1 Browser Settings for Optimal Site Performance With the constant upgrades to browsers and to City National s systems, an occasional problem may develop with your browser and our program compatibility.

More information

Using the Voyager Library Interface Process Georgia Enhanced Banner Student and Financial Aid Systems User Documentation

Using the Voyager Library Interface Process Georgia Enhanced Banner Student and Financial Aid Systems User Documentation Using the Georgia Enhanced Banner Student and Financial Aid Systems User Documentation Version 8.13 May 2012 This page left blank to facilitate front/back printing. Table of Contents (ZORVLIB)... 1 Parameters:...

More information

Microsoft Access 2010

Microsoft Access 2010 Microsoft Access 2010 Chapter 2 Querying a Database Objectives Create queries using Design view Include fields in the design grid Use text and numeric data in criteria Save a query and use the saved query

More information

Xerte. Guide to making responsive webpages with Bootstrap

Xerte. Guide to making responsive webpages with Bootstrap Xerte Guide to making responsive webpages with Bootstrap Introduction The Xerte Bootstrap Template provides a quick way to create dynamic, responsive webpages that will work well on any device. Tip: Webpages

More information

Perceptive Nolij Web. Technical Specifications. Version: 6.8.x

Perceptive Nolij Web. Technical Specifications. Version: 6.8.x Perceptive Nolij Web Technical Specifications Version: 6.8.x Written by: Product Knowledge, R&D Date: October 2018 Copyright 2014-2018 Hyland Software, Inc. and its affiliates. Table of Contents Introduction...

More information

Dealing with Event Viewer

Dealing with Event Viewer Dealing with Event Viewer Event Viewer is a troubleshooting tool in Microsoft Windows 2000.This how-to article will describe how to use Event Viewer. Event Viewer displays detailed information about system

More information

How to Install (then Test) the NetBeans Bundle

How to Install (then Test) the NetBeans Bundle How to Install (then Test) the NetBeans Bundle Contents 1. OVERVIEW... 1 2. CHECK WHAT VERSION OF JAVA YOU HAVE... 2 3. INSTALL/UPDATE YOUR JAVA COMPILER... 2 4. INSTALL NETBEANS BUNDLE... 3 5. CREATE

More information

EXPERT TRAINING PROGRAM [QTP/ALM]

EXPERT TRAINING PROGRAM [QTP/ALM] EXPERT TRAINING PROGRAM [QTP/ALM] COURSE OVERVIEW Automation and Automation Concepts Introduction to Test Automation Test Automation Truths or Myths Where to use Test Automation and Where Not Test Automation

More information

Microsoft Access 2013

Microsoft Access 2013 Microsoft Access 2013 Chapter 2 Querying a Database Objectives Create queries using Design view Include fields in the design grid Use text and numeric data in criteria Save a query and use the saved query

More information

Trouble shooting. In case of any further queries / issues, please call our support team on the numbers provided below.

Trouble shooting. In case of any further queries / issues, please call our support team on the numbers provided below. Trouble shooting In case of any further queries / issues, please call our support team on the numbers provided below. 040-66663050, 040-66668030 +91-9177305050, +91-9177205050, +91-9703158080 www.icharts.in

More information

Microsoft Access 2013

Microsoft Access 2013 Microsoft Access 2013 Chapter 2 Querying a Database Objectives Create queries using Design view Include fields in the design grid Use text and numeric data in criteria Save a query and use the saved query

More information

Application Testing Suite OpenScript Functional Testing Introduction. Yutaka Takatsu Group Product Manager Oracle Enterprise Manager - ATS

Application Testing Suite OpenScript Functional Testing Introduction. Yutaka Takatsu Group Product Manager Oracle Enterprise Manager - ATS Application Testing Suite OpenScript Functional Testing Introduction Yutaka Takatsu Group Product Manager Oracle Enterprise Manager - ATS 1 Agenda Application Testing Suite (ATS) & OpenScript Overview

More information

Perceptive Enterprise Deployment Suite

Perceptive Enterprise Deployment Suite Perceptive Enterprise Deployment Suite Getting Started Guide Version: 1.3.x Written by: Product Knowledge, R&D Date: October 2016 2016 Lexmark. All rights reserved. Lexmark is a trademark of Lexmark International

More information

Web Programming and Design. MPT Junior Cycle Tutor: Tamara Demonstrators: Aaron, Marion, Hugh

Web Programming and Design. MPT Junior Cycle Tutor: Tamara Demonstrators: Aaron, Marion, Hugh Web Programming and Design MPT Junior Cycle Tutor: Tamara Demonstrators: Aaron, Marion, Hugh Plan for the next 5 weeks: Introduction to HTML tags Recap on HTML and creating our template file Introduction

More information

SCH Filter. Summary. Panel Access. Modified by Susan Riege on Jan 19, SCH Inspector. Parent page: Panels

SCH Filter. Summary. Panel Access. Modified by Susan Riege on Jan 19, SCH Inspector. Parent page: Panels SCH Filter Old Content - visit altium.com/documentation Modified by Susan Riege on Jan 19, 2016 Related panels SCH Inspector Parent page: Panels Quickly locate and highlight objects using logical queries

More information

MarkLogic Server. Query Console User Guide. MarkLogic 9 May, Copyright 2018 MarkLogic Corporation. All rights reserved.

MarkLogic Server. Query Console User Guide. MarkLogic 9 May, Copyright 2018 MarkLogic Corporation. All rights reserved. Query Console User Guide 1 MarkLogic 9 May, 2017 Last Revised: 9.0-7, September 2018 Copyright 2018 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Query Console User Guide

More information

Visual Workflow Implementation Guide

Visual Workflow Implementation Guide Version 30.0: Spring 14 Visual Workflow Implementation Guide Note: Any unreleased services or features referenced in this or other press releases or public statements are not currently available and may

More information

Help Documentation. Copyright 2007 WebAssist.com Corporation All rights reserved.

Help Documentation. Copyright 2007 WebAssist.com Corporation All rights reserved. Help Documentation Copyright 2007 WebAssist.com Corporation All rights reserved. Using Pro Maps for Google This wizard adds a Pro Map for Google to your web page, allowing you to configure and specify

More information

Using the Voyager Library Interface Process Georgia Enhanced Banner Student and Financial Aid Systems User Documentation

Using the Voyager Library Interface Process Georgia Enhanced Banner Student and Financial Aid Systems User Documentation Using the Georgia Enhanced Banner Student and Financial Aid Systems User Documentation Version 8.35 June 2014 This page left blank to facilitate front/back printing. Table of Contents (ZORVLIB)... 1 Parameters:...

More information

Browser Cookie Settings

Browser Cookie Settings Browser Cookie Settings Error Messages: Browser's cookie functionality turned off Steps to Try 1. Try enabling cookies, close all browser windows and restart browser after enabling cookies 2. Try clearing

More information

Mentoring Connector Program Administrator Manual

Mentoring Connector Program Administrator Manual Mentoring Connector Program Administrator Manual Mentoring Connector Welcome 2 Policies 3 Mentoring Connector Roles - Program Administrator 3 - Volunteer Contact 3 Responding to Volunteers - Responding

More information

HP ALM Performance Center

HP ALM Performance Center HP ALM Performance Center Software Version: 12.53 Quick Start Document Release Date: May 2016 Software Release Date: May 2016 Legal Notices Warranty The only warranties for Hewlett Packard Enterprise Development

More information

Internet Explorer Script Error Invalid Character Code 0

Internet Explorer Script Error Invalid Character Code 0 Internet Explorer Script Error Invalid Character Code 0 _title_websocket Handling QUnit Tests_/title script type="text/javascript" Error: global failure (1, 0, 1)Rerun1 ms1.invalid character@ 1 mssource:

More information

Geocortex Workflow Tutorial Create the Search Schools Workflow

Geocortex Workflow Tutorial Create the Search Schools Workflow Geocortex Workflow Tutorial Create the Search Schools Workflow July-2011 www.geocortex.com/essentials Latitude Geographics Group Ltd. 200-1117 Wharf St, Victoria, BC V8W 1T7 Canada Tel: (250) 381-8130

More information

Healthcare Database Connector

Healthcare Database Connector Healthcare Database Connector Installation and Setup Guide Version: 1.0.x Written by: Product Knowledge, R&D Date: September 2016 2015 Lexmark International Technology, S.A. All rights reserved. Lexmark

More information

KWizCom Corporation. SharePoint Repeating Rows Field Type. User Guide

KWizCom Corporation. SharePoint Repeating Rows Field Type. User Guide KWizCom Corporation SharePoint Repeating Rows Field Type User Guide Copyright 2005-2014 KWizCom Corporation. All rights reserved. Company Headquarters 95 Mural Street, Suite 600 Richmond Hill, ON L4B 3G2

More information

MarkLogic Server. Query Console User Guide. MarkLogic 9 May, Copyright 2017 MarkLogic Corporation. All rights reserved.

MarkLogic Server. Query Console User Guide. MarkLogic 9 May, Copyright 2017 MarkLogic Corporation. All rights reserved. Query Console User Guide 1 MarkLogic 9 May, 2017 Last Revised: 9.0-1, May, 2017 Copyright 2017 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Query Console User Guide 1.0

More information

Using SQL Reporting Services with isupport

Using SQL Reporting Services with isupport isupport s SQL Reporting functionality is installed via the isupport SQL Reporting Setup Wizard; it includes several report models with isupport database fields, tables, and relationships. isupport includes

More information

Manage Files. Accessing Manage Files

Manage Files. Accessing Manage Files 1 Manage Files The Manage Files tool is a file management system for your course. You can use this tool to organize and upload files associated with your course offering. We recommend that you organize

More information

END-TERM EXAMINATION

END-TERM EXAMINATION (Please Write your Exam Roll No. immediately) END-TERM EXAMINATION DECEMBER 2006 Exam. Roll No... Exam Series code: 100274DEC06200274 Paper Code : MCA-207 Subject: Front End Design Tools Time: 3 Hours

More information

Ektron Advanced. Learning Objectives. Getting Started

Ektron Advanced. Learning Objectives. Getting Started Ektron Advanced 1 Learning Objectives This workshop introduces you beyond the basics of Ektron, the USF web content management system that is being used to modify department web pages. This workshop focuses

More information

How to Launch an Online Course for the first time

How to Launch an Online Course for the first time How to Launch an Online Course for the first time This tutorial walks you through the steps to find, view and launch online courses that you have purchased using Council Connect. Important information

More information

8.0 Help for End Users About Jive for SharePoint System Requirements Using Jive for SharePoint... 6

8.0 Help for End Users About Jive for SharePoint System Requirements Using Jive for SharePoint... 6 for SharePoint 2010/2013 Contents 2 Contents 8.0 Help for End Users... 3 About Jive for SharePoint... 4 System Requirements... 5 Using Jive for SharePoint... 6 Overview of Jive for SharePoint... 6 Accessing

More information

SmartMail for Lotus Notes Lotus Notes Server Setup User Guide

SmartMail for Lotus Notes Lotus Notes Server Setup User Guide SmartMail for Lotus Notes Lotus Notes Server Setup User Guide Copyright 2006, E-Z Data, Inc., All Rights Reserved No part of this documentation may be copied, reproduced, or translated in any form without

More information

Teiid Designer User Guide 7.5.0

Teiid Designer User Guide 7.5.0 Teiid Designer User Guide 1 7.5.0 1. Introduction... 1 1.1. What is Teiid Designer?... 1 1.2. Why Use Teiid Designer?... 2 1.3. Metadata Overview... 2 1.3.1. What is Metadata... 2 1.3.2. Editing Metadata

More information

Using Jive for SharePoint Online and O365

Using Jive for SharePoint Online and O365 Using Jive for SharePoint Online and O365 Contents 2 Contents Using Jive for SharePoint Online and O365...3 What Is Jive for SharePoint Online and Office 365?...3 Jive for SharePoint Online System Requirements...3

More information

Banner 9 Navigation. After you log into Banner 9 you are brought into the Banner 9 Landing Page.

Banner 9 Navigation. After you log into Banner 9 you are brought into the Banner 9 Landing Page. Landing Page Banner 9 Navigation After you log into Banner 9 you are brought into the Banner 9 Landing Page. 1 2 3 5 4 1. Menu The menu opens the Banner menu as well as My Banner which is discussed later.

More information

Software and Programming 1

Software and Programming 1 Software and Programming 1 Lab 1: Introduction, HelloWorld Program and use of the Debugger 17 January 2019 SP1-Lab1-2018-19.pptx Tobi Brodie (tobi@dcs.bbk.ac.uk) 1 Module Information Lectures: Afternoon

More information

How to Design Programs

How to Design Programs How to Design Programs How to (in Racket): represent data variants trees and lists write functions that process the data See also http://www.htdp.org/ 1 Running Example: GUIs Pick a fruit: Apple Banana

More information

Creating a Crosstab Query in Design View

Creating a Crosstab Query in Design View Procedures LESSON 31: CREATING CROSSTAB QUERIES Using the Crosstab Query Wizard box, click Crosstab Query Wizard. 5. In the next Crosstab Query the table or query on which you want to base the query. 7.

More information

SAS STUDIO. A pretty big deal! Copyr i g ht 2012, SAS Ins titut e Inc. All rights res er ve d.

SAS STUDIO. A pretty big deal! Copyr i g ht 2012, SAS Ins titut e Inc. All rights res er ve d. A pretty big deal! 1.12.2014 INTRODUCTION A pretty big deal! Web-based programming interface to SAS It runs in your browser, which means that end users don't have to install anything (when connecting to

More information

FrontPage Student IT Essentials. October 2005 This leaflet is available in other formats on request. Saving your work

FrontPage Student IT Essentials. October 2005 This leaflet is available in other formats on request. Saving your work Saving your work All students have access to a personal file storage space known as the U: Drive. This is your own personal secure area on the network. Each user has 60mb of space (40 bigger than a floppy

More information

BasicScript 2.25 User s Guide. May 29, 1996

BasicScript 2.25 User s Guide. May 29, 1996 BasicScript 2.25 User s Guide May 29, 1996 Information in this document is subject to change without notice. No part of this document may be reproduced or transmitted in any form or by any means, electronic

More information

Programming in Avenue

Programming in Avenue Programming in Avenue Variables and Data Types Program Flow Collections Interaction Between Scripts Interaction with the User ArcViews Application Framework 1 Variables Everything in Avenue is an object.

More information

Design Importer User Guide

Design Importer User Guide Design Importer User Guide Rev: 9 February 2012 Sitecore CMS 6.5 Design Importer User Guide How to import the design of an external webpage as a Sitecore layout or sublayout Table of Contents Chapter 1

More information