Project Write Up CSci 6237 Professor: Dan Eisenreich Summary:

Size: px
Start display at page:

Download "Project Write Up CSci 6237 Professor: Dan Eisenreich Summary:"

Transcription

1 Project Write Up CSci 6237 Professor: Dan Eisenreich Summary: Jiaxun Liu This is an app based on Android OS 2.2. The name of this app is My Sleep Diary. The main purpose of this app is to assist people to keep track of their daily sleep hours. With storing sleep duration history of the user, this app will be able to display a weekly report of sleep in a line graph. In the report, the user can view how his/her sleep quantity changes every day, and also their sleep history of the past. In the app, the average number of sleep hours in the US is provided to allow the user to

2 compare with theirs. By rating every sleep, the user also can have an idea of his recent sleep quality. The problems I encountered are: Android ADT setting and interface layout The interface display on the virtual device is different from the one on my real device. Adjust my real device screen size and the virtual device screen size to optimize layout of the display. Learned how to add splash (Loading view) loading page on Android Switch between different views Create a new view other than the main view to display the graph report. Create graphs in an Android app Retrieve data and draw a graph based on the data. Store data even when the app is shut down Need to store the sleep hours and date, and also the calculation of past sleep quatity. First thought is to use SQLite. App Icon:

3 How To Solve The Problems: Android ADT setting and interface layout Google search the screen size of my real device and created a virtual device with a similar screen size (5.1 WVGA), since the exactly of the same screen size of my real device cannot be found in Android virtual device manager. For interface layout, applied <RelativeLayout> instead of <LinearLayout>. Located all the main components in the middle of the main view, such as app icon, clock interface, rating bar. All components of the user interface are relative to the center horizontal line of the layout, like this: Learned how to add splash (Loading view) loading page on Android

4 Switch between different views By watching Android programming tutorial, I get a more intuitive understanding of how to implement different views in an Android app. Create graphs in an Android app Applied functions from achartengine library to implement line graph and pie chart. Using achartengine is an efficient way to create many knids of nice looking powerful graphs. What I need to do are to download the library package of achartengine and add it to the project s lib folder, and include and use functions I need in my app.

5 In my app, I changed the range of the y axis to 5, the maximum and minimum of y axis to 0 to 24 hours, which are a possible duration of a sleep in a day. In x axis, Monday to Friday. Also, I added titles for both x and y axis, Weekdays for x axis, Hours/day for y axis. For clearly display, enlarge the point size and text size to 30 and 20. In this separate view(not main view), in addition to show the sleep distribution, the title of the view is applied to display the total hours of this current week and the average number sleep hours from the internet. Line graph to demonstrate weekly sleep hours distribution: Clever I found: instead of SQLite, use Sharedpreferences to store my data

6 Store data Instead of using SQLite, which may be more powerful but also more complicated to implement, I applied Shared Preferences to store all my data. Since all my data are just date- hours pairs, I can just simple keep them in the format like Key- value pairs in Shared Peferences. Demo in My Real Device: Operating System: Mobile Operating System Google Android 2.2 Device: Dell Streak Reusable class: LingGraph Create a new view(intent) after the button in the main view is clicked. This class will create a line graph based on the array data passed from the main activity class. package com.example.linegraph; import org.achartengine.chartfactory;

7 import org.achartengine.model.timeseries; import org.achartengine.model.xymultipleseriesdataset; import org.achartengine.renderer.xymultipleseriesrenderer; import org.achartengine.renderer.xyseriesrenderer; import android.content.context; import android.content.intent; import android.graphics.color; import android.graphics.paint.align; //Class to handle the creation a line graph public class LineGraph { //Sleep hours on y axis; int[] y; public LineGraph(int[] hours){ y = hours; public Intent getintent(context context){ display on //Weekdays on x axis: 0 is Monday, 6 is Sunday. int[] x = {0,1,2,3,4,5,6; //keep caculating the total hours of every week to //the title bar int weeksum = 0; //create corresponding weekdays string with the index from x array. String[] days = {" Mon"," Tue"," Wed"," Thu"," Fri"," Sat"," Sun"; //create a TimeSeries to create a line graph TimeSeries series = new TimeSeries("Line1"); for(int i = 0; i < x.length; i++ ){ //add data to the line graph series.add(x[i],y[i]); weeksum += y[i];

8 XYMultipleSeriesDataset dataset = new XYMultipleSeriesDataset(); dataset.addseries(series); XYMultipleSeriesRenderer mrenderer = new XYMultipleSeriesRenderer(); XYSeriesRenderer renderer = new XYSeriesRenderer(); renderer.setdisplaychartvalues(true); //renderer.setcolor(color) //Display setting of the line graph mrenderer.addseriesrenderer(renderer); mrenderer.setshowcustomtextgrid(true); mrenderer.setshowgridx(true); //limit the y axis to display certain sleep hours mrenderer.setyaxismin(0); mrenderer.setyaxismax(15); //limit the x axis to display one week data mrenderer.setxaxismin(-1); mrenderer.setxaxismax(7); //text on the graph(axises) mrenderer.setlabelstextsize(20); mrenderer.setylabelsalign(align.right); mrenderer.setxlabelsalign(align.center); mrenderer.setpointsize(30); mrenderer.setytitle("hours/day"); mrenderer.setxtitle("weekdays"); color int color = Color.argb(0, 25, 55, 255); // Transparent mrenderer.setbackgroundcolor(color); //use string text MON to SUN instead of 0-6 for(int i = 0; i < x.length; i++ ){ mrenderer.addxtextlabel(x[i], days[i]); //create a new intent to display the line graph Intent intent = ChartFactory.getLineChartIntent(context, dataset, mrenderer,

9 "Total: "+weeksum+" hours (Average: 45)"); return intent; SharedPreferences These function are to manipulate the data in SharedPreferences and handle the creation of a new line graph. public void linegraphhandler(view view){ //count = loadpref("count"); int[] hours = loadpref(); //for(int i = 0; i < hours.length; i++) System.out.print(hours); LineGraph line = new LineGraph(hours); Intent lineintent = line.getintent(this); startactivity(lineintent); public void savepref(string key, int value){ SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(this); Editor ed = sp.edit(); ed.putint(key, value); ed.commit(); public int loadpref(string key){ SharedPreferences sp = PreferenceManager.getDefaultSharedPreferences(this); int c = sp.getint(key, 0); return c; public int[] loadpref(){ for(int i = 0; i < 7; i++){ SharedPreferences sp =

10 PreferenceManager.getDefaultSharedPreferences(this); y[i] = sp.getint(days[i], 0); return y;

BUP2 5/2 12/4/07 12:49 AM Page 1. Introduction

BUP2 5/2 12/4/07 12:49 AM Page 1. Introduction BUP2 5/2 12/4/07 12:49 AM Page 1 Introduction This booklet will give you easy to follow instructions to allow you to set your BUP2 Programmer to the Weekday/Weekend, (same times Monday - Friday, different

More information

76 days Wed 8/24/16 Wed 12/7/16 Daniel Wang,Shreyas Makde,Madhavi Potluri,Roua 2 Requirements analysis 11 days Wed 8/24/16 Wed 9/7/16

76 days Wed 8/24/16 Wed 12/7/16 Daniel Wang,Shreyas Makde,Madhavi Potluri,Roua 2 Requirements analysis 11 days Wed 8/24/16 Wed 9/7/16 ID Mode Name Duration Start Finish Predecessors Resource Names 1 OpenWells Cross-Platform Mobile Application 76 days Wed 8/24/16 Wed 12/7/16 Daniel Wang,Shreyas Makde,Madhavi 2 Requirements analysis 11

More information

BUT2 7day 11/4/07 11:07 PM Page 1. Introduction

BUT2 7day 11/4/07 11:07 PM Page 1. Introduction BUT2 7day 11/4/07 11:07 PM Page 1 Introduction This booklet will give you easy to follow instructions to allow you to set your BUT2 Timeswitch to the 7 Day, (different times every day) program. Contents

More information

Scheduling. Scheduling Tasks At Creation Time CHAPTER

Scheduling. Scheduling Tasks At Creation Time CHAPTER CHAPTER 13 This chapter explains the scheduling choices available when creating tasks and when scheduling tasks that have already been created. Tasks At Creation Time The tasks that have the scheduling

More information

Maintaining the Central Management System Database

Maintaining the Central Management System Database CHAPTER 12 Maintaining the Central Management System Database This chapter describes how to maintain the Central Management System (CMS) database using CLI commands as well as using the Content Distribution

More information

McGhee Productivity Solutions

McGhee Productivity Solutions Chapter 2: Setting up the ContolPanel Go to your Calendar in Outlook Select View from the tabs at the top of your window 1. Choose the Work Week or Week icon on the ribbon 2. Choose the Daily Task List

More information

Android Development Crash Course

Android Development Crash Course Android Development Crash Course Campus Sundsvall, 2015 Stefan Forsström Department of Information and Communication Systems Mid Sweden University, Sundsvall, Sweden OVERVIEW The Android Platform Start

More information

Total Market Demand Wed Jul 26 Thu Jul 27 Fri Jul 28 Sat Jul 29 Sun Jul 30 Mon Jul 31 Tue Aug 01

Total Market Demand Wed Jul 26 Thu Jul 27 Fri Jul 28 Sat Jul 29 Sun Jul 30 Mon Jul 31 Tue Aug 01 MW July 26, 2017 - August 1, 2017 This report provides a summary of key market data from the IESO-administered markets. It is intended to provide a quick reference for all market stakeholders. It is composed

More information

Model: TM-1 / TM1-N. 1 Time Clock Series

Model: TM-1 / TM1-N. 1 Time Clock Series Model: TM-1 / TM1-N Model: TM-1 / TM1-N 1 Time Clock Series Table of Contents Product Image Table of Contents Installation Procedure LCD Display Operating Modes Setting the Operating Mode Setting the Clock

More information

Project Covered During Training: Real Time Project Training

Project Covered During Training: Real Time Project Training Website: http://www.php2ranjan.com/ Contact person: Ranjan Mobile: 91-9347045052, 09032803895 Email: purusingh2004@gmail.com Skype: purnendu_ranjan Course name: Advance Android App Development Training

More information

The Scheduler & Hotkeys plugin PRINTED MANUAL

The Scheduler & Hotkeys plugin PRINTED MANUAL The Scheduler & Hotkeys plugin PRINTED MANUAL Scheduler & Hotkeys plugin All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or mechanical, including

More information

10/16/2016 CPET 490 SENIOR DESIGN PROJECT PHASE I ANDROID GOLF STATISTICS TRACKER. Brad Sorensen Kory Martin PROJECT SUMMARY

10/16/2016 CPET 490 SENIOR DESIGN PROJECT PHASE I ANDROID GOLF STATISTICS TRACKER. Brad Sorensen Kory Martin PROJECT SUMMARY CPET 490 SENIOR DESIGN PROJECT PHASE I ANDROID GOLF STATISTICS TRACKER Brad Sorensen Kory Martin PROJECT SUMMARY 1 Project Summary Allow users to track and analyze statistical information about their golf

More information

MyOwnDeliveries. a Magento module. User manual

MyOwnDeliveries. a Magento module. User manual MyOwnDeliveries a Magento module User manual Summary Installation 3 On the front office 4 When ordering 4 When subscribing 6 Booking system 7 Delivery sub areas 7 time slots occupation 7 Reservation windows

More information

AIMMS Function Reference - Date Time Related Identifiers

AIMMS Function Reference - Date Time Related Identifiers AIMMS Function Reference - Date Time Related Identifiers This file contains only one chapter of the book. For a free download of the complete book in pdf format, please visit www.aimms.com Aimms 3.13 Date-Time

More information

INTRODUCTION TO DESIGN. Scenarios and conceptual design * Interaction objects, properties, relationships * Different views * Access and operations

INTRODUCTION TO DESIGN. Scenarios and conceptual design * Interaction objects, properties, relationships * Different views * Access and operations INTRODUCTION TO DESIGN Scenarios and conceptual design * Interaction objects, properties, relationships * Different views * Access and operations Screen layout sketches * Screen pictures * Labels and notes

More information

Product and Service Catalog

Product and Service Catalog HappyOrNot Product and Service Catalog 1 Smiley Terminal, Custom branding Collect feedback with our Smileys Smiley Terminal Totally wireless press of a button feedback collecting solution helps you collect

More information

Simmons OneView SM. How to Interpret Quick Reports Simmons OneView: How to Interpret Quick Reports Page 1

Simmons OneView SM. How to Interpret Quick Reports Simmons OneView: How to Interpret Quick Reports Page 1 Simmons OneView SM How to Interpret Quick Reports Simmons OneView: How to Interpret Quick Reports Page 1 Demographic Profile (No Base, Population Weighted) Median Household Income: The median household

More information

Smart Documents Timely Information Access For All T. V. Raman Senior Computer Scientist Advanced Technology Group Adobe Systems

Smart Documents Timely Information Access For All T. V. Raman Senior Computer Scientist Advanced Technology Group Adobe Systems Smart Documents Timely Information Access For All T. V. Raman Senior Computer Scientist Advanced Technology Group Adobe Systems 1 Outline The Information REvolution. Information is not just for viewing!

More information

10) LEVEL 4 Assessment Success Pack. EOY Target: Teacher: WA Grade: Targets: Name: Class:

10) LEVEL 4 Assessment Success Pack. EOY Target: Teacher: WA Grade: Targets: Name: Class: Name: Class: WA Grade: EOY Target: Teacher: Targets: 1) LEVEL 4 Assessment Success Pack 2) 3) 4) 5) 6) 7) 8) 9) 10) Number Patterns (4/1) 1.2 1.5 1.8 0.5 0.7 0.9 1.1 1.6 2.6 0.5 0.8 1.4 1 x 1 = Square

More information

SUMMER Early Registration Begins On... Summer Hours. Tuition (per child): JUNE 2019

SUMMER Early Registration Begins On... Summer Hours. Tuition (per child): JUNE 2019 SUMMER 2019 JUNE 2019 SUN MON TUE WED THU FRI SAT 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 30 24 25 26 27 28 29 JULY 2019 SUN MON TUE WED THU FRI SAT 1 2 3 4 5 6 7 8 9 10 11 12 13 14

More information

ITMG 100 Data Usage/Networking, Excel/Word Extra Credit (up to 30 points) DUE 5 MAY start of class

ITMG 100 Data Usage/Networking, Excel/Word Extra Credit (up to 30 points) DUE 5 MAY start of class ITMG 100 Data Usage/Networking, Excel/Word Extra Credit (up to 30 points) DUE 5 MAY start of class With the large expansion of wifi networks and 4G networks and unlimited data plans, people might never

More information

Mobile Programming Lecture 1. Getting Started

Mobile Programming Lecture 1. Getting Started Mobile Programming Lecture 1 Getting Started Today's Agenda About the Android Studio IDE Hello, World! Project Android Project Structure Introduction to Activities, Layouts, and Widgets Editing Files in

More information

Scheduling WebEx Meetings with Microsoft Outlook

Scheduling WebEx Meetings with Microsoft Outlook Scheduling WebEx Meetings with Microsoft Outlook About WebEx Integration to Outlook, page 1 Scheduling a WebEx Meeting from Microsoft Outlook, page 2 Starting a Scheduled Meeting from Microsoft Outlook,

More information

Daily Math Week 10 ( ) Mon. October 21, 2013 Tues. October 22, 2013 Wed. October 23, 2013 Thurs. October 24, 2013 Fri.

Daily Math Week 10 ( ) Mon. October 21, 2013 Tues. October 22, 2013 Wed. October 23, 2013 Thurs. October 24, 2013 Fri. Daily Math Week 10 (2013-2014) Mon. October 21, 2013 Tues. October 22, 2013 Wed. October 23, 2013 Thurs. October 24, 2013 Fri. October 25, 2013 1 Monday, October 21, 2013 1 st Solve 2x + 4x 2 = 26 2 Monday,

More information

Hobby Checklist App BY: AUSTIN CHRISTMAN PROFESSOR: PAUL LIN ADVISOR: LUO DATE: 4/29/16

Hobby Checklist App BY: AUSTIN CHRISTMAN PROFESSOR: PAUL LIN ADVISOR: LUO DATE: 4/29/16 1 Hobby Checklist App BY: AUSTIN CHRISTMAN PROFESSOR: PAUL LIN ADVISOR: LUO DATE: 4/29/16 Outline 2 Executive Summary Introduction Problem Statement and Solution System Requirements System Analysis System

More information

Help on the SPECTRUM Control Panel

Help on the SPECTRUM Control Panel Help on the SPECTRUM Control Panel The SPECTRUM Control Panel is a convenient Point and Click interface that provides facilities that let you configure SPECTRUM resources, start and stop SpectroSERVER,

More information

Lecture 3. The syntax for accessing a struct member is

Lecture 3. The syntax for accessing a struct member is Lecture 3 Structures: Structures are typically used to group several data items together to form a single entity. It is a collection of variables used to group variables into a single record. Thus a structure

More information

DOWNLOAD OR READ : YEAR PLANNER 2014 WORD DOCUMENT VIEW PDF EBOOK EPUB MOBI

DOWNLOAD OR READ : YEAR PLANNER 2014 WORD DOCUMENT VIEW PDF EBOOK EPUB MOBI DOWNLOAD OR READ : YEAR PLANNER 2014 WORD DOCUMENT VIEW PDF EBOOK EPUB MOBI Page 1 Page 2 year planner 2014 word document view year planner 2014 word pdf year planner 2014 word document view 2014 Calendar.

More information

How Young Children Are Watching TV and DVDs: From the June 2013 Rating Survey on Young Children s TV Viewing

How Young Children Are Watching TV and DVDs: From the June 2013 Rating Survey on Young Children s TV Viewing How Young Children Are Watching TV and DVDs: From the June 2013 Rating Survey on Young Children s TV Viewing By Yuriko Anraku Introduction This paper reports on the results from the Rating Survey on Young

More information

NAV Alert Profiles Manual

NAV Alert Profiles Manual NAV Alert Profiles Manual 10th August 2003 1 Preface This manual for Alert Profiles is separated into three. First, a short introduction for simple usage. Then more advanced settings for the more experienced

More information

Rethink Your Workstation Strategy with Amazon AppStream 2.0

Rethink Your Workstation Strategy with Amazon AppStream 2.0 Rethink Your Workstation Strategy with Amazon AppStream 2.0 Marty Sullivan DevOps / Cloud Engineer Cornell University About Marty DevOps / Cloud Engineer IT@Cornell Cloud Systems Engineer in Digital Agriculture

More information

CSCI 150: Exam 1 Practice

CSCI 150: Exam 1 Practice CSCI 150: Exam 1 Practice January 12, 2019 Read all questions carefully before beginning. You will have 50 minutes to complete this exam. You are not allowed to use your notes, textbook, phone, or computer.

More information

Introduction to Layout Control with JMRI/PanelPro

Introduction to Layout Control with JMRI/PanelPro Introduction to Layout Control with JMRI/PanelPro Dick Bronson - R R -C irk its, I n c. Further Clinics in this series: Add Signals to your Layout with JMRI/PanelPro 10:00 PM, Sunday, July 13th Create

More information

IVR (Interactive Voice Response) Operation Manual

IVR (Interactive Voice Response) Operation Manual IVR (Interactive Voice Response) Operation Manual Ver2.1.0 2018/11/14 Ver2.0.2 2017/07/25 Ver2.0.1 2016/12/22 Table of Contents Settings (Setting User Information) A Cloud PBX Option feature. This manual

More information

Part No. P CallPilot. Programming Record

Part No. P CallPilot. Programming Record Part o. P0941757 01.1 CallPilot Programming Record 2 P0941757 01.1 About the CallPilot Programming Record 3 Use this guide to record how you program your CallPilot 100/150 or Business Communications Manager

More information

eview Network Video Recorder User s Manual

eview Network Video Recorder User s Manual eview Network Video Recorder User s Manual Version 1.02 2010/02/09 Copyright 2010, All rights reserved. Contents 1. Starting / Closing...1 2. Monitoring...4 2.1. Monitoring Windows Layout...4 2.2. Full

More information

Please scan the QR code to download the latest App software.

Please scan the QR code to download the latest App software. Please scan the QR code to download the latest App software. Or download Smart Life-smart home from APP Store or Google Play. The latest App software includes air conditioner, dehumidifier and Portable

More information

Help on the SPECTRUM Control Panel

Help on the SPECTRUM Control Panel Help on the SPECTRUM Control Panel The SPECTRUM Control Panel is a convenient Point and Click interface that provides facilities that let you configure SPECTRUM resources, start and stop SpectroSERVER,

More information

EventCenter Training SEPTEMBER CrowdCompass 2505 SE 11 th Ave, Suite #300 Portland, OR

EventCenter Training SEPTEMBER CrowdCompass 2505 SE 11 th Ave, Suite #300 Portland, OR EventCenter Training SEPTEMBER 2014 CrowdCompass 2505 SE 11 th Ave, Suite #300 Portland, OR www.crowdcompass.com Toll-free: +1.888.889.3069 Fax: +1.877.615.6699 Contents Familiarize Yourself... 3 Introduction...

More information

1. What are the key components of Android Architecture? 2. What are the advantages of having an emulator within the Android environment?

1. What are the key components of Android Architecture? 2. What are the advantages of having an emulator within the Android environment? 1. What are the key components of Android Architecture? Android Architecture consists of 4 key components: - Linux Kernel - Libraries - Android Framework - Android Applications 2. What are the advantages

More information

Paluch. press. Posting the Bulletin to your Website

Paluch. press. Posting the Bulletin to your Website TEXT EFFECTS... 2 J.S. Paluch Company Volume 15, Issue 1 3708 River Road Suite 400 Jan./Feb/March, 2014 Franklin Park, IL 60131 1-800-566-6171 THUMBNAIL IMAGES... 5 WORLD LIBRARY PRODUCTS... 7 J.S. Paluch

More information

Smart Series. Wall Heater Operations Manual. Save This Manual

Smart Series. Wall Heater Operations Manual. Save This Manual Smart Series Wall Heater Operations Manual Models: HT2024SS FSSWH2004 HT1502SS FSSWH1502 240V, 2000W 240V, 2000W 120V, 1500W 120V, 1500W Save This Manual Index Features that are functional... pg. 3 Thermostat

More information

Analyze search results by using charts and graphs on a dedicated dashboard. Nexis Media Coverage Analyzer User Guide

Analyze search results by using charts and graphs on a dedicated dashboard. Nexis Media Coverage Analyzer User Guide Nexis Media Coverage Analyzer User Guide Analyze search results by using charts and graphs on a dedicated dashboard Nexis Media Coverage Analyzer is a new add-on module for nexis.com with a dedicated dashboard

More information

CS302: Fundamental Algorithms (and Data Structures)

CS302: Fundamental Algorithms (and Data Structures) CS302: Fundamental Algorithms (and Data Structures) Fall 2006 Instructor: Dr. Lynne Parker http://www.cs.utk.edu/~parker/courses/cs302-fall06 CS302: Fundamental Algorithms (and Data Structures) Dr. Lynne

More information

2018 weekly planner 8 pdf Weekly calendar 2018 for PDF - 12 free printable templates Free Weekly Schedule Templates for PDF - 18 templates

2018 weekly planner 8 pdf Weekly calendar 2018 for PDF - 12 free printable templates Free Weekly Schedule Templates for PDF - 18 templates DOWNLOAD OR READ : 2018 WEEKLY PLANNER 8 5 X 11 MONTHLY DAILY PLANNER CALENDAR SCHEDULE ORGANIZER CHRISTIAN QUOTE BIBLE VERSE THEME VOLUME 11 WEEKLY MONTHLY PLANNER CALENDAR 2018 2019 JOURNAL SERIES PDF

More information

BatteryStats.com Page 1 of 9

BatteryStats.com Page 1 of 9 [localhost:~] weiher% date >> /Users/weiher/Documents/Terminal- Unix/BatteryStats.Dat [localhost:~] weiher% ioreg -l grep -i IOBatteryInfo >> /Users/weiher/Documents/Terminal-Unix/BatteryStats.Dat [localhost:~]

More information

A NEW VIEW OF ENTERPRISE SECURITY

A NEW VIEW OF ENTERPRISE SECURITY A NEW VIEW OF ENTERPRISE SECURITY ACCESS, SECURITY, AND AUDIT COMPLIANCE MANAGEMENT FOR YOUR ENTERPRISE Acme Bank Credential Managment Tom Smith Profile Log Out How can we help you? Home Users Location

More information

MindBoard (Classic) User Guide. Tomoaki Oshima

MindBoard (Classic) User Guide. Tomoaki Oshima MindBoard (Classic) User Guide Tomoaki Oshima Table of Contents Introduction............................................................................... 1 1. Key Features...........................................................................

More information

MyOwnDeliveries. a Magento 2 module. User manual

MyOwnDeliveries. a Magento 2 module. User manual MyOwnDeliveries a Magento 2 module User manual Summary Installation 3 Module Settings 6 Configuration 6 Subareas 13 Time Slots 15 Fee Slices 17 Administration 19 Availabilities 19 Deliveries 20 Installation

More information

PA2000 SERIES. USER MANUAL Rev. P CELL PHONE ENTRY SYSTEM. Platinum Access Systems Inc.

PA2000 SERIES. USER MANUAL Rev. P CELL PHONE ENTRY SYSTEM. Platinum Access Systems Inc. PA2000 SERIES CELL PHONE ENTRY SYSTEM USER MANUAL Rev. P Platinum Access Systems Inc. PRODUCT LINE PA2020 --- Cell Phone Entry System PA2022 --- Cell Phone Entry System (Flush Mount) PA2120 --- Cell Phone

More information

MetaTrader 4 for Android. User Manual

MetaTrader 4 for Android. User Manual MetaTrader 4 for Android User Manual LOG IN After downloading and installing the terminal from the Google Play store you will see the Metatrader 4 icon added to your app list. Tap the Metatrader 4 icon

More information

Custom Views in Android Tutorial

Custom Views in Android Tutorial Custom Views in Android Tutorial The Android platform provides an extensive range of user interface items that are sufficient for the needs of most apps. However, there may be occasions on which you feel

More information

Visual Customizations

Visual Customizations Create a Grid View, on page 1 Create a Gauge View, on page 2 Create a Chart View, on page 3 Grouping, on page 5 Set Threshold Indicators for Fields, on page 6 Create a Grid View Grids are tabular presentations

More information

Features. Agenda. Features. Architecture. Schedule

Features. Agenda. Features. Architecture. Schedule Agenda Features Architecture Schedule Software Overview Features Basic Overview CLIC application resides on instructor s computer Easy to install and support Students connect wirelessly using a web browser

More information

About the SPECTRUM Control Panel

About the SPECTRUM Control Panel About the SPECTRUM Control Panel The SPECTRUM Control Panel is a convenient Point and Click interface that provides facilities that let you configure SPECTRUM resources, start and stop SpectroSERVER, start

More information

ANDROID APPS (NOW WITH JELLY BEANS!) Jordan Jozwiak November 11, 2012

ANDROID APPS (NOW WITH JELLY BEANS!) Jordan Jozwiak November 11, 2012 ANDROID APPS (NOW WITH JELLY BEANS!) Jordan Jozwiak November 11, 2012 AGENDA Android v. ios Design Paradigms Setup Application Framework Demo Libraries Distribution ANDROID V. IOS Android $25 one-time

More information

Practical Problem: Create an Android app that having following layouts.

Practical Problem: Create an Android app that having following layouts. Practical No: 1 Practical Problem: Create an Android app that having following layouts. Objective(s) Duration for completion PEO(s) to be achieved PO(s) to be achieved CO(s) to be achieved Solution must

More information

Visual Insights system

Visual Insights system Visual Insights system Supplier User Guide Packaged (Pick by store) version Date: September 2016 1 Contents Visual Insights system... 1 Supplier User Guide... 1 Grocery version... 1 1.0 Overview and Purpose...

More information

Presentation Outline 10/16/2016

Presentation Outline 10/16/2016 CPET 491 (Phase II) Fall Semester-2012 Adam O Haver Project Advisor/Instructor: Professor Paul Lin CEIT Department 1 Presentation Outline Executive Summary Introduction Solution Development Software Analysis

More information

User Guide. Need help? Electricity Pay As You Go. Visit our online Help Centre

User Guide. Need help? Electricity Pay As You Go. Visit our online Help Centre Need help? Visit our online Help Centre www.utilita.co.uk/help Call our Customer Care Team 03303 337 442 Emergency Line If you have lost supply please call 03452 068 999 Opening Hours 8:00am - 8:00pm Mon

More information

2014 FALL MAILING SEASON Update for the Mailing Industry. August 18, 2014

2014 FALL MAILING SEASON Update for the Mailing Industry. August 18, 2014 2014 FALL MAILING SEASON Update for the Mailing Industry August 18, 2014 Agenda Service Actions Taken in 2014 Fall Mailing Season 2013 Review Drop Ship Profile Machine Utilization FSS Holiday Preparedness

More information

Chapter 3. Ch 1 Introduction to Computers and Java. Selections

Chapter 3. Ch 1 Introduction to Computers and Java. Selections Chapter 3 Ch 1 Introduction to Computers and Java Selections 1 The if-else Statement 2 Flow Chart Deconstructed Decision: Make a choice Start Terminator: Show start/stop points T boolean expression F true

More information

APPLICATION ANALYTICS. Cross-stack analysis of the user experience for critical SaaS, unified communications and custom enterprise applications

APPLICATION ANALYTICS. Cross-stack analysis of the user experience for critical SaaS, unified communications and custom enterprise applications USER APPLICATION ANALYTICS Cross-stack analysis of the user experience for critical SaaS, unified communications and custom enterprise applications USER APPLICATION ANALYTICS Nyansa user application analytics

More information

Enumerated Types. Mr. Dave Clausen La Cañada High School

Enumerated Types. Mr. Dave Clausen La Cañada High School Enumerated Types Mr. Dave Clausen La Cañada High School Enumerated Types Enumerated Types This is a new simple type that is defined by listing (enumerating) the literal values to be used in this type.

More information

CSCI 150: Exam 1 Practice

CSCI 150: Exam 1 Practice CSCI 150: Exam 1 Practice Instructor: Brent Yorgey February 5, 2018 Read all questions carefully before beginning. You will have 50 minutes to complete this exam. You are not allowed to use your notes,

More information

CS 455 Midterm Exam 1 Fall 2015 [Bono] Thursday, Oct. 1, 2015

CS 455 Midterm Exam 1 Fall 2015 [Bono] Thursday, Oct. 1, 2015 Name: USC netid (e.g., ttrojan): CS 455 Midterm Exam 1 Fall 2015 [Bono] Thursday, Oct. 1, 2015 There are 5 problems on the exam, with 58 points total available. There are 10 pages to the exam (5 pages

More information

Austin Community College Google Apps Calendars Step-by-Step Guide

Austin Community College Google Apps Calendars Step-by-Step Guide The topics that will be covered in this workshop: Access (p.2) Calendar Settings (p.2) o General Tab (p.2) o Calendar Tab (p.3) Change Calendar Color (p.3) Calendar Notifications (p.4) Sharing (p.4) o

More information

Private Swimming Lessons

Private Swimming Lessons Private Swimming Lessons Private Lessons Designed for participants who would like a 1:1 ratio. Participants will receive individual attention to improve their swimming technique and have the convenience

More information

Orientation for Online Students

Orientation for Online Students Orientation for Online Students Distance Learning mxccdistance@mxcc.commnet.edu (860) 343 5756 Founders Hall 131/131A Middlesex Community College Visit mxcc.edu/distance Orientation for Online Students

More information

RWB29 Programmer. Daily Programming

RWB29 Programmer. Daily Programming RWB29 Programmer Daily Programming RWB29 Controls ON WHEN LIT EXTEND ADVANCE RESET MENU/SELECT UP & DOWN BACK/EXIT Introduction This booklet gives you easy to follow instructions allowing you to set your

More information

HN1000/HN2000 Product Manual

HN1000/HN2000 Product Manual HN1000/HN2000 Product Manual TABLE OF CONTENTS 1.0 Introduction...1 2.0 Mounting the HN1000/HN2000... 2 3.0 Setting Up Your Optional upunch Account... 4 3.1 Creating Your Account...4 3.2 Adding Departments

More information

Android Development Tutorial. Yi Huang

Android Development Tutorial. Yi Huang Android Development Tutorial Yi Huang Contents What s Android Android architecture Android software development Hello World on Android More 2 3 What s Android Android Phones Sony X10 HTC G1 Samsung i7500

More information

In this Class Mark shows you how to put applications into packages and how to run them through the command line.

In this Class Mark shows you how to put applications into packages and how to run them through the command line. Overview Unless you ve been sleeping for the last couple of years, you know that Mobile is H-O-T! And the most popular mobile platform in the world? That s Android. Do you have a great idea for an App

More information

USER MANUAL. Contents. Analytic Reporting Tool Basic for SUITECRM

USER MANUAL. Contents. Analytic Reporting Tool Basic for SUITECRM USER MANUAL Analytic Reporting Tool Basic for SUITECRM Contents ANALYTIC REPORTING TOOL FEATURE OVERVIEW... 2 PRE-DEFINED REPORT LIST AND FOLDERS... 3 REPORT AND CHART SETTING OVERVIEW... 5 Print Report,

More information

Payflow Implementer's Guide FAQs

Payflow Implementer's Guide FAQs Payflow Implementer's Guide FAQs FS-PF-FAQ-UG-201702--R016.00 Fairsail 2017. All rights reserved. This document contains information proprietary to Fairsail and may not be reproduced, disclosed, or used

More information

G75 Irrigation Window Controller

G75 Irrigation Window Controller BACCARA G75 Irrigation Window Controller WINDOW USERS GUIDE START ON ON ON ON END OFF 10:00 OFF OFF OFF 14:00 TABLE OF CONTENTS Getting Started FEATURES PARTS IDENTIFICATION BASIC CONTROLLER FUNCTIONS

More information

OPERATING MANUAL- MODEL : BS-101

OPERATING MANUAL- MODEL : BS-101 OPERATING MANUAL- MODEL : BS-101 Refer the attached connection diagram to install Slave units in all classrooms of your premises. Part Id is mentioned on the sticker pasted on right side of each Slave

More information

White Paper: Using Time Machine on an IBM SP System

White Paper: Using Time Machine on an IBM SP System WHITE PAPER White Paper: Using Time Machine on an IBM SP System 1. Definitions... 1 2. Introduction... 1 3. Getting Started... 2 4. Nodes... 2 5. Users and Auto-sychronization... 2 6. Setting a Time Machine

More information

Step 7 How to convert a YouTube Video to Music As I mentioned in the YouTube Introduction, you can convert a Video to a MP3 file using Free Video To

Step 7 How to convert a YouTube Video to Music As I mentioned in the YouTube Introduction, you can convert a Video to a MP3 file using Free Video To Step 7 How to convert a YouTube Video to Music As I mentioned in the YouTube Introduction, you can convert a Video to a MP3 file using Free Video To MP3 Converter program. Next I will show you how to download

More information

Visual Customizations

Visual Customizations Overview, on page 1 Create a Grid View, on page 1 Create a Chart View, on page 2 Group By, on page 5 Report Thresholds, on page 6 Overview Stock reports are the reports that are pre-bundled and supported

More information

Video Kiosk Android User's Manual. Burningthumb Studios.

Video Kiosk Android User's Manual. Burningthumb Studios. Video Kiosk Android User's Manual Burningthumb Studios www.burningthumb.com Table of Contents Introduction... 1 System Requirements... 1 Licensing... 1 Installing and Configuring Video Kiosk... 3 Two Step

More information

ConstraintLayouts in Android

ConstraintLayouts in Android B ConstraintLayouts in Android Constrained Layouts are a new addition to Android. These layouts are similar to Relative Layouts, in that all widgets are positioned with respect to other UI elements. However,

More information

CIMA Certificate BA Interactive Timetable

CIMA Certificate BA Interactive Timetable CIMA Certificate BA Interactive Timetable 2018 Nottingham & Leicester Version 3.2 Information last updated 09/03/18 Please note: Information and dates in this timetable are subject to change. Introduction

More information

REV SCHEDULER (iseries)

REV SCHEDULER (iseries) Powerful Scheduling made easy Run scheduled jobs in an unattended environment throughout your Enterprise to increase: Throughput, Accuracy, Efficiency. Base Model is native on all platforms Run REV SCHEDULER

More information

Starting Another Activity Preferences

Starting Another Activity Preferences Starting Another Activity Preferences Android Application Development Training Xorsat Pvt. Ltd www.xorsat.net fb.com/xorsat.education Outline Starting Another Activity Respond to the Button Create the

More information

The MODBUS RTU/ASCII, MODBUS/TCP plugin PRINTED MANUAL

The MODBUS RTU/ASCII, MODBUS/TCP plugin PRINTED MANUAL The MODBUS RTU/ASCII, MODBUS/TCP plugin PRINTED MANUAL MODBUS RTU/ASCII, MODBUS/TCP plugin All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic,

More information

WorldNow Producer. Encoding Video

WorldNow Producer. Encoding Video WorldNow Producer Encoding Video Table of Contents Overview... 4 VideoScribe... 5 Streaming Options... 5 Getting Started... 5 VideoScribe Interface... 5 Controls... 6 Show Headline... 6 Manual Encoding...

More information

User Guide. Mobile View. Publish. Professional Communication

User Guide. Mobile View. Publish. Professional Communication User Guide Mobile View Publish Professional Communication Introduction This guide covers how to publish to Mobile View and how to set recipients for your published messages. Before getting started make

More information

NovaBACKUP CMon v19.0

NovaBACKUP CMon v19.0 June 2017 NovaBACKUP CMon v19.0 User Manual Features and specifications are subject to change without notice. The information provided herein is provided for informational and planning purposes only. 2017

More information

User Monitoring Smartphone App

User Monitoring Smartphone App User Monitoring Smartphone App Sonnen User Portal Sonnen User Portal Registration From any internet browser the end user will need to type https://meine.sonnenbatterie.de/login into the search engine search

More information

Projector CP-DW10N User's Manual (detailed) Network Guide

Projector CP-DW10N User's Manual (detailed) Network Guide Projector CP-DW10N User's Manual (detailed) Network Guide Thank you for purchasing this projector. This projector has the network function that brings you the following main features. ü Web control The

More information

Les s on Objectives. Student Files Us ed

Les s on Objectives. Student Files Us ed Lesson 3 - Potpourri 31 Lesson 3 P otpourri Les s on Topics The Fill Command Wrapping Text View Options Edit Options Other Fill Handle Uses Les s on Objectives At the end of the lesson, you will be able

More information

Pandas IV: Time Series

Pandas IV: Time Series Lab 1 Pandas IV: Time Series Lab Objective: Learn how to manipulate and prepare time series in pandas in preparation for analysis Introduction: What is time series data? Time series data is ubiquitous

More information

UNIVERSITY EVENTS CALENDAR TIP SHEET

UNIVERSITY EVENTS CALENDAR TIP SHEET INFORMATION TECHNOLOGY SERVICES UNIVERSITY EVENTS CALENDAR TIP SHEET Discover what s happening on campus with Florida State University s interactive events calendar. The calendar powered by Localist brings

More information

DSC 201: Data Analysis & Visualization

DSC 201: Data Analysis & Visualization DSC 201: Data Analysis & Visualization Data Aggregation & Time Series Dr. David Koop Tidy Data: Baby Names Example Baby Names, Social Security Administration Popularity in 2016 Rank Male name Female name

More information

Supplementary Appendix. Table of Contents

Supplementary Appendix. Table of Contents Supplementary Appendix Table of Contents Table S1: Survey for collection of basic demographic information... 2 Table S2: Survey for collection of information about sugammadex... 3 Figure S1: Screenshot

More information

An analysis of patterns and causes over

An analysis of patterns and causes over Downtime in digital hospitals: An analysis of patterns and causes over 33 months Jessica CHEN Ying WANG and Farah MAGRABI Graduate School of Biomedical Engineering, UNSW Centre for Health Informatics,

More information

Altaro Hyper-V Backup User Guide

Altaro Hyper-V Backup User Guide Altaro Hyper-V Backup User Guide 1 / 144 Table of contents Introducing Altaro Hyper-V Backup... 4 Different Editions... 5 Getting Started... 6 System requirements... 6 Supported Backup Destinations...

More information

Elixir Schedule Designer User Manual

Elixir Schedule Designer User Manual Elixir Schedule Designer User Manual Release 8.4.1 Elixir Technology Pte Ltd Elixir Schedule Designer User Manual: Release 8.4.1 Elixir Technology Pte Ltd Published 2012 Copyright 2012 Elixir Technology

More information

FINAL REPORT 04/25/2015 FINAL REPORT SUNY CANTON MOBILE APPLICATION

FINAL REPORT 04/25/2015 FINAL REPORT SUNY CANTON MOBILE APPLICATION FINAL REPORT SUNY CANTON MOBILE APPLICATION GROUP MEMBERS: Alexander Royce & Luke Harper SUNY CANTON SPRING 2015 Table of Contents List of Figures... 2 Research... 4 Programming Language... 4 Android Studio...

More information