Programming in Slicer4
|
|
|
- Meagan Parrish
- 10 years ago
- Views:
Transcription
1 Programming in Slicer4 Sonia Pujol, Ph.D. Surgical Planning Laboratory, Harvard Medical School Paul Cézanne, Moulin sur la Couleuvre à Pontoise, 1881, Staatliche Museen zu Berlin, Na:onalgalerie Steve Pieper, Ph.D. Isomics Inc.
2 The NA- MIC Kit
3 3D Slicer version 4 (Slicer4.1) An end- user applica:on for image analysis An open- source environment for sokware development A sokware plamorm that is both easy to use for clinical researchers and easy to extend for programmers
4 Slicer Modules Command Line Interface (CLI): standalone executables with limited input/ output arguments Scripted Modules (Python): recommended for fast prototyping Loadable Modules (C++ Plugins) optimized for heaving computation
5 Slicer4 Highlights: Python The Python console of Slicer4 gives access to scene objects (MRML) data arrays (volumes, models) GUI elements that can be encapsulated in a module Processing Libraries: numpy, VTK, ITK,CTK
6 Slicer4 Scripted Modules Python scripted modules allow more interac(ve func(onali(es (eg Flythrough in Endoscopy module) and rapid prototyping GUI based on Qt libraries accessed via Python
7 Tutorial Goal This tutorial guides you through the steps of programming a HelloPython scripted module for running a Laplacian filtering and sharpening. For addi:onal details and pointers, visit the Slicer Documenta:on page h^p://wiki.slicer.org/slicerwiki/index.php/documenta:on/4.0
8 Processing Examples in this Tutorial Image Data on Disk (DICOM, Nifti, nrrd ) Manipulation with numpy MRML Scene Manipulation with VTK MRML: Medical Reality Markup Language, the Slicer Data Representation Manipulation with ITK (Slicer CLI)
9 Prerequisites This course supposes that you have taken the tutorial: Slicer4 Data Loading and Visualiza:on - Sonia Pujol Ph.D. The tutorial is available on the Slicer4 101 compendium: h^p:// Programming experience is required, and some familiarity with Python is essen:al.
10 Course Material Slicer4.1 version available at spgr.nhdr spgr.raw.gz (124 SPGR ( images Unzip the HelloPython.zip archive HelloPython.py HelloLaplace.py HelloSharpen.py
11 Course Overview Part A: Exploring Slicer via Python Part B: Integra:on of the HelloPython.py program into Slicer4 Part C: Implementa:on of the Laplace operator in the HelloPython module Part D: Image Sharpening using the Laplace operator
12 Part A: EXPLORING SLICER VIA PYTHON
13 Python in Slicer Slicer 4 includes python and a rich set of standard libraries Included: numpy, vtk, ctk, PythonQt, and most of standard python library Not included: - scipy (scien:fic tools for python), - matplotlib (python 2D plo:ng library), - ipython (interac:ve python) and some other popular packages that we have found difficult to package for distribu:on
14 Python Console in Slicer Select View -> Python Interactor to launch the Python console of Slicer
15 General Python Console Features Command Line Edi:ng: LeK/Right Arrow Keys, Home, End Delete (Control- D) Input History Up/Down Arrow Keys Command Comple:on Tab Key
16 Add Volume Dialog Select File -> Add Volume
17 Add spgr.nhdr Load the dataset spgr.nhdr located in the directory HelloPython/
18 Access to MRML and Arrays Run the following code in the Python console a = slicer.util.array('spgr ) à Uses the slicer.u:l package to return a numpy array of the image à The variable 'a' is a numpy ndarray of the volume data we just loaded print( a ) à Shows a shortened view of the array
19 Access to MRML and Arrays The intensity values of the spgr image appear in the Python console
20 Access to MRML and Arrays Type the following command to display the min and max intensity value of the spgr image print( a.min(), a.max() ) à Use numpy array methods to analyze the data
21 Access to MRML and Arrays I min = 0 ; I max = 355
22 Manipula:ng Arrays Run the following code in the Python console, (indent each new line with 2 spaces) def toggle(): n = slicer.util.getnode('spgr') a = slicer.util.array('spgr') a[:] = a.max()/2. - a n.getimagedata().modified() print('toggled') toggle() For practice: use up arrow and return keys to execute toggle() over and over
23 Manipula:ng Arrays
24 The toggle func:on in more detail def toggle(): Defines a python func:on Body of func:on performs element- wise math on en:re volume Easy mix of scalar and volume math Telling slicer that the image data for node 'n' has been modified causes the slice view windows to refresh
25 Qt GUI in Python Run the following code in the Python console b = qt.qpushbutton('toggle') b.connect('clicked()', toggle) b.show() What do you think will happen when you run this code? What about when you push the button?
26 Result with button toggling
27 Result with button toggling
28 In More Detail - Slicer uses PythonQt to expose the Qt library - Sophis:cated interac:ve modules can be wri^en en:rely with Python code calling C++ code that is wrapped in Python (e.g. Endoscopy, Editor, SampleData, ChangeTracker, and other slicer modules in the Slicer source code) (*) Qt: h^p://qt.nokia.com (**) PythonQt: h^p://pythonqt.sf.net /F.Link (MeVis)
29 PART B: INTEGRATION OF THE HELLOPYTHON TUTORIAL TO SLICER4
30 HelloPython.py Open the file HelloPython.py located in the directory HelloPython
31 HelloPython.py Module Description Module GUI Processing Code
32 Module Descrip:on This code is provided in the template class HelloPython: def init (self, parent): constructor parent.title = "Hello Python" parent.categories = ["Examples"] parent.dependencies = [] parent.contributors = ["Jean-Christophe Fillion-Robin (Kitware)", "Steve Pieper (Isomics)", "Sonia Pujol (BWH)"] # replace with "Firstname Lastname (Org)" parent.helptext = """ Example of scripted loadable extension for the HelloPython tutorial. """ parent.acknowledgementtext = """ This file was originally developed by Jean-Christophe Fillion-Robin, Kitware Inc., Steve Pieper, Isomics, Inc., and Sonia Pujol, Brigham and Women's Hospital and was partially funded by NIH grant 3P41RR S1 (NAC) and is part of the National Alliance for Medical Image Computing (NA-MIC), funded by the National Institutes of Health through the NIH Roadmap for Medical Research, Grant U54 EB """ # replace with organization, grant and thanks. self.parent = parent
33 Module GUI def setup(self): # Instantiate and connect widgets... # Collapsible button samplecollapsiblebutton = ctk.ctkcollapsiblebutton() samplecollapsiblebutton.text = "A collapsible button" self.layout.addwidget(samplecollapsiblebutton) # Layout within the sample collapsible button sampleformlayout = qt.qformlayout(samplecollapsiblebutton) Add this Text in section A # HelloWorld button helloworldbutton = qt.qpushbutton("hello world") helloworldbutton.tooltip = "Print 'Hello world' in standard ouput." sampleformlayout.addwidget(helloworldbutton) helloworldbutton.connect('clicked(bool)', self.onhelloworldbuttonclicked) # Add vertical spacer self.layout.addstretch(1) # Set local var as instance attribute self.helloworldbutton = helloworldbutton
34 Processing Code Add this Text in section B def onhelloworldbu^onclicked(self): print "Hello World!" qt.qmessagebox.informa(on( slicer.u(l.mainwindow(), 'Slicer Python', 'Hello World!')
35 Integra:ng HelloPython Open the side panel and click Add Select Module Settings from the Edit -> Application Settings Dialog
36 Integra:ng HelloPython Add the path to the directory containing HelloPython.py (when selecting the directory, the HelloWorld.py file itself will not be displayed)
37 Restart Slicer when prompted. Hello Python is now in the Modules Menu, under the category Examples
38 Click on Help and Acknowledgment in the Hello Python module Expand the A Collapsible button tab, and click on the Hello World button
39 Part C: Text Implemen:ng the Laplace* Operator *named aker Pierre- Simon, Marquis de Laplace ( )
40 Overview The goal of this sec:on is to build an image analysis module that implements a Laplacian filter on volume data Use qmrml widgets: widgets that automa:cally track the state of the Slicer MRML scene Use VTK filters to manipulate volume data
41 HelloLaplace.py Open the file HelloLaplace.py located in the directory HelloPython
42 Module GUI (Part 1) def setup(self): # Collapsible button self.laplacecollapsiblebutton = ctk.ctkcollapsiblebutton() self.laplacecollapsiblebutton.text = "Laplace Operator" self.layout.addwidget(self.laplacecollapsiblebutton) # Layout within the laplace collapsible button self.laplaceformlayout = qt.qformlayout(self.laplacecollapsiblebutton) This code is provided in the template # the volume selectors self.inputframe = qt.qframe(self.laplacecollapsiblebutton) self.inputframe.setlayout(qt.qhboxlayout()) self.laplaceformlayout.addwidget(self.inputframe) self.inputselector = qt.qlabel("input Volume: ", self.inputframe) self.inputframe.layout().addwidget(self.inputselector) self.inputselector = slicer.qmrmlnodecombobox(self.inputframe) self.inputselector.nodetypes = ( ("vtkmrmlscalarvolumenode"), "" ) self.inputselector.addenabled = False self.inputselector.removeenabled = False self.inputselector.setmrmlscene( slicer.mrmlscene ) self.inputframe.layout().addwidget(self.inputselector)
43 Module GUI (Part 2) self.outputframe = qt.qframe(self.laplacecollapsiblebutton) self.outputframe.setlayout(qt.qhboxlayout()) self.laplaceformlayout.addwidget(self.outputframe) self.outputselector = qt.qlabel("output Volume: ", self.outputframe) self.outputframe.layout().addwidget(self.outputselector) self.outputselector = slicer.qmrmlnodecombobox(self.outputframe) self.outputselector.nodetypes = ( ("vtkmrmlscalarvolumenode"), "" ) self.outputselector.setmrmlscene( slicer.mrmlscene ) self.outputframe.layout().addwidget(self.outputselector) This code is provided in the template # Apply button laplacebutton = qt.qpushbutton("apply Laplace") laplacebutton.tooltip = "Run the Laplace Operator." self.laplaceformlayout.addwidget(laplacebutton) laplacebutton.connect('clicked(bool)', self.onapply) # Add vertical spacer self.layout.addstretch(1) # Set local var as instance attribute self.laplacebutton = laplacebutton
44 In More Detail CTK is a Qt Add- On Library with many useful widgets, par:cularly for visualiza:on and medical imaging see h^p://commontk.org Qt Widgets, Layouts, and Op:ons are well documented at h^p://qt.nokia.com qmrmlnodecombobox is a powerful slicer widget that monitors the scene and allows you to select/ create nodes of specified types (example: here we use Volumes = vtkmrmlscalarvolumenode)
45 Add this code def onapply(self): inputvolume = self.inputselector.currentnode() outputvolume = self.outputselector.currentnode() if not (inputvolume and outputvolume): qt.qmessagebox.critical(slicer.util.mainwindow(), 'Laplace', 'Input and output volumes are required for Laplacian') return laplacian = vtk.vtkimagelaplacian() laplacian.setinput(inputvolume.getimagedata()) laplacian.setdimensionality(3) laplacian.getoutput().update() ijktoras = vtk.vtkmatrix4x4() inputvolume.getijktorasmatrix(ijktoras) outputvolume.setijktorasmatrix(ijktoras) outputvolume.setandobserveimagedata(laplacian.getoutput()) # make the output volume appear in all the slice views selectionnode = slicer.app.applicationlogic().getselectionnode() selectionnode.setreferenceactivevolumeid(outputvolume.getid()) slicer.app.applicationlogic().propagatevolumeselection(0)
46 In More Detail vtkimagelaplacian is a vtkimagealgorithm operates on vtkimagedata (see h^p://vtk.org) vtkmrmlscalarvolumenode is a Slicer MRML class that contains vtkimagedata, plus orienta:on informa:on ijktoras matrix (see h^p:// Coordinate_systems)
47 In More Detail (Con:nued) Global slicer package gives python access to: 1- GUI (via slicer.app) 2- modules (via slicer.modules) 3- data (via slicer.mrmlscene) slicer.app.applica(onlogic() provides helper u:li:es for manipula:ng Slicer state
48 Go To Laplace Module Re-start Slicer and select module. Note that combobox is empty
49 Add Volume Dialog Select File -> Add Volume
50 Add spgr.nhdr Load the dataset spgr.nhdr located in the directory HelloPython/
51 AKer Adding Volume (1) Note that Input Volume combobox autoselected new volume (2) Create new volume for output (3) Run the module
52 Result of Laplace Operator on spgr volume
53 Part D: Image Sharpening with the Laplace Operator
54 Overview The goal of this sec:on is to add a processing op:on for image sharpening. We ll implement this opera:on using the exis:ng Slicer Command Line Module Subtract Scalar Volumes
55 HelloSharpen.py Open the file HelloSharpen.py located in the directory HelloPython
56 Add to Module GUI... self.outputselector.setmrmlscene( slicer.mrmlscene ) self.outputframe.layout().addwidget(self.outputselector) Add this Text in section A self.sharpen = qt.qcheckbox("sharpen", self.laplacecollapsiblebutton) self.sharpen.tooltip = "When checked, subtract laplacian from input volume" self.sharpen.checked = True self.laplaceformlayout.addwidget(self.sharpen) # Apply button laplacebutton = qt.qpushbutton("apply") laplacebutton.tooltip = "Run the Laplace or Sharpen Operator."...
57 Add this Text in section B... outputvolume.setandobserveimagedata(laplacian.getoutput()) # optionally subtract laplacian from original image if self.sharpen.checked: parameters = {} parameters['inputvolume1'] = inputvolume.getid() parameters['inputvolume2'] = outputvolume.getid() parameters['outputvolume'] = outputvolume.getid() slicer.cli.run( slicer.modules.subtractscalarvolumes, None, parameters, wait_for_completion=true ) # make the output volume appear in all the slice views selectionnode = slicer.app.applicationlogic().getselectionnode() selectionnode.setreferenceactivevolumeid(outputvolume.getid ()) slicer.app.applicationlogic().propagatevolumeselection(0)
58 In More Detail slicer.cli gives access to Command Line Interface (CLI) modules CLI modules allow packaging of arbitrary C++ code (oken ITK- based) into slicer with automa:cally generated GUI and python wrapping
59 Go To Sharpen Module Re-start Slicer and select module. Note the new sharpen check box
60 Add Volume Dialog Select File -> Add Volume
61 Add spgr.nhdr Load the dataset spgr.nhdr located in the directory HelloPython/
62 AKer Adding Volume (1) Note that Input Volume combobox autoselected new volume (2) Create new volume for output (3) Run the module in Sharpen mode
63 Result of Laplacian Sharpening Operator on spgr volume
64 Adjust Window/Level with Left-Mouse-Drag in Slice Window
65 original Laplacian Laplacian filtered
66 Going Further Explore numpy for numerical array manipula:on Review Endoscopy Module for interac:ve data explora:on using MRML and VTK See the Editor Module for interac:ve segmenta:on examples Explore SimpleITK for image processing using ITK
67 This course demonstrated how to program custom behavior in Slicer with Python
68 National Alliance for Medical Image Computing NIH U54EB Neuroimage Analysis Center NIH P41RR013218
Connecting IGT Device with OpenIGTLink
Slicer4 Training Compendium Connecting IGT Device with OpenIGTLink Junichi Tokuda, PhD Brigham and Women s Hospital Harvard Medical School Slicer in Operating Room 3D Slicer s data I/O in OR Import images
Connecting IGT Device with OpenIGTLink
Slicer4 Training Compendium Connecting IGT Device with OpenIGTLink Junichi Tokuda, PhD Brigham and Women s Hospital Harvard Medical School National Alliance for Medical Image Computing NA-MIC 2010-2014
Building a Python Plugin
Building a Python Plugin QGIS Tutorials and Tips Author Ujaval Gandhi http://google.com/+ujavalgandhi This work is licensed under a Creative Commons Attribution 4.0 International License. Building a Python
3D Visualization of FreeSurfer Data Sonia Pujol, Ph.D. Silas Mann, B.Sc. Randy Gollub, MD., Ph.D.
3D Visualization of FreeSurfer Data Sonia Pujol, Ph.D. Silas Mann, B.Sc. Randy Gollub, MD., Ph.D. Surgical Planning Laboratory Athinoula A. Martinos Center Harvard University -1- Acknowledgements NIH U54EB005149
Python for Data Analysis and Visualiza4on. Fang (Cherry) Liu, Ph.D [email protected] PACE Gatech July 2013
Python for Data Analysis and Visualiza4on Fang (Cherry) Liu, Ph.D PACE Gatech July 2013 Outline System requirements and IPython Why use python for data analysis and visula4on Data set US baby names 1880-2012
VisIt Visualization Tool
The Center for Astrophysical Thermonuclear Flashes VisIt Visualization Tool Randy Hudson [email protected] Argonne National Laboratory Flash Center, University of Chicago An Advanced Simulation and Computing
I don t intend to cover Python installation, please visit the Python web site for details.
Python Related Information I don t intend to cover Python installation, please visit the Python web site for details. http://www.python.org/ Before you start to use the Python Interface plugin make sure
ACTIVE DIRECTORY DEPLOYMENT
ACTIVE DIRECTORY DEPLOYMENT CASAS Technical Support 800.255.1036 2009 Comprehensive Adult Student Assessment Systems. All rights reserved. Version 031809 CONTENTS 1. INTRODUCTION... 1 1.1 LAN PREREQUISITES...
Administrator s Guide
Attachment Save for Exchange Administrator s Guide document version 1.8 MAPILab, December 2015 Table of contents Intro... 3 1. Product Overview... 4 2. Product Architecture and Basic Concepts... 4 3. System
3D Slicer as an Image Computing Platform for the Quantitative Imaging Network*
3D Slicer as an Image Computing Platform for the Quantitative Imaging Network* Andriy Fedorov, PhD 1, Reinhard Beichel, PhD 2, Jayashree Kalpathy-Cramer, PhD 3, Julien Finet, MS 4, Jean-Christophe Fillion-Robin,
Processing Data with rsmap3d Software Services Group Advanced Photon Source Argonne National Laboratory
Processing Data with rsmap3d Software Services Group Advanced Photon Source Argonne National Laboratory Introduction rsmap3d is an application for producing 3D reciprocal space maps from x-ray diffraction
Administrator s Guide
MAPILab Disclaimers for Exchange Administrator s Guide document version 1.8 MAPILab, December 2015 Table of contents Intro... 3 1. Product Overview... 4 2. Product Architecture and Basic Concepts... 4
Intro to scientific programming (with Python) Pietro Berkes, Brandeis University
Intro to scientific programming (with Python) Pietro Berkes, Brandeis University Next 4 lessons: Outline Scientific programming: best practices Classical learning (Hoepfield network) Probabilistic learning
WFU_DICOMtk v1.0. ANSIR Laboratory Wake Forest University School of Medicine
WFU_DICOMtk v1.0 ANSIR Laboratory Wake Forest University School of Medicine REQUIREMENTS: MATLAB6.5 or greater with the Image Processing Toolbox SPM2 or SPM5 FUNDING: R01EB004673 under the Human Brain
Lab 2: MS ACCESS Tables
Lab 2: MS ACCESS Tables Summary Introduction to Tables and How to Build a New Database Creating Tables in Datasheet View and Design View Working with Data on Sorting and Filtering 1. Introduction Creating
Cassandra 2.0: Tutorial
Cassandra 2.0 Tutorial V1.0 Sébastien Jourdain, Fatiha Zeghir 2005/06/01 1 / 16 Abstract Cassandra is a generic VTK data viewer written in Java which provides native multiplatform support. Cassandra is
Introduction to Python
Introduction to Python Sophia Bethany Coban Problem Solving By Computer March 26, 2014 Introduction to Python Python is a general-purpose, high-level programming language. It offers readable codes, and
Python for Series 60 Platform
F O R U M N O K I A Getting Started with Python for Series 60 Platform Version 1.2; September 28, 2005 Python for Series 60 Platform Copyright 2005 Nokia Corporation. All rights reserved. Nokia and Nokia
1.5 MONITOR. Schools Accountancy Team INTRODUCTION
1.5 MONITOR Schools Accountancy Team INTRODUCTION The Monitor software allows an extract showing the current financial position taken from FMS at any time that the user requires. This extract can be saved
Notepad++ The COMPSCI 101 Text Editor for Windows. What is a text editor? Install Python 3
Notepad++ The COMPSCI 101 Text Editor for Windows The text editor that we will be using in the Computer Science labs for creating our Python programs is called Notepad++ and http://notepad-plus-plus.org
IBM Operational Decision Manager Version 8 Release 5. Getting Started with Business Rules
IBM Operational Decision Manager Version 8 Release 5 Getting Started with Business Rules Note Before using this information and the product it supports, read the information in Notices on page 43. This
Database Forms and Reports Tutorial
Database Forms and Reports Tutorial Contents Introduction... 1 What you will learn in this tutorial... 2 Lesson 1: Create First Form Using Wizard... 3 Lesson 2: Design the Second Form... 9 Add Components
1. Base Programming. GIORGIO RUSSOLILLO - Cours de prépara+on à la cer+fica+on SAS «Base Programming»
1. Base Programming GIORGIO RUSSOLILLO Cours de prépara+on à la cer+fica+on SAS «Base Programming» 9 What is SAS Highly flexible and integrated soiware environment; you can use SAS for: GIORGIO RUSSOLILLO
Magento Extension Point of Sales User Manual Version 1.0
Magento Extension Point of Sales Version 1.0 1. Overview... 2 2. Integration... 2 3. General Settings... 3 3.1 Point of sales Settings... 3 3.2 Magento Client Computer Settings... 3 4. POS settings...
Tutorial: Building a Dojo Application using IBM Rational Application Developer Loan Payment Calculator
Tutorial: Building a Dojo Application using IBM Rational Application Developer Loan Payment Calculator Written by: Chris Jaun ([email protected]) Sudha Piddaparti ([email protected]) Objective In this
ILTA 2013 - HAND 6B. Upgrading and Deploying. Windows Server 2012. In the Legal Environment
ILTA 2013 - HAND 6B Upgrading and Deploying Windows Server 2012 In the Legal Environment Table of Contents Purpose of This Lab... 3 Lab Environment... 3 Presenter... 3 Exercise 1 Add Roles and Features...
Building and Using Web Services With JDeveloper 11g
Building and Using Web Services With JDeveloper 11g Purpose In this tutorial, you create a series of simple web service scenarios in JDeveloper. This is intended as a light introduction to some of the
Microsoft Visual Studio Integration Guide
Microsoft Visual Studio Integration Guide MKS provides a number of integrations for Integrated Development Environments (IDEs). IDE integrations allow you to access MKS Integrity s workflow and configuration
Creating Web Services Applications with IntelliJ IDEA
Creating Web Services Applications with IntelliJ IDEA In this tutorial you will: 1. 2. 3. 4. Create IntelliJ IDEA projects for both client and server-side Web Service parts Learn how to tie them together
How to utilize Administration and Monitoring Console (AMC) in your TDI solution
How to utilize Administration and Monitoring Console (AMC) in your TDI solution An overview of the basic functions of Tivoli Directory Integrator's Administration and Monitoring Console and how it can
TIPS & TRICKS JOHN STEVENSON
TIPS & TRICKS Tips and Tricks Workspaces Windows and Views Projects Sharing Projects Source Control Editor Tips Debugging Debug Options Debugging Without a Project Graphs Using Eclipse Plug-ins Use Multiple
Running and Scheduling QGIS Processing Jobs
Running and Scheduling QGIS Processing Jobs QGIS Tutorials and Tips Author Ujaval Gandhi http://google.com/+ujavalgandhi Translations by Christina Dimitriadou Paliogiannis Konstantinos Tom Karagkounis
Xuan (The STACK Box) Application Development. Xuan (The STACK Box) Application Development
Xuan (The STACK Box) Application Development 1 Table of Contents A) Xuan Platform...3 B) Basic Xuan Application Development Process...3 C) Basic UI Only Xuan Application...3 D) Basic UI and Daemon (Python)
Configuring Microsoft IIS 5.0 With Pramati Server
Configuring Microsoft IIS 5.0 With Pramati Server 46 Microsoft Internet Information Services 5.0 is a built-in web server that comes with Windows 2000 operating system. An earlier version, IIS 4.0, is
DAVE Software Development Kit overview. Preparing the workbench. Creating a simple APP. Step 1: Create a new APP project
DAVE Software Development Kit overview The DAVE SDK project provides the tool used to develop DAVE 4 software components or applications called "DAVE APPs". It provides facilities to create user interface
Beginning Microsoft Access
Beginning Microsoft Access A database is a collection of information. Common collections of information that can be entered into a database include the library card catalog, a recipe box, or your personal
USING STUFFIT DELUXE THE STUFFIT START PAGE CREATING ARCHIVES (COMPRESSED FILES)
USING STUFFIT DELUXE StuffIt Deluxe provides many ways for you to create zipped file or archives. The benefit of using the New Archive Wizard is that it provides a way to access some of the more powerful
Android Environment SDK
Part 2-a Android Environment SDK Victor Matos Cleveland State University Notes are based on: Android Developers http://developer.android.com/index.html 1 Android Environment: Eclipse & ADT The Android
Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal
JOIN TODAY Go to: www.oracle.com/technetwork/java OTN Developer Day Oracle Fusion Development Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal Hands on Lab (last update, June
Computer Training Centre University College Cork. Excel 2013 Pivot Tables
Computer Training Centre University College Cork Excel 2013 Pivot Tables Table of Contents Pivot Tables... 1 Changing the Value Field Settings... 2 Refreshing the Data... 3 Refresh Data when opening a
Adobe Summit 2015 Lab 718: Managing Mobile Apps: A PhoneGap Enterprise Introduction for Marketers
Adobe Summit 2015 Lab 718: Managing Mobile Apps: A PhoneGap Enterprise Introduction for Marketers 1 INTRODUCTION GOAL OBJECTIVES MODULE 1 AEM & PHONEGAP ENTERPRISE INTRODUCTION LESSON 1- AEM BASICS OVERVIEW
CourseBuilder Extension ADOBE elearning SUITE 6
CourseBuilder Extension ADOBE elearning SUITE 6 Legal notices Legal notices For legal notices, see http://help.adobe.com/en_us/legalnotices/index.html. iii Contents Chapter 1: Getting Started Overview..............................................................................................................
5nine Hyper-V Commander
5nine Hyper-V Commander 5nine Hyper-V Commander provides a local graphical user interface (GUI), and a Framework to manage Hyper-V R2 server and various functions such as Backup/DR, HA and P2V/V2V. It
MATLAB @ Work. MATLAB Source Control Using Git
MATLAB @ Work MATLAB Source Control Using Git Richard Johnson Using source control is a key practice for professional programmers. If you have ever broken a program with a lot of editing changes, you can
Windows PowerShell Essentials
Windows PowerShell Essentials Windows PowerShell Essentials Edition 1.0. This ebook is provided for personal use only. Unauthorized use, reproduction and/or distribution strictly prohibited. All rights
3D Data visualization with Mayavi
3D Data visualization with Mayavi Prabhu Ramachandran Department of Aerospace Engineering IIT Bombay SciPy.in 2012, December 27, IIT Bombay. Prabhu Ramachandran (IIT Bombay) Mayavi2 tutorial 1 / 53 In
Scientific Programming in Python
UCSD March 9, 2009 What is Python? Python in a very high level (scripting) language which has gained widespread popularity in recent years. It is: What is Python? Python in a very high level (scripting)
Database Servers Tutorial
Copyright 1995-2010 Esri All rights reserved. Table of Contents A quick tour of the database servers tutorial........................ 3 Exercise 1: Add a database server to the Catalog tree and create
Creating Basic Custom Monitoring Dashboards Antonio Mangiacotti, Stefania Oliverio & Randy Allen
Creating Basic Custom Monitoring Dashboards by Antonio Mangiacotti, Stefania Oliverio & Randy Allen v1.1 Introduction With the release of IBM Tivoli Monitoring 6.3 and IBM Dashboard Application Services
Xcode Project Management Guide. (Legacy)
Xcode Project Management Guide (Legacy) Contents Introduction 10 Organization of This Document 10 See Also 11 Part I: Project Organization 12 Overview of an Xcode Project 13 Components of an Xcode Project
Creating a Java application using Perfect Developer and the Java Develo...
1 of 10 15/02/2010 17:41 Creating a Java application using Perfect Developer and the Java Development Kit Introduction Perfect Developer has the facility to execute pre- and post-build steps whenever the
NASA Workflow Tool. User Guide. September 29, 2010
NASA Workflow Tool User Guide September 29, 2010 NASA Workflow Tool User Guide 1. Overview 2. Getting Started Preparing the Environment 3. Using the NED Client Common Terminology Workflow Configuration
10 STEPS TO YOUR FIRST QNX PROGRAM. QUICKSTART GUIDE Second Edition
10 STEPS TO YOUR FIRST QNX PROGRAM QUICKSTART GUIDE Second Edition QNX QUICKSTART GUIDE A guide to help you install and configure the QNX Momentics tools and the QNX Neutrino operating system, so you can
vtcommander Installing and Starting vtcommander
vtcommander vtcommander provides a local graphical user interface (GUI) to manage Hyper-V R2 server. It supports Hyper-V technology on full and core installations of Windows Server 2008 R2 as well as on
Converting Prospects to Purchasers.
CONFIGURE MICROSOFT OFFICE 365 AND MICROSOFT EXCHANGE TO CAPTURE LASSO EMAIL The following instructions are for clients who wish to configure Microsoft Office 365 or Microsoft Exchange to record email
Tutorial 3. Maintaining and Querying a Database
Tutorial 3 Maintaining and Querying a Database Microsoft Access 2010 Objectives Find, modify, and delete records in a table Learn how to use the Query window in Design view Create, run, and save queries
Microsoft Office 2010
Access Tutorial 3 Maintaining and Querying a Database Microsoft Office 2010 Objectives Find, modify, and delete records in a table Learn how to use the Query window in Design view Create, run, and save
Visualization Plugin for ParaView
Alexey I. Baranov Visualization Plugin for ParaView version 1.3 Springer Contents 1 Visualization with ParaView..................................... 1 1.1 ParaView plugin installation.................................
INTRODUCTION TO OBJECTIVE-C CSCI 4448/5448: OBJECT-ORIENTED ANALYSIS & DESIGN LECTURE 12 09/29/2011
INTRODUCTION TO OBJECTIVE-C CSCI 4448/5448: OBJECT-ORIENTED ANALYSIS & DESIGN LECTURE 12 09/29/2011 1 Goals of the Lecture Present an introduction to Objective-C 2.0 Coverage of the language will be INCOMPLETE
Primavera P6 Professional Windows 8 Installation Instructions. Primavera P6. Installation Instructions. For Windows 8 Users
Primavera P6 Installation Instructions For Windows 8 Users 1 IMPORTANT: READ THESE INSTRUCTIONS CAREFULLY AND FOLLOW THEM EXACTLY. The following is provided for your convenience only. Ten Six Consulting
EVALUATION ONLY. WA2088 WebSphere Application Server 8.5 Administration on Windows. Student Labs. Web Age Solutions Inc.
WA2088 WebSphere Application Server 8.5 Administration on Windows Student Labs Web Age Solutions Inc. Copyright 2013 Web Age Solutions Inc. 1 Table of Contents Directory Paths Used in Labs...3 Lab Notes...4
INTEGRATING MICROSOFT DYNAMICS CRM WITH SIMEGO DS3
INTEGRATING MICROSOFT DYNAMICS CRM WITH SIMEGO DS3 Often the most compelling way to introduce yourself to a software product is to try deliver value as soon as possible. Simego DS3 is designed to get you
Application. 1.1 About This Tutorial. 1.1.1 Tutorial Requirements. 1.1.2 Provided Files
About This Tutorial 1Creating an End-to-End HL7 Over MLLP Application 1.1 About This Tutorial 1.1.1 Tutorial Requirements 1.1.2 Provided Files This tutorial takes you through the steps of creating an end-to-end
Excel 2010: Create your first spreadsheet
Excel 2010: Create your first spreadsheet Goals: After completing this course you will be able to: Create a new spreadsheet. Add, subtract, multiply, and divide in a spreadsheet. Enter and format column
MicroStrategy Analytics Express User Guide
MicroStrategy Analytics Express User Guide Analyzing Data with MicroStrategy Analytics Express Version: 4.0 Document Number: 09770040 CONTENTS 1. Getting Started with MicroStrategy Analytics Express Introduction...
Why are we teaching you VisIt?
VisIt Tutorial Why are we teaching you VisIt? Interactive (GUI) Visualization and Analysis tool Multiplatform, Free and Open Source The interface looks the same whether you run locally or remotely, serial
Understanding Task Scheduler FIGURE 33.14. Task Scheduler. The error reporting screen.
1383 FIGURE.14 The error reporting screen. curring tasks into a central location, administrators gain insight into system functionality and control over their Windows Server 2008 R2 infrastructure through
Tutorial: Packaging your server build
Tutorial: Packaging your server build This tutorial walks you through the steps to prepare a game server folder or package containing all the files necessary for your game server to run in Amazon GameLift.
MICROSOFT ACCESS 2003 TUTORIAL
MICROSOFT ACCESS 2003 TUTORIAL M I C R O S O F T A C C E S S 2 0 0 3 Microsoft Access is powerful software designed for PC. It allows you to create and manage databases. A database is an organized body
13 Managing Devices. Your computer is an assembly of many components from different manufacturers. LESSON OBJECTIVES
LESSON 13 Managing Devices OBJECTIVES After completing this lesson, you will be able to: 1. Open System Properties. 2. Use Device Manager. 3. Understand hardware profiles. 4. Set performance options. Estimated
3. On the top menu bar, click on File > New > Project as shown in Fig. 2 below: Figure 2 Window for Orcad Capture CIS
Department of Electrical Engineering University of North Texas Denton, TX. 76207 EENG 2920 Quickstart PSpice Tutorial Tutorial Prepared by Oluwayomi Adamo 1. To run the PSpice program, click on Start >
Protec'ng Communica'on Networks, Devices, and their Users: Technology and Psychology
Protec'ng Communica'on Networks, Devices, and their Users: Technology and Psychology Alexey Kirichenko, F- Secure Corpora7on ICT SHOK, Future Internet program 30.5.2012 Outline 1. Security WP (WP6) overview
DataPA OpenAnalytics End User Training
DataPA OpenAnalytics End User Training DataPA End User Training Lesson 1 Course Overview DataPA Chapter 1 Course Overview Introduction This course covers the skills required to use DataPA OpenAnalytics
CrownPeak Platform Dashboard Playbook. Version 1.0
CrownPeak Platform Dashboard Playbook Version 1.0 2015 CrownPeak Technology, Inc. All rights reserved. No part of this document may be reproduced or transmitted in any form or by any means, electronic
Creating Dashboards. Intellicus Enterprise Reporting and BI Platform. Intellicus Technologies [email protected] www.intellicus.
Creating Dashboards Intellicus Enterprise Reporting and BI Platform Intellicus Technologies [email protected] www.intellicus.com Creating Dashboards i Copyright 2013 Intellicus Technologies This document
Installation Guide - Client. Rev 1.5.0
Installation Guide - Client Rev 1.5.0 15 th September 2006 Introduction IntraNomic requires components to be installed on each PC that will use IntraNomic. These IntraNomic Client Controls provide advanced
Contents 1. Introduction 2. Security Considerations 3. Installation 4. Configuration 5. Uninstallation 6. Automated Bulk Enrollment 7.
Contents 1. Introduction 2. Security Considerations 3. Installation 4. Configuration 5. Uninstallation 6. Automated Bulk Enrollment 7. Troubleshooting Introduction Adaxes Self-Service Client provides secure
PROJECT PORTFOLIO SUITE
ServiceNow So1ware Development manages Scrum or waterfall development efforts and defines the tasks required for developing and maintaining so[ware throughout the lifecycle, from incep4on to deployment.
Welcome to FileMaker Pro
Welcome to FileMaker Pro About this guide Welcome to the FileMaker Pro application from Claris Corporation. FileMaker Pro is designed to help you manage information easily and effectively. This installation
Table of Content. 1. Mofluid Installation. 2. Mofluid Uninstallation. a. Magento Connect b. Manual Installation
Table of Content 1. Mofluid Installation a. Magento Connect b. Manual Installation 2. Mofluid Uninstallation Module 1 Mofluid Installation Mofluid is installed using a plugin.tgz file that can be obtained
Java Software Development Kit (JDK 5.0 Update 14) Installation Step by Step Instructions
Java Software Development Kit (JDK 5.0 Update 14) Installation Step by Step Instructions 1. Click the download link Download the Java Software Development Kit (JDK 5.0 Update 14) from Sun Microsystems
Learn About Analysis, Interactive Reports, and Dashboards
Learn About Analysis, Interactive Reports, and Dashboards This document supports Pentaho Business Analytics Suite 5.0 GA and Pentaho Data Integration 5.0 GA, documentation revision February 3, 2014, copyright
For Introduction to Java Programming, 5E By Y. Daniel Liang
Supplement H: NetBeans Tutorial For Introduction to Java Programming, 5E By Y. Daniel Liang This supplement covers the following topics: Getting Started with NetBeans Creating a Project Creating, Mounting,
A Tutorial on dynamic networks. By Clement Levallois, Erasmus University Rotterdam
A Tutorial on dynamic networks By, Erasmus University Rotterdam V 1.0-2013 Bio notes Education in economics, management, history of science (Ph.D.) Since 2008, turned to digital methods for research. data
Exercise 1: Python Language Basics
Exercise 1: Python Language Basics In this exercise we will cover the basic principles of the Python language. All languages have a standard set of functionality including the ability to comment code,
Newsletter Sign Up Form to Database Tutorial
Newsletter Sign Up Form to Database Tutorial Introduction The goal of this tutorial is to demonstrate how to set up a small Web application that will send information from a form on your Web site to a
IBM WebSphere Application Server Version 7.0
IBM WebSphere Application Server Version 7.0 Centralized Installation Manager for IBM WebSphere Application Server Network Deployment Version 7.0 Note: Before using this information, be sure to read the
Avaya Network Configuration Manager User Guide
Avaya Network Configuration Manager User Guide May 2004 Avaya Network Configuration Manager User Guide Copyright Avaya Inc. 2004 ALL RIGHTS RESERVED The products, specifications, and other technical information
Using the SAS Enterprise Guide (Version 4.2)
2011-2012 Using the SAS Enterprise Guide (Version 4.2) Table of Contents Overview of the User Interface... 1 Navigating the Initial Contents of the Workspace... 3 Useful Pull-Down Menus... 3 Working with
NHFIRST Time Management User Instructions
NHFIRST Time Management User Instructions As of January 11, 2012 NHFIRST Time Management User Instructions Page 1 Table of Contents Chapter 1... 4 Time Management Overview... 4 Time Management Features...
Analysis Programs DPDAK and DAWN
Analysis Programs DPDAK and DAWN An Overview Gero Flucke FS-EC PNI-HDRI Spring Meeting April 13-14, 2015 Outline Introduction Overview of Analysis Programs: DPDAK DAWN Summary Gero Flucke (DESY) Analysis
NaviCell Data Visualization Python API
NaviCell Data Visualization Python API Tutorial - Version 1.0 The NaviCell Data Visualization Python API is a Python module that let computational biologists write programs to interact with the molecular
Content Author's Reference and Cookbook
Sitecore CMS 6.2 Content Author's Reference and Cookbook Rev. 091019 Sitecore CMS 6.2 Content Author's Reference and Cookbook A Conceptual Overview and Practical Guide to Using Sitecore Table of Contents
DigiFlow v1.2: Getting Started with a Site Licence
DigiFlow v1.2: Getting Started with a Site Licence DL Research Partners 1999-2006 DigiFlow is an advanced image processing system designed specifically for measuring and analysing fluid flows using a wide
How to Configure Windows 8.1 to run ereports on IE11
How to Configure Windows 8.1 to run ereports on IE11 Description: Windows 8.1 ships with IE10, but can be updated to IE11. There is a special mode in IE11 called Enterprise Mode that can be used to emulate
Zynq-7000 Platform Software Development Using the ARM DS-5 Toolchain Authors: Simon George and Prushothaman Palanichamy
Application Note: Zynq-7000 All Programmable Soc XAPP1185 (v2.0) May 6, 2014 Zynq-7000 Platform Software Development Using the ARM DS-5 Toolchain Authors: Simon George and Prushothaman Palanichamy Summary
Exercise 0. Although Python(x,y) comes already with a great variety of scientic Python packages, we might have to install additional dependencies:
Exercise 0 Deadline: None Computer Setup Windows Download Python(x,y) via http://code.google.com/p/pythonxy/wiki/downloads and install it. Make sure that before installation the installer does not complain
