Component Naming Schemes

Size: px
Start display at page:

Download "Component Naming Schemes"

Transcription

1 Layout Components

2 Component Naming Schemes Here is the general naming scheme for ICEfaces component tags: Layout Components: panel* Input Components: input* Output Components: output* Selection Components: select*

3 ice:panelgroup Work horse of the panel components Renders child components surrounded by a HTML <div></div> Base container for the following dynamic behaviours Drag and drop source and target configuration Draggable container option Context menu linking Panel tool tip linking Effects container Default CSS class name is icepnlgrp

4 ice:panelgrid Convenient wrapper for displaying non-iterative data in an HTML <table/> tag Child components are each place in a table cell. New rows are defined by the integer attribute columns. Once x number or child component are rendered a new row is started Default CSS class name applied to the <table /> tag is icepnlgrd. CSS class can be applied to rows and columns Warning! No functionality for column or row spanning

5 ice:panelseries The panelseries component provides a mechanism for dynamically generating a series of repeating childcomponents within a panel Child components define the rendered layout Default CSS name applied to the parent <div/> is icepnlsrs Flexible component iterator -- essentially a datatable with out the <table /> Ability to use with an ice:datapaginator in order to provide pagination of results

6 ice:paneltabset Renders a table driven tabbed user interface. Comes in two flavours, declarative and iterative The parent tag <ice:paneltabset /> contain child tags <ice:paneltab /> in either flavour Selected tab change event can be optionally configured Selected tab can also be dynamically changed via a backing bean value CSS styling for this component is complex but also very flexible

7 ice:panelcollabsible This component allows the user to hide content and have it expand when the header is clicked

8 Other Layout Components panelpopup Modal and popup modes, will be covered in Facelet composite components panelstack Similar to Swing component of the same name. Not a good component to use when trying to minimize the weight of the component tree on the server Newer Components: paneldivider, split pain with dynamic divider paneltooltip, popup container menucontext, right-click popup context menu

9 Auto Complete Component

10 Auto-Complete Component ice:selectinputtext component provides an inputtext component enhanced with auto-complete functionality The component requires developers to implement the matching list search algorithm in their backing bean The ice:selectinputtext component can generate one of two types of lists: A list of String data A list of arbitrarily complex child components

11 Exercise: Overview The goal of this exercise is to add auto-complete functionality to the city field of the form When done, the user will be able to select a city from an auto-complete drop-down list, and the city, provinceid, and postalcode fields will be updated automatically

12 Step 1: Auto-Complete Component The city field is currently using an ice:inputtext component for user entry Rename ice:inputtext with ice:selectinputtext for the city field

13 Step 2: Add valuechangelistener for city In order to detect that the user has typed in some characters into the city field, we need to add a valuechangelistener Add the following attribute to the ice:selectinputtext component: valuechangelistener="#{applicantform.citylistener}" Open ApplicantForm.java in the IDE and paste the following method: public void citylistener(valuechangeevent valuechangeevent) { FacesContext facescontext = FacesContext.getCurrentInstance(); UIViewRoot uiviewroot = facescontext.getviewroot(); String citynamestartswith = (String)valueChangeEvent.getNewValue(); getcitysupport().filterselectitems(citynamestartswith); City city = getcitysupport().getcitybyname(citynamestartswith); if (city!= null) { UIInput cityinputtext = (UIInput) uiviewroot.findcomponent("applicantform:city"); cityinputtext.setsubmittedvalue(city.getcityname()); cityinputtext.setvalue(city.getcityname()); UIInput provinceinputtext = (UIInput) uiviewroot.findcomponent("applicantform:provinceid"); provinceinputtext.setsubmittedvalue(long.tostring(city.getprovinceid())); provinceinputtext.setvalue(city.getprovinceid()); UIInput postalcodeinputtext = (UIInput) uiviewroot.findcomponent("applicantform:postalcode"); postalcodeinputtext.setsubmittedvalue(city.getpostalcode()); postalcodeinputtext.setvalue(city.getpostalcode()); FacesContextHelper.clearImmediateFacesMessages(facesContext); } } Note the call to getcitybyname() which will eliminate the hard coded value of Orlando in the backing bean

14 Step 3: Add immediate attribute Normally valuechangelisteners fire during the PROCESS_VALIDATIONS phase of the JSF lifecycle But in order to avoid seeing extraneous validation failures, we need to add immediate= true to the auto-complete component Open the applicantform.xhtml file in the IDE Add the following to the ice:selectinputtext tag: immediate="true"

15 Step 4: Replace valuechangelistener for postalcode Replace the entire postalcodelistener() method with the following code: public void postalcodelistener(valuechangeevent valuechangeevent) { } FacesContext facescontext = FacesContext.getCurrentInstance(); UIViewRoot uiviewroot = facescontext.getviewroot(); String newpostalcode = (String) valuechangeevent.getnewvalue(); City city = getcitysupport().getcitybypostalcode(newpostalcode); if (city!= null) { } UIInput cityinputtext = (UIInput) uiviewroot.findcomponent("applicantform:city"); cityinputtext.setsubmittedvalue(city.getcityname()); cityinputtext.setvalue(city.getcityname()); UIInput provinceinputtext = (UIInput) uiviewroot.findcomponent("applicantform:provinceid"); provinceinputtext.setsubmittedvalue(long.tostring(city.getprovinceid())); provinceinputtext.setvalue(city.getprovinceid()); UIInput postalcodeinputtext = (UIInput) uiviewroot.findcomponent("applicantform:postalcode"); postalcodeinputtext.setsubmittedvalue(city.getpostalcode()); postalcodeinputtext.setvalue(city.getpostalcode()); FacesContextHelper.clearImmediateFacesMessages(facesContext); Note the call to getcitybypostalcode() which will eliminate the hard coded value of for Orlando in the backing bean now the code will work with any known postal code

16 Step 5: Add Select Items In order to populate the auto-complete list with items: Add the following iterator attributes to the ice:selectinputtext component: listvar="city" listvalue="#{citysupport.selectitems}" Add the following f:facet component as a child of the ice:selectinputtext component: <f:facet name="selectinputtext"> <ice:panelgrid columns="2"> <ice:outputtext id="autocompletecity" value="#{city.cityname}" /> <ice:outputtext id="autocompletepostalcode" value="#{city.postalcode}" /> </ice:panelgrid> </f:facet>

17 Step 6: Add City Transfer Object Create a new Java class: training.jobapplication.transfer.city Add the following properties: private long cityid; private long provinceid; private String cityname; private String postalcode; Generate getters/setters for each property Add the following constructor: public City(long cityid, long provinceid, String cityname, String postalcode) { } this.cityid = cityid; this.provinceid = provinceid; this.cityname = cityname; this.postalcode = postalcode;

18 Step 7: Remove Obsolete Injection Open the ApplicantForm.java file in the IDE Remove the following line, because we don t need it anymore: private ProvinceSupport provincesupport; Remove the corresponding getprovincesupport() and setprovincesupport() method, because we don t need it anymore either Open the faces-config.xml file in the IDE Remove the managed-property that injects the provincesupport into the applicantform backing bean: <managed-property> <property-name>provincesupport</property-name> <value>#{provincesupport}</value> </managed-property>

19 Step 8: Add CitySupport Bean Create a new Java class: training.jobapplication.bean.support.citysupport The code we need to paste is too large, so find the CitySupport.java file in the solutions folder and copy the contents Note the foreign-key relationship with provinceid, and that the provincesupport bean will be injected into the citysupport bean in order to lookup provinceid keys Walk through the filterselectitems() method and look at how the filter is applied

20 Step 9: Define CitySupport Bean Open the following file in the IDE: jobapplication/web-inf/faces-config.xml Add the following managed-bean and managed-property: <managed-bean> <managed-bean-name>citysupport</managed-bean-name> <managed-beanclass>training.jobapplication.bean.support.citysupport</managedbean-class> <managed-bean-scope>request</managed-bean-scope> <!-- Inject the provincesupport bean into the --> <!-- citysupport bean in order to promote loose coupling --> <managed-property> <property-name>provincesupport</property-name> <value>#{provincesupport}</value> </managed-property> </managed-bean>

21 Step 10: Specify Injection into Backing Bean Open the faces-config.xml file in the IDE Add the following managed-property to the applicantform backing bean: <!-- Inject the citysupport bean into the --> <!-- backing bean in order to promote loose coupling --> <managed-property> <property-name>citysupport</property-name> <value>#{citysupport}</value> </managed-property> Open the ApplicantForm.java file in the IDE Add the following property: private CitySupport citysupport; Generate a getters and setters for citysupport

22 Step 11: Run Application Re-publish/deploy the jobapplication project Run the application in the browser Enter a value for First Name, Last Name, Travel Percentage, and Date of Birth Click in the City field and type the letter A Notice that Atlanta and Albany appear Select Atlanta from the list Note that the Province is GA and the Postal Code is Enter a postal code: Note that the Province is FL and the City is Orlando

23 Rich Text Editor Component

24 Rich Text Editor The h:inputtextarea and ice:inputtextarea render themselves as an HTML <textarea /> tag which provides the user with the ability to enter only plain text The ice:inputrichtext component enables the user to enter rich text like bold, italic, hyperlinks, and bullets:

25 Implementation The ice:inputrichtext component is currently implemented as a wrapper around the FCKEditor open source project The name comes from the initials of Frederico Caldeira Knabben, the project founder The FCKEditor represents rich text as HTML, and allows the user to click on a Source button to work directly with the underlying HTML if desired

26 Toolbar Setting the Toolbar <ice:inputrichtext toolbar="#{inputrichtextbean.toolbarmode} /> Toolbar types Default Basic

27 Language Setting the Language <ice:inputrichtext language="en" /> Available Languages Afrikaans (af) Arabic (ar) Basque (eu) Bengali/Bangla (bn) Bosnian (bs) Bulgarian (bg) Catalan (ca) Chinese Simplified (zh-cn) Chinese Traditional (zh) Croatian (hr) Czech (cs) Danish (da) Dutch (nl) English (en) English (Australia) (en-au) English (Canadian) (en-ca) English (United Kingdom) (en-uk) Esperanto (eo) Estonian (et) Faroese (fo) Finnish (fi) French (fr) Galician (gl) German (de) Greek (el) Hebrew (he) Hindi (hi) Hungarian (hu) Italian (it) Japanese (ja) Khmer (km) Korean (ko) Latvian (lv) Lithuanian (lt) Malay (ms) Mongolian (mn) Norwegian (no) Norwegian Bokmal (nb) Persian (fa) Polish (pl) Portuguese (Brazil) (pt-br) Portuguese (Portugal) (pt) Romanian (ro) Russian (ru) Serbian (Cyrillic) (sr) Serbian (Latin) (sr-latn) Slovak (sk) Slovenian (sl) Spanish (es) Swedish (sv) Thai (th) Turkish (tr) Ukrainian (uk) Vietnamese (vi)

28 Skins Skins <ice:inputrichtext skin= office2003 /> Available Skins default office2003 silver

29 Save Button / Submit Behavior The default behavior of the ice:inputrichtext is to only save its data when the save icon is clicked In order to make the ice:inputrichtext participate in normal ICEfaces form submission, the saveonsubmit attribute must be set to true <ice:inputrichtext saveonsubmit= true />

30 Exercise: Overview The goal of this exercise is to replace the ice:inputtextarea component with an ice:inputrichtext component This will allow the user to enter text like bold, italic, bullets in the resume, rather than simply plain text

31 Step 1: Replace Component Open the applicantform.xhtml file in the IDE Replace the ice:inputtextarea component with the following markup: <ice:inputrichtext id="resume" saveonsubmit="true" toolbar="basic" width="500" height="200" value="#{applicant.resume}" />

32 Step 2: Output Submitted Rich Text Open the ApplicantForm.java file in the IDE Add the following line to the submit() method: System.out.println("submit() resume=" + this.applicant.getresume());

33 Step 3: Run Application Re-publish/deploy the jobapplication project Run the application in the browser Enter First Name: John Enter Last Name: Doe Enter Travel Percentage: 50 Enter Date of Birth: 1/1/1970 Enter Postal Code: Click Show Resume Enter Rich Text: This is some bold text Click Submit Application Note that the Tomcat console has this HTML fragment as the value for resume: submit() resume=<p>this is some <strong>bold</strong> text</p>

34 File Upload Component

35 File Upload Normal HTML forms look like this: <form enctype= application/x-www-form-urlencoded > </form> But when doing file upload, forms look like this: <form enctype= multipart/form-data > </form> The JSF 1.x specification completely ignored the multipart/form-data case additionally, there is no fileupload component provided by the JSF RI Prior to ICEfaces, the only way to intercept these types of postback requests was to implement a PhaseListener

36 The ice:inputfile Component ICEfaces overcomes the JSF file upload shortcoming by providing an ice:inputfile component The component renders itself as an <iframe> which points to a small HTML fragment that is generated by the ICEfaces servlet The HTML fragment contains markup like this: <input type= file /> This markup will manifest itself in the browser as a text field with a Browse button and an Upload button When the user selects a file and clicks the Upload button, the ICEfaces uploadservlet receives the file data

37 Progress Indicator The file upload component can be tied to an ice:outputprogress component The progress indicator is updated during the file upload via ICEfaces Ajax Push

38 Uploaded File After the file upload is complete, the file will exist in the folder specified in the com.icesoft.faces.uploaddirectory init-param in web.xml This can be an absolute or relative folder path If relative, it is relative to the Tomcat working directory for the web application Alternatively, the folder can be specified by the uploaddirectory attribute of the ice:inputfile component See also: uploaddirectoryabsolute and uniquefolder attributes

39 Exercise: Overview The goal of this exercise is to replace the ice:inputrichtext component with an ice:inputfile component This will allow the user to upload a resume document, rather than typing in a resume in the text area

40 Step 1: Replace Component Replace the ice:inputrichtext component with the following markup: <ice:inputfile id="resume" actionlistener="#{resumeuploader.actionlistener}" label="#{msgs.uploadresume}" progresslistener="#{resumeuploader.progresslistener}" />

41 Step 2: Add Progress Indicator and Message Add the following table row markup just above the table row for the ice:inputfile component: <tr> <td> <ice:outputprogress value="#{resumeuploader.fileprogress}" labelcomplete="#{resumeuploader.currentfile.filename}" /> </tr> </td>

42 Step 3: Modify Model Bean Open the Applicant.java file in the IDE Delete the following line: private String resume; Delete the getresume() and setresume() methods

43 Step 7: Add FileUpload Utility Bean Create the following utility bean Java class: training.jobapplication.bean.util.fileuploader The size of the source code is too large to copy/paste from slides, so instead, find the file in the solution folder and paste the contents into the IDE This is a general purpose utility bean that can be reused by other ICEfaces web applications

44 Step 8: Remove Console Output Open the ApplicantForm.java file in the IDE Delete this line: System.out.println("submit() resume=" + this.applicant.getresume());

45 Step 9: Message Bundle Add the following key+value pair to Msgs_en.properties: uploadresume=upload Resume This will be the label of the upload button

46 Step 10: Define Managed Beans Paste the following markup into faces-config.xml: <managed-bean> <managed-bean-name>resumeuploader</managedbean-name> <managed-beanclass>training.jobapplication.bean.util.file Uploader</managed-bean-class> <managed-bean-scope>request</managed-beanscope> </managed-bean>

47 Step 11: Run Application Re-publish/deploy the jobapplication project Run the application in the browser Enter First Name: John Enter Last Name: Doe Enter Travel Percentage: 50 Enter Date of Birth: 1/1/1970 Enter Postal Code: Click Show Resume Select a file from your local drive

DeskApp Admin Manual. Release 1.0 final. Kopano

DeskApp Admin Manual. Release 1.0 final. Kopano DeskApp Admin Manual Release 1.0 final Kopano Feb 21, 2018 Contents 1 Introduction 2 2 System requirements 3 2.1 WebApp............................................... 3 2.2 Operating system...........................................

More information

Formatting Custom List Information.

Formatting Custom List Information. Hello. MailChimp has a lot of great merge tags that can help you customize your email campaigns. You can use MailChimp s merge tags to dynamically add content to your email. Include something as simple

More information

USER GUIDE PUBLIC Document Version: SAP Translation Hub SAP SE or an SAP affiliate company. All rights reserved.

USER GUIDE PUBLIC Document Version: SAP Translation Hub SAP SE or an SAP affiliate company. All rights reserved. USER GUIDE PUBLIC Document Version: 1807 2018-08-22 2018 SAP SE or an SAP affiliate company. All rights reserved. THE BEST RUN Content 1.... 4 1.1 What's New for.... 4 Release Notes - 2017....8 1.2 Getting

More information

User guide on how to generate PDF versions of the product information - veterinary

User guide on how to generate PDF versions of the product information - veterinary 03 February 2011 EMA/793983/2010 v.1.0 Patient Health Protection User guide on how to generate PDF versions of the product information - veterinary Introduction Since the product information consists of

More information

Rescue Lens Administrators Guide

Rescue Lens Administrators Guide Rescue Lens Administrators Guide Contents About Rescue Lens...4 Rescue Lens Administration Center At a Glance...4 LogMeIn Rescue Lens System Requirements...4 About Rescue Lens in a Multilingual Environment...5

More information

Virtual Blade Configuration Mode Commands

Virtual Blade Configuration Mode Commands Virtual Blade Configuration Mode Commands To configure virtual blades on a WAE device, use the virtual-blade global configuration command. To disable a virtual blade, use the no form of this command. virtual-blade

More information

CONTENT. ANALYST OPINION INDICATOR for MT4. Set up & Configuration Guide. Description 1 Subscribing to TRADING CENTRAL feed 1 Installation process 1

CONTENT. ANALYST OPINION INDICATOR for MT4. Set up & Configuration Guide. Description 1 Subscribing to TRADING CENTRAL feed 1 Installation process 1 ANALYST OPINION INDICATOR for MT4 Set up & Configuration CONTENT Description 1 Subscribing to TRADING CENTRAL feed 1 Installation process 1 Indicator's use and set up 4 Features and parameters 5 Upgrade

More information

Google Search Appliance

Google Search Appliance Google Search Appliance Search Appliance Internationalization Google Search Appliance software version 7.2 and later Google, Inc. 1600 Amphitheatre Parkway Mountain View, CA 94043 www.google.com GSA-INTL_200.01

More information

QUICK REFERENCE GUIDE: SHELL SUPPLIER PROFILE QUESTIONNAIRE (SPQ)

QUICK REFERENCE GUIDE: SHELL SUPPLIER PROFILE QUESTIONNAIRE (SPQ) QUICK REFERENCE GUIDE: SHELL SUPPLIER PROFILE QUESTIONNAIRE (SPQ) July 2018 July 2018 1 SPQ OVERVIEW July 2018 2 WHAT IS THE SHELL SUPPLIER PROFILE QUESTIONNAIRE? Shell needs all potential and existing

More information

DocuSign Service User Guide. Information Guide

DocuSign Service User Guide. Information Guide Information Guide 1 DocuSign Service User Guide 1 Copyright 2003-2013 DocuSign, Inc. All rights reserved. For information about DocuSign trademarks, copyrights and patents refer to the DocuSign Intellectual

More information

<Insert Picture Here> Oracle Policy Automation 10.0 Features and Benefits

<Insert Picture Here> Oracle Policy Automation 10.0 Features and Benefits Oracle Policy Automation 10.0 Features and Benefits December 2009 The following is intended to outline our general product direction. It is intended for information purposes only,

More information

Oracle Access Manager

Oracle Access Manager Oracle Access Manager Addendum to Release Notes 10g (10.1.4.0.1) January 2007 This document is an addendum to the Release Notes for Oracle Access Manager 10g (10.1.4.0.1). It contains the following sections:

More information

Talk2You User Manual Smartphone / Tablet

Talk2You User Manual Smartphone / Tablet Talk2You User Manual Smartphone / Tablet Don t Translate it. Lingmo It! language translation technology for the global market The World s First Translating Voice Messaging Software Communicate with cross-border

More information

Microsoft Store badge guidelines. October 2017

Microsoft Store badge guidelines. October 2017 Microsoft Store badge guidelines October 2017 Welcome Together we can do amazing things. Millions of fans and thousands of partners and developers across the world empower people and organizations do great

More information

Transfer Manual Norman Endpoint Protection Transfer to Avast Business Antivirus Pro Plus

Transfer Manual Norman Endpoint Protection Transfer to Avast Business Antivirus Pro Plus Transfer Manual Norman Endpoint Protection Transfer to Avast Business Antivirus Pro Plus Summary This document outlines the necessary steps for transferring your Norman Endpoint Protection product to Avast

More information

2. bizhub Remote Access Function Support List

2. bizhub Remote Access Function Support List 2. bizhub Remote Access Function Support List MFP Function Support List for bizhub Remote Access Basic s MFP model Firmware v C754/ C654/ C754e/ C654e 754/ 654 C554/ C454/ C364/ C284/ C224 (*5) A1610Y

More information

SCUtils Survey Lite Trial Installation Guide Solution for Microsoft System Center 2012 Service Manager

SCUtils Survey Lite Trial Installation Guide Solution for Microsoft System Center 2012 Service Manager SCUtils Survey Lite Trial Installation Guide Solution for Microsoft System Center 2012 Service Manager Published: 14 th September 2015 Version: 1.9 Authors: Marat Kuanyshev Feedback: support@scutils.com

More information

Lionbridge ondemand for Adobe Experience Manager

Lionbridge ondemand for Adobe Experience Manager Lionbridge ondemand for Adobe Experience Manager Version 1.1.0 Configuration Guide October 24, 2017 Copyright Copyright 2017 Lionbridge Technologies, Inc. All rights reserved. Published in the USA. March,

More information

Transfer Manual Norman Endpoint Protection Transfer to Avast Business Antivirus Pro Plus

Transfer Manual Norman Endpoint Protection Transfer to Avast Business Antivirus Pro Plus Transfer Manual Norman Endpoint Protection Transfer to Avast Business Antivirus Pro Plus Summary This document outlines the necessary steps for transferring your Norman Endpoint Protection product to Avast

More information

1.1 Create a New Survey: Getting Started. To create a new survey, you can use one of two methods: a) Click Author on the navigation bar.

1.1 Create a New Survey: Getting Started. To create a new survey, you can use one of two methods: a) Click Author on the navigation bar. 1. Survey Authoring Section 1 of this User Guide provides step-by-step instructions on how to author your survey. Surveys can be created using questions and response choices you develop; copying content

More information

ServiceAPI to the WorldLingo System

ServiceAPI to the WorldLingo System VER. 2.1 PAGE: 1 OF 16 ServiceAPI to the WorldLingo System Technical Summary WorldLingo VER. 2.1 PAGE: 2 OF 16 Table of Contents Table of Contents...2 Table of Figures...2 List of Tables...2 1. Purpose...3

More information

SCUtils Knowledge Base Installation Guide Solution for Microsoft System Center 2012 Service Manager

SCUtils Knowledge Base Installation Guide Solution for Microsoft System Center 2012 Service Manager SCUtils Knowledge Base Installation Guide Solution for Microsoft System Center 2012 Service Manager Published: 3 d November 2014 Version: 3.4 Authors: Marat Kuanyshev Feedback: support@scutils.com Contents

More information

Installation process Features and parameters Upgrade process... 6

Installation process Features and parameters Upgrade process... 6 Content Installation process... 1 Features and parameters... 4 Upgrade process... 6 Installation process The latest version of our Indicator can be downloaded from here http://www.tradingcentral.com/install_trading_central_indicator_for_metatrader/setup.exe

More information

krones Academy - media suite User guide

krones Academy - media suite User guide krones Academy - media suite User guide krones Academy Beispieltext media suite Login. Enter the following website address in the Internet Explorer: http://academy.krones.com. Enter login name and password.

More information

Localization: How do I translate Magento interface? Magento localization tips

Localization: How do I translate Magento interface? Magento localization tips Magento interface is translated with CSV localization files (installed as extension in Magento Connect Manager) or using buit-in Inline translation tool. To learn how to enable inline translation please

More information

ipod touch 16GB - Technical Specifications

ipod touch 16GB - Technical Specifications ipod touch 16GB - Technical Specifications Size and Weight Height: 4.86 inches (123.4 mm) Width: 2.31 inches (58.6 mm) Depth: 0.24 inch (6.1 mm) Weight: 3.04 ounces (86 grams) Capacity 16GB Wireless 802.11a/b/g/n

More information

RELEASE NOTES UFED ANALYTICS DESKTOP SAVE TIME AND RESOURCES WITH ADVANCED IMAGE ANALYTICS HIGHLIGHTS

RELEASE NOTES UFED ANALYTICS DESKTOP SAVE TIME AND RESOURCES WITH ADVANCED IMAGE ANALYTICS HIGHLIGHTS RELEASE NOTES Version 5.2 September 2016 UFED ANALYTICS DESKTOP HIGHLIGHTS UFED Analytics Desktop version 5.2 serves as your virtual partner, saving precious time in the investigative process. Designed

More information

SIMATIC. Industrial PC Microsoft Windows 10. Safety instructions 1. Initial startup: Commissioning the operating. system

SIMATIC. Industrial PC Microsoft Windows 10. Safety instructions 1. Initial startup: Commissioning the operating. system Safety instructions 1 Initial startup: Commissioning the operating 2 system SIMATIC Industrial PC Restoring operating system and partitions 3 Configuring and updating the operating system 4 Extended scope

More information

Guide & User Instructions

Guide & User Instructions Guide & User Instructions Revised 06/2012 726 Grant Street Troy Ohio 45373 877.698.3262 937.335.3887 onecallnow.com support@onecallnow.com America s Largest Message Notification Provider Copyright 2009-2012

More information

Standardized PartnerAccess Feed

Standardized PartnerAccess Feed Standardized PartnerAccess Feed User Manual Ver.5 Last modified on Wednesday, August 01, 2012 CNET Content Solutions, DataSource, ChannelOnline, Intelligent Cross- Sell, and PartnerAccess are trademarks

More information

Simple manual for ML members(mailman)

Simple manual for ML members(mailman) Simple manual for ML members(mailman) Version 4.2 (Mailing List Service) Academic Computing & Communications Center University of Tsukuba 28/11/2016 Index 1. Introduction... 1 2. What is Mailing list?...

More information

European Year 2012 for Active Ageing and Solidarity between Generations. Graphic guidelines

European Year 2012 for Active Ageing and Solidarity between Generations. Graphic guidelines European Year 2012 for Active Ageing and Solidarity between Generations Graphic guidelines Contents Publishing information Published by European Commission Designed by Directorate General Employment, Social

More information

EU Terminology: Building text-related & translation-oriented projects for IATE

EU Terminology: Building text-related & translation-oriented projects for IATE EU Terminology: Building text-related & translation-oriented projects for IATE 20th European Symposium on Languages for Special Purposes University of Vienna 8-10 July 2015 Rodolfo Maslias European Parliament

More information

Oracle. Engagement Cloud Using Knowledge in Engagement Cloud. Release 13 (update 18B)

Oracle. Engagement Cloud Using Knowledge in Engagement Cloud. Release 13 (update 18B) Oracle Engagement Cloud Using Knowledge in Engagement Cloud Release 13 (update 18B) Release 13 (update 18B) Part Number E96141-06 Copyright 2011-2018, Oracle and/or its affiliates. All rights reserved.

More information

Release Notes MimioStudio 9.1 Software

Release Notes MimioStudio 9.1 Software Release Notes MimioStudio 9.1 Software Copyright Notice 2012 DYMO/Mimio, a Newell Rubbermaid company About MimioStudio 9.1 I m in love with this! That s what one teacher exclaimed after using MimioStudio

More information

Hik-Connect Mobile Client

Hik-Connect Mobile Client Hik-Connect Mobile Client SPEC V3.6.3 Name: Hik-Connect Mobile Client Software Version: V3.6.3 Android: System Requirement: Android 4.1 or Above ios: System Requirement: ios 8.0 or Above Software Information

More information

American Philatelic Society Translation Committee. Annual Report Prepared by Bobby Liao

American Philatelic Society Translation Committee. Annual Report Prepared by Bobby Liao American Philatelic Society Translation Committee Annual Report 2012 Prepared by Bobby Liao - 1 - Table of Contents: 1. Executive Summary 2. Translation Committee Activities Summary July 2011 June 2012

More information

LiveEngage System Requirements and Language Support Document Version: 5.0 February Relevant for LiveEngage Enterprise In-App Messenger SDK v2.

LiveEngage System Requirements and Language Support Document Version: 5.0 February Relevant for LiveEngage Enterprise In-App Messenger SDK v2. LiveEngage System Requirements and Language Support Document Version: 5.0 February 2017 Relevant for LiveEngage Enterprise In-App Messenger SDK v2.0 Introduction The LiveEngage platform aims to provide

More information

LiveEngage System Requirements and Language Support Document Version: 5.6 May Relevant for LiveEngage Enterprise In-App Messenger SDK v2.

LiveEngage System Requirements and Language Support Document Version: 5.6 May Relevant for LiveEngage Enterprise In-App Messenger SDK v2. LiveEngage System Requirements and Language Support Document Version: 5.6 May 2017 Relevant for LiveEngage Enterprise In-App Messenger SDK v2.3 Introduction The LiveEngage platform aims to provide the

More information

Localizing Intellicus. Version: 7.3

Localizing Intellicus. Version: 7.3 Localizing Intellicus Version: 7.3 Copyright 2015 Intellicus Technologies This document and its content is copyrighted material of Intellicus Technologies. The content may not be copied or derived from,

More information

LiveEngage System Requirements and Language Support Document Version: 6.4 March 2018

LiveEngage System Requirements and Language Support Document Version: 6.4 March 2018 LiveEngage System Requirements and Language Support Document Version: 6.4 March 2018 Introduction The LiveEngage platform aims to provide the best engagement experiences for consumers and brands. To do

More information

KIWI Smartphone FAQs V1.1 HUAWEI TECHNOLOGIES CO., LTD. Software Engineering Documentation Dept. Date December 2015

KIWI Smartphone FAQs V1.1 HUAWEI TECHNOLOGIES CO., LTD. Software Engineering Documentation Dept. Date December 2015 KIWI Smartphone FAQs V1.1 Author Software Engineering Documentation Dept Date December 2015 HUAWEI TECHNOLOGIES CO., LTD. Copyright Huawei Technologies Co., Ltd. 2015. All rights reserved. No part of this

More information

Page 1 of 11 Language Support Utilisation Selection Procedure Translation files Locale identifiers Language files Process Testing Considerations Help Files License files Program Manager Windows shortcuts

More information

MaintSmart. Enterprise. User. Guide. for the MaintSmart Translator. version 4.0. How does the translator work?...2 What languages are supported?..

MaintSmart. Enterprise. User. Guide. for the MaintSmart Translator. version 4.0. How does the translator work?...2 What languages are supported?.. How does the translator work?......2 What languages are supported?..3 MaintSmart User Enterprise Guide version 4.0 for the MaintSmart Translator 1 MaintSmart Translator - An Overview. How does it work?

More information

Licensed Program Specifications

Licensed Program Specifications AFP Font Collection for MVS, OS/390, VM, and VSE Program Number 5648-B33 Licensed Program Specifications AFP Font Collection for MVS, OS/390, VM, and VSE, hereafter referred to as AFP Font Collection,

More information

Oracle. Talent Acquisition Cloud Using Scheduling Center. 17 (update 17.4)

Oracle. Talent Acquisition Cloud Using Scheduling Center. 17 (update 17.4) Oracle Talent Acquisition Cloud 17 (update 17.4) Part Number: E93807-01 Copyright 2018, Oracle and/or its affiliates. All rights reserved Authors: OTAC Information Development Team This software and related

More information

InterKey 2.0 for Windows Mobile Pocket PC devices

InterKey 2.0 for Windows Mobile Pocket PC devices Copyright 2005-2006 Paragon Software (Smart Handheld Devices Division) InterKey 2.0 for Windows Mobile Dear customers! Thank you for buying our software. It is your interest that inspires us to develop

More information

www.locwaydtp.com locway@locwaydtp.com We are and this is our Company Presentation Brief About Us LocWay is a localization company focused on projects coordination, Translation and Desktop Publishing (DTP)

More information

Release Notes MimioStudio Software

Release Notes MimioStudio Software Release Notes MimioStudio 8.0.1 Software Copyright Notice 2011 DYMO/Mimio, a Newell Rubbermaid company About MimioStudio 8.0.1 Welcome to MimioStudio 8.0.1 software! Version 8.0.1 is an update to the existing

More information

Oracle Policy Automation Release Notes

Oracle Policy Automation Release Notes Oracle Policy Automation 10.1.0 Release Notes Contents Release Overview 2 Oracle Policy Modeling 4 Singleton entities should not be used... 4 InstanceValueIf function... 4 Automatic entity containment...

More information

AhsayUBS Installation Guide on HP ProLiant MicroServer Gen8

AhsayUBS Installation Guide on HP ProLiant MicroServer Gen8 AhsayUBS Installation Guide on HP V1.0 Ahsay Systems Corporation Limited 1 June 2015 AhsayUBS Installation Guide on HP ProLiant MircoServer Gen8 Copyright Notice 2015 Ahsay Systems Corporation Limited

More information

Hik-Connect Client Software V (Android) V (iOS) Release Notes ( )

Hik-Connect Client Software V (Android) V (iOS) Release Notes ( ) Hik-Connect Client Software V3.1.0 0828(Android) V3.1.0 170830(iOS) Release Notes (2017-09-07) Hik-Connect Version 3.1.0: Optimize Login Page Hik-Connect account and email address are displayed default,

More information

Multilingual Support Configuration For IM and Presence Service

Multilingual Support Configuration For IM and Presence Service Multilingual Support Configuration For IM and Presence Service Install Locale Installer on IM and Presence Service, page 1 Error Messages, page 3 Localized Applications, page 5 Install Locale Installer

More information

LogMeIn Rescue Administrators Guide

LogMeIn Rescue Administrators Guide LogMeIn Rescue Administrators Guide Contents About LogMeIn Rescue...6 LogMeIn Rescue Components...6 Administration Center At a Glance...6 Technician Console At a Glance...6 Command Center At a Glance...7

More information

Parallels Plesk Sitebuilder

Parallels Plesk Sitebuilder Parallels Plesk Sitebuilder Copyright Notice ISBN: N/A Parallels 660 SW 39th Street Suite 205 Renton, Washington 98057 USA Phone: +1 (425) 282 6400 Fax: +1 (425) 282 6444 Copyright 1999-2008, Parallels,

More information

KYOCERA Quick Scan v1.0

KYOCERA Quick Scan v1.0 KYOCERA Quick Scan v1.0 Software Information PC Name Version 0731 July 31, 2018 KYOCERA Document Solutions Inc. Product Planning Division 1 Table of Contents 1. Overview... 4 1.1. Background... 4 1.2.

More information

ADOBE READER AND ACROBAT 8.X AND 9.X SYSTEM REQUIREMENTS

ADOBE READER AND ACROBAT 8.X AND 9.X SYSTEM REQUIREMENTS ADOBE READER AND ACROBAT 8.X AND 9.X SYSTEM REQUIREMENTS Table of Contents OVERVIEW... 1 Baseline requirements beginning with 9.3.2 and 8.2.2... 2 System requirements... 2 9.3.2... 2 8.2.2... 3 Supported

More information

MSRP Price list & order form

MSRP Price list & order form 1 LVI America, Inc. 150 north Michigan Avenue, Ste 1950 Chicago, IL 60601 Phone: (888) 781-7811 E-mail: order@lviamerica.com WWW.LVIAMERICA.COM MSRP Price list & order form Valid from 2018-01-31 Product

More information

8 Parts and diagrams. Chapter contents. Ordering parts and supplies. Accessories. Covers. Internal components. Tray 2 pickup assembly

8 Parts and diagrams. Chapter contents. Ordering parts and supplies. Accessories. Covers. Internal components. Tray 2 pickup assembly 8 Parts and diagrams Chapter contents Ordering parts and supplies Accessories Covers Internal components Tray 2 pickup assembly Alphabetical parts list Numerical parts list ENWW Chapter contents 217 Ordering

More information

Bryant Condensed. From The Process Type Foundry

Bryant Condensed. From The Process Type Foundry Bryant Condensed From The Process Type Foundry Designer Eric Olson Format Cross Platform OpenType Styles & Weights 4 weights AaBbCcDdEeFfGgHhIiJjKkLlMmNnOoPpQqRrSsTtUuVvWwXxYyZz01 AaBbCcDdEeFfGgHhIiJjKkLlMmNnOoPpQqRrSsTtUuVvWwXxYyZz0

More information

Profiling Web Archive Coverage for Top-Level Domain & Content Language

Profiling Web Archive Coverage for Top-Level Domain & Content Language Old Dominion University ODU Digital Commons Computer Science Presentations Computer Science 9-23-2013 Profiling Web Archive Coverage for Top-Level Domain & Content Language Ahmed AlSum Old Dominion University

More information

One Hour Translation API V2 - Developer Guide

One Hour Translation API V2 - Developer Guide One Hour Translation API V2 - v1.1 1 / 37 Contents One Hour Translation API V2 -... 1 General... 4 Request URLs:... 4 Authentication:... 4 Response Format:... 4 Callbacks:... 4 Development Friendly:...

More information

Mantis: Quick Overview

Mantis: Quick Overview Mantis: Quick Overview Mantis: Quick Overview...1 Introduction...2 User Roles...3 Views...4 Main...4 My View...4 View Issues...4 Report Issue...4 Change Log...4 Summary...4 Docs...4 Manage...4 Edit News...4

More information

SourceOne. Products Compatibility Guide REV 61

SourceOne. Products Compatibility Guide REV 61 SourceOne Products Compatibility Guide 300-008-041 REV 61 Copyright 2005-2017 Dell Inc. or its subsidiaries All rights reserved. Published December 2017 Dell believes the information in this publication

More information

iphone 3GS - Technical Specifications

iphone 3GS - Technical Specifications iphone 3GS - Technical Specifications Size and weight 1 Height: 4.5 inches (115.5 mm) Width: 2.4 inches (62.1 mm) Depth: 0.48 inch (12.3 mm) Weight: 4.8 ounces (135 grams) Cellular and wireless UMTS/HSDPA

More information

Brochure Information Management & Governance. Visual Server. Video and Image Analytics Overview

Brochure Information Management & Governance. Visual Server. Video and Image Analytics Overview Brochure Information Management & Governance Video and Image Analytics Overview Brochure All-In-One Image Processing and Analysis Technology With the rapid rise of mobile devices, visual content has become

More information

Multilingual Support Configuration For IM and Presence Service

Multilingual Support Configuration For IM and Presence Service Multilingual Support Configuration For IM and Presence Service Locale Installation, page 1 Install Locale Installer on IM and Presence Service, page 3 Error Messages, page 5 Localized Applications, page

More information

SmartPSS. Smart Professional Surveillance System. Provide efficient device management, monitoring, playback, alarm, video analytics, video wall, etc.

SmartPSS. Smart Professional Surveillance System. Provide efficient device management, monitoring, playback, alarm, video analytics, video wall, etc. SmartPSS Smart Professional Surveillance System An easy-to-use security surveillance application with friendly interface. Designed for small or medium daily-use system. Provide efficient device management,

More information

Chevin Pro. a type specimen. 1

Chevin Pro. a type specimen. 1 a type specimen info@g-type.com 1 Introduction Light 11/13 pt Chevin is a modern, rounded type family in 6 weights which was designed with functionality and legibility in mind. With its open counters and

More information

LogMeIn Rescue Technician Console. User Guide

LogMeIn Rescue Technician Console. User Guide LogMeIn Rescue Technician Console User Guide Contents About LogMeIn Rescue...5 Technician Console At a Glance...5 Administration Center At a Glance...5 Security in LogMeIn Rescue...6 How to Set Up LastPass

More information

EBSCOhost User Guide Searching. Basic, Advanced & Visual Searching, Result List, Article Details, Additional Features. support.ebsco.

EBSCOhost User Guide Searching. Basic, Advanced & Visual Searching, Result List, Article Details, Additional Features. support.ebsco. EBSCOhost User Guide Searching Basic, Advanced & Visual Searching, Result List, Article Details, Additional Features Table of Contents What is EBSCOhost... 5 System Requirements... 5 Inside this User Guide...

More information

iphone 5 Specifications

iphone 5 Specifications iphone 5 Specifications Size and Weight! Height: 4.87 inches (123.8 mm)! Width: 2.31 inches (58.6 mm)! Depth: 0.30 inch (7.6 mm)! Weight: 3.95 ounces (112 grams) Cellular and Wireless! GSM model A1428*:

More information

SourceOne. Products Compatibility Guide REV 62

SourceOne. Products Compatibility Guide REV 62 SourceOne Products Compatibility Guide 300-008-041 REV 62 Copyright 2005-2018 Dell Inc. or its subsidiaries All rights reserved. Published March 2018 Dell believes the information in this publication is

More information

A comparison of open source or free GIS software packages. Acknowledgements:

A comparison of open source or free GIS software packages. Acknowledgements: A comparison of open source or free GIS software packages Acknowledgements: Shane Bradt New Hampshire Geospatial Extension Specialist The New Hampshire Geospatial Extension Program sbradt@ceunh.unh.edu

More information

Cookie Information Developer Center

Cookie Information Developer Center Cookie Information Developer Center Documentation version v0.9.3 Introduction API Overview Banners Placing widgets and banners on a website Placing Cookie Banner on a Website Placing Cookie Category Widget

More information

PROFICIENCY TESTING IN FOREIGN LANGUAGES

PROFICIENCY TESTING IN FOREIGN LANGUAGES REGISTRATION FORM PERSONAL INFORMATION Ms. Mr. Last Date of Birth First Middle PROFICIENCY TESTING IN FOREIGN LANGUAGES Social Security, NYU Student ID Number, or Passport Number Home Work Language to

More information

Install Notes for Plantronics Hub for Windows and Mac v3.10.2

Install Notes for Plantronics Hub for Windows and Mac v3.10.2 Date: 12/14/2017 Rev: 3.10.2 Install Notes for Plantronics Hub for Windows and Mac v3.10.2 Table of Contents Installation of Plantronics Hub for Windows... 3 Plantronics Hub... 3 Permissions... 3 Windows

More information

QuestionPoint has two types of reports: Activity Statistics and Counts of Current Data.

QuestionPoint has two types of reports: Activity Statistics and Counts of Current Data. Glossary for statistical reports Last updated: 2013 March 20 A B C D E F G H I J K L M N O P Q R S T U V WXYZ Reports are accessible by all users, but not all users can see all reports. What you can see

More information

SACD Text summary. SACD Text Overview. Based on Scarlet book Version 1.2. sonic studio

SACD Text summary. SACD Text Overview. Based on Scarlet book Version 1.2. sonic studio 1 SACD Text Overview Based on Scarlet book Version 1.2 2 Main Features of SACD Text Good compatibility with CD Text Player can handle both CD Text and SACD in same operation Utilizes existing CD Text source

More information

Apple 64GB Wi-Fi ipad Mini 3, Model MGGQ2LL/A

Apple 64GB Wi-Fi ipad Mini 3, Model MGGQ2LL/A Apple 64GB Wi-Fi ipad Mini 3, Model MGGQ2LL/A The most advanced ipad mini has the Touch ID fingerprint sensor, a 7.9-inch Retina display, a powerful A7 chip with 64- bit architecture, an isight camera,

More information

FileMaker 15 Specific Features

FileMaker 15 Specific Features FileMaker 15 Specific Features FileMaker Pro and FileMaker Pro Advanced Specific Features for the Middle East and India FileMaker Pro 15 and FileMaker Pro 15 Advanced is an enhanced version of the #1-selling

More information

Navigate the Admin portal

Navigate the Admin portal Administrators Portal, on page 1 Cisco ISE Internationalization and Localization, on page 9 MAC Address Normalization, on page 15 Admin Features Limited by Role-Based Access Control Policies, on page 16

More information

Project Name SmartPSS

Project Name SmartPSS V2.00.1 Language Farsi, Arabic, Russian, Japanese, Korean, Turkish, Vietnamese, Thai, Indonesian, Traditional Chinese, Hebrew, Spanish, Portuguese, French, Dutch, Italian, German, Czech, Slovakia, Hungarian,

More information

Heimat Didone Heimat Display Heimat Sans Heimat Mono Heimat Stencil

Heimat Didone Heimat Display Heimat Sans Heimat Mono Heimat Stencil Atlas Font Foundry Heimat Didone Heimat Display Heimat Sans Heimat Mono Heimat Stencil abcdefghijklmnopqrstuvwxyzßfbfifkflft 1234567890#$ àáâãäåāăąǻ ABCDEFGHIJKLMNOPQRSTUVWYZ& 1234567890@.,:;!?)]} * Heimat

More information

This bulletin was created to inform you of the release of the new version 4.30 of the Epson EMP Monitor software utility.

This bulletin was created to inform you of the release of the new version 4.30 of the Epson EMP Monitor software utility. EPSON PRODUCT SUPPORT BULLETIN Date: 04/20/2009 Originator: JAM PSB #: PSB.2009.06.001 Authorization: Reference: TI 09-05e Rev. A/B Total Pages: 5 Product(s): PowerLite 735c / Cinema 500 / 737c / 745c

More information

1 Copyright 2011, Oracle and/or its affiliates. All rights reserved.

1 Copyright 2011, Oracle and/or its affiliates. All rights reserved. 1 Copyright 2011, Oracle and/or its affiliates. All rights reserved. 2 Copyright 2011, Oracle and/or its affiliates. All rights reserved. Oracle E-Business Suite Internationalization and Multilingual Features

More information

Technical Information

Technical Information Building Technologies Division Security Products Technical Information SPC Series SPC Support CD Release Note CD V3.6.6 04/08/2015 Updates since: CD V3.4.5 Release V3.6.6 for SPC versions SPC42xx/43xx/52xx/53xx/63xx.

More information

Int_altapay. Version

Int_altapay. Version Int_altapay Version 15.0 Table of Contents SUMMARY 3 RELEASE HISTORY 3 COMPONENT OVERVIEW 3 F UNCTIONAL O VERVIEW 5. P RIVACY, P AYMENT 3 5 4. IMPLEMENTATION GUIDE 5 4. S ETUP 4. M ETADATA IMPORT & C USTOM

More information

FAST Search for SharePoint >> SharePoint search on steroids. Bjørn Olav Kåsin Microsoft Enterprise Search Group Jan 15 th 2010

FAST Search for SharePoint >> SharePoint search on steroids. Bjørn Olav Kåsin Microsoft Enterprise Search Group Jan 15 th 2010 FAST Search for SharePoint >> SharePoint search on steroids Bjørn Olav Kåsin Microsoft Enterprise Search Group Jan 15 th 2010 Products for Every Customer Need Complete intranet search High end search delivered

More information

Manual for Philips DVP6xx Player Software Upgrade. Contents

Manual for Philips DVP6xx Player Software Upgrade. Contents Manual for Philips DVP6xx Player Software Upgrade Important : Please read and print this for your easy reference before starting the Software Upgrade. Contents 1. Software Upgrade Version Release Notes

More information

EBSCOhost User Guide Searching. support.ebsco.com. Last Updated 10/31/12

EBSCOhost User Guide Searching. support.ebsco.com. Last Updated 10/31/12 EBSCOhost User Guide Searching Basic, Advanced & Visual Searching, Result List, Article Details, Company Information, Additional Features Last Updated 10/31/12 Table of Contents What is EBSCOhost... 5

More information

Nitti Mostro Designer Pieter van Rosmalen. OpenType PostScript (otf), TrueType (ttf), woff, eot

Nitti Mostro Designer Pieter van Rosmalen. OpenType PostScript (otf), TrueType (ttf), woff, eot bold monday Nitti Mostro Designer Pieter van Rosmalen design year 2015 about Format Without a doubt, Nitti Mostro is the boldest family in our Nitti series yet. And the most fun. Eighteen styles in total

More information

TruVision 12/32 Series IP Camera Firmware V7.1 Release Notes

TruVision 12/32 Series IP Camera Firmware V7.1 Release Notes TruVision 12/32 Series IP Camera Firmware V7.1 Release Notes P/N 1073169-EN REV A ISS 08AUG16 Introduction These are the TruVision 12/32 Series IP Camera Firmware V7.1 Release Notes with additional information

More information

Height: 9.50 inches (241.2 mm) Width: 7.31 inches (185.7 mm) Depth: 0.37 inch (9.4 mm) Weight: 1.44 pounds (652 g) Height: 9.50 inches (241.

Height: 9.50 inches (241.2 mm) Width: 7.31 inches (185.7 mm) Depth: 0.37 inch (9.4 mm) Weight: 1.44 pounds (652 g) Height: 9.50 inches (241. Height: 1 Width: Depth: Weight: Height: Width: Depth: Weight: 9.50 inches (241.2 mm) 7.31 inches (185.7 mm) 0.37 inch (9.4 mm) 1.44 pounds (652 g) 9.50 inches (241.2 mm) 7.31 inches (185.7 mm) 0.37 inch

More information

Release Notes MimioStudio Software

Release Notes MimioStudio Software Release Notes MimioStudio 11.54 Software Copyright Notice 2018 Mimio. All rights reserved. About MimioStudio MimioStudio classroom software is the unifying software solution for MimioClassroom products

More information

1 DEALING WITH LARGE DATA SETS PROCESSING A HOT FOLDER SUPPORTED FILE TYPES FOR CONVERT ANY FILE TO PDF... 5

1 DEALING WITH LARGE DATA SETS PROCESSING A HOT FOLDER SUPPORTED FILE TYPES FOR CONVERT ANY FILE TO PDF... 5 Version 1.1 March 2016 Table of Contents 1 DEALING WITH LARGE DATA SETS... 3 1.1 REQUIREMENT... 3 1.2 BACKGROUND... 3 1.3 SOLUTION... 3 2 PROCESSING A HOT FOLDER... 4 2.1 REQUIREMENT... 4 2.2 SOLUTION...

More information

MailMerge Reports. User Guide. Ver Copyright 2012 Dharma Ingeniería S.L., All Rights Reserved Pag.1 de 15

MailMerge Reports. User Guide. Ver Copyright 2012 Dharma Ingeniería S.L., All Rights Reserved Pag.1 de 15 MailMerge Reports User Guide Ver. 1.2 www.dharma.es Copyright 2012 Dharma Ingeniería S.L., All Rights Reserved Pag.1 de 15 MailMerge Reports. User Guide Version 1.2, 2013 Copyright 2013 Dharma Ingeniería

More information

Click-to-Call (Web RTC)

Click-to-Call (Web RTC) Click-to-Call (Web RTC) Admin Guide 27 September 2018 Contents Click-to-Call and StarLeaf Cloud 3 Browser support for Click-to-Call 3 Chrome 3 Internet Explorer 3 Firefox 4 Safari 4 Content share for browser-based

More information

Install Notes for Enterprise Installations of Plantronics Hub for Windows and Mac v3.11

Install Notes for Enterprise Installations of Plantronics Hub for Windows and Mac v3.11 Date: 4/2/2018 Rev: 3.11 Install Notes for Enterprise Installations of Plantronics Hub for Windows and Mac v3.11 Table of Contents Overview of Plantronics Enterprise software... 3 Plantronics Hub for Windows/Mac...

More information

novdocx (en) 11 December 2007 XII XIIWebAccess

novdocx (en) 11 December 2007 XII XIIWebAccess XIIWebAccess Chapter 53, Scaling Your WebAccess Installation, on page 855 Chapter 54, Configuring WebAccess Components, on page 869 Chapter 55, Managing User Access, on page 915 Chapter 56, Monitoring

More information