Android App Development Lloyd Hasson 2015 CONTENTS. Web-Based Method: Codenvy. Sponsored by. Android App. Development

Size: px
Start display at page:

Download "Android App Development Lloyd Hasson 2015 CONTENTS. Web-Based Method: Codenvy. Sponsored by. Android App. Development"

Transcription

1 Android App Lloyd Hasson 2015 Web-Based Method: Codenvy This tutorial goes through the basics of Android app development, using web-based technology and basic coding as well as deploying the app to a virtual Android phone in the browser. A lot of this tutorial is similar to the other Android Studio tutorial. The presentation was proudly sponsored by Opus International Consultants. CONTENTS Setting up Codenvy... 2 Creating your first app... 6 Testing the app on a virtual Android phone P a g e

2 Setting up Codenvy First, you need to sign up to Codenvy using an address. Normally, you would use your personal address, but for this class session we ll use a temporary one to save time. We need to use the Chrome, Firefox or Safari browsers. Codenvy doesn t work with Internet Explorer. Go to Press the button. Leave this tab open, and open a new tab in your browser. Go to Paste into the field For Workspace Name, type in your name and four random numbers (this workspace name has to be unique). Click Sign Up. Go back to the Fake Mail Generator tab. You ll see you have a new . Scroll down and click the Let s Go button: 2 P a g e

3 A new tab should open for you to choose a password. Choose your own password (remember it) or just type pass1234. You ll see your Codenvy dashboard: This is where you can create a new project. Click Create New Project 3 P a g e

4 Scroll down the left panel and choose Android under SAMPLES HELLO WORLD For the Name field, type FirstApp. For the Description field, type My first app. Press Create You ll now see your development environment. It s similar to the environment of Android Studio. 4 P a g e

5 Build button Here are all the files that you can edit with code to customize your app. The files are nested inside folders. 5 P a g e

6 Unfortunately, unlike Android Studio, there is no panel that shows you what the app will look like. You cannot drag and drop things like buttons onto the phone, so we have to use code to do such things. Let s create a basic app again. Creating your first app Just like in Android Studio, we can edit the appearance of the app by editing the activity_main.xml file. You ll find this in the Project Explorer panel under res and layout. Double-click on this file. The contents will look very similar to those in Android Studio. This code controls the layout and appearance of the activity. You can edit this code manually to change the appearance of the activity. Colours can be set in code using the hexadecimal format. For example, the colour red is defined as #ff0000 in hexadecimal. In Android Studio, we were able to drag and drop a button onto the phone s screen, but here in Codenvy we have to write code to make a button. First, remove the code associated with the simple text: 6 P a g e

7 To make the button, insert the following code where the code you just deleted was. <Button android:layout_height="wrap_content" android:layout_width="wrap_content" android:text="press me" android:background="#ff0000" android:layout_centerhorizontal="true" android:layout_margintop="131dp" /> This creates a red button that says Press me You can change the text inside the button. Change this to read Push me instead. You can figure out how to do this. We ve changed the appearance of the button. Now we want something to happen when we click this button. We need to write some code to do this. In the Project Explorer panel, expand the structure of the src folder and its sub-folders by clicking the triangle. Eventually you will unhide a file called HelloAndroidActivity. This is the same as the MainActivity file you would see in Android Studio. Double-click to open. You ll see a class called HelloAndroidActivity. A class is code inside a file that performs actions. You ll notice that the program has already written some code for you: 7 P a g e

8 Just ignore the red underlines and crosses for now. Again, this code is very similar to that of Android Studio, with a few things named differently. This may look very complicated at first. The code is written in Java. You re looking at a Java class, where we interact with the interface and perform actions using code. At the top of the file is the keyword package followed by package com.codenvy.template.android. This identifies this class as belonging to the com.codenvy.template.android package (a grouping of files containing code that can talk to each other). After the package line are the imports. This code is used to get the outside source code needed for your activity. The public class line of code begins the Activity class and declares that this class is referred to as HelloAndroidActivity and that it is a subclass of the Activity class. Within the class are two methods, oncreate, oncreateoptionsmenu. The last method is used for creating an options menu at the bottom of the screen, but we won t deal with them in this tutorial: 8 P a g e

9 Let s look at the oncreate method in detail: The method can be public, private or protected. o Public methods allow any other class in the package use this method. o Private methods are hidden from other classes. o Protected methods can be used by sub-classes, but are hidden from other classes. The void means that this method doesn t give back anything after it s finished. Sometimes methods calculate something like adding two numbers together, and therefore will give back or return a number for another method to use. oncreate is the name of the method. It is the first method that is carried out by the activity when the app runs. This method has parameters. This means it takes something when it is run, and can do something with it. So if you had a method that adds two numbers together, you can give the method, or pass the method the two numbers as parameters. Then it can perform the calculation. For example: private int addnumbers(int a, int b) { return (a + b); } So the method addnumbers has two parameters: a and b. The int means integer, which is a number. These two numbers a and b can be any number. It is private which means other 9 P a g e

10 classes cannot use it. It returns or gives back an integer which will be the sum of the two parameters. The curly braces or brackets { } show where the method s actions begin and end. The return means it will give back whatever is after this word. It will return the sum of the number a and the number b. Back to our app, the oncreate method has one parameter. It is a bundle called savedinstancestate. A bundle is like a bunch of data. Here it refers to information about the activity the last time it was opened. The curly brace { shows that the actions of the method will follow. The line super.oncreate(savedinstancestate); will restore any information in the bundle about the activity the last time it was opened. The line setcontentview(r.layout.activity_main); tells the activity to use the activity_main.xml file as the layout to be displayed when the activity is running. This is the file we edited earlier to change the way the activity appears. At the moment, if you tap the button we made, nothing will happen. Let s add some code to make a small message pop up. In Android, this message is called a Toast. Go back to the activity_main.xml file that we edited earlier. We want to tell the app what to do if the button is clicked. We can do this by adding the following code to the button parameters. Copy and paste this inside the button s code: android:onclick="pushbuttonclicked" Make sure the /> stays at the end. Your code should look like this: This code means that when a user clicks the button, the Android system calls the activity's pushbuttonclicked method. We haven t created this method yet, so let s create it inside the HelloAndroidActivity class that we were looking at earlier. Under the closing curly brace } of the oncreate method copy and paste the code below: 10 P a g e

11 public void pushbuttonclicked(view v) { } Toast.makeText(getApplicationContext(), "Hello yourname", Toast.LENGTH_LONG).show(); Change the word yourname to your first name, e.g. John. Let s look at this code in more detail. Again we have public void which means this method can be used by other classes and it doesn t return anything at the end of the method. The name of the method is pushbuttonclicked the same name we gave when we edited the activity_main.xml file. So when the button is clicked, this method will be run. It has one parameter called v which is a View. A View is an object that you can put on the screen. Here it refers to the button we put on the activity. The second line makes the Toast or message appear. Toast.makeText creates the toast and it takes three parameters. The first parameter getapplicationcontext() is needed to tell the toast where to show itself. The second parameter "Hello yourname" tells the toast what to show when it appears. The third parameter Toast.LENGTH_LONG describes the type of toast to show. Here it will be a toast that appears for a long period of time. The.show() part tells the toast to show up. You ll notice a few more red bars on the left-hand-side of the screen: These are errors. You ll see a lot of these during your programming of Android apps. Sometimes you forgot a semicolon ; at the end of a line of code, or you spelled something wrong. In this case, we are missing some imports. We import external packages into our class that we need to access. If these packages are missing, the Java code doesn t know what we are referring to. In this case, it doesn t know what a View is, or what a Toast is, so we need to import packages that contain information about these classes. 11 P a g e

12 In Android Studio you could quickly import the necessary packages by clicking inside the Java code, and pressing the ALT key and the ENTER key at the same time. But here we have to type the imports in manually. Under the last import at the top of the file, copy and paste in the necessary imports: import android.view.view; import android.widget.toast; The two red errors should disappear as we have now told our app to import the correct packages. Don t worry about the remaining two errors. They aren t actually errors just a bug in Codenvy. We are ready to test our first app on a virtual Android phone! Testing the app on a virtual Android phone We will use a virtual phone, also called an emulator, to test our app. We can use an online emulator to do this but first we must prepare our app. We need to build the app, which means it will be checked for errors and prepared for deploying to a phone or emulator. Push the button at the top right of the window. It will say Build project when you hover over it. If you are prompted to save, press OK. A lot of text will appear and hopefully you will see that the app was successfully built. In the Builder panel, you should see a blue link that says target. If you can t see this, you may need to open the Builder panel: Click the target link and a new tab should open. You should see a lot of links on a white page: 12 P a g e

13 Click the download link next to the link that says mobile-android-java-basic.apk Open the folder in file explorer where the file downloaded to. This is usually in your Downloads folder. Remember where this file is located. This file is an apk file or an Android application package file and it is the format of installable files on the Android platform. Open a new tab and go to or just Google appetize and go click on UPLOAD in the homepage menu. You should see a page to upload your apk file and enter your address. Press the blue Select file button and find the apk file you downloaded earlier. Select it and you should see a green File successfully uploaded message. Now enter your address. In this class tutorial, use the temporary address you created earlier by going to the Fake Mail Generator tab and clicking Copy. Paste this address into the field: 13 P a g e

14 Click the blue Generate button. Check your in the Fake Mail Generator tab and you should have a new from Appetize.io 14 P a g e

15 Click the link under the text Your app is ready to go at A new window should open with a virtual phone to play with. Press Tap to Play Click your red Push me button and see what happens! 15 P a g e

16 Hopefully a toast will appear saying Hello and your name. Congratulations, you ve just created and tested your first Android app! Special thanks to Jürgen Brandstetter for help with Codenvy. Additional links for help and resources: 1. Program Flappy Bird without coding: 2. Create an app using drag and drop no coding: 3. Official Google documentation for building Android apps: 16 P a g e

Getting Started: Creating a Simple App

Getting Started: Creating a Simple App Getting Started: Creating a Simple App What You will Learn: Setting up your development environment Creating a simple app Personalizing your app Running your app on an emulator The goal of this hour is

More information

LEARNING RESOURCE CENTRE. Guide to Microsoft Office Online and One Drive

LEARNING RESOURCE CENTRE. Guide to Microsoft Office Online and One Drive LEARNING RESOURCE CENTRE Guide to Microsoft Office Online and One Drive LEARNING RESOURCE CENTRE JULY 2015 Table of Contents Microsoft Office Online... 3 How to create folders... 6 How to change the document

More information

Now that we have the Android SDK, Eclipse and Phones all ready to go we can jump into actual Android development.

Now that we have the Android SDK, Eclipse and Phones all ready to go we can jump into actual Android development. Android Development 101 Now that we have the Android SDK, Eclipse and Phones all ready to go we can jump into actual Android development. Activity In Android, each application (and perhaps each screen

More information

Law School Computing Services User Memo

Law School Computing Services User Memo Law School Computing Services User Memo Accessing and Using Shared No. 37 7/28/2015 Email Accounts in Outlook Overview: Many Law School departments and organizations use shared email accounts. Shared email

More information

Arduino & Android. A How to on interfacing these two devices. Bryant Tram

Arduino & Android. A How to on interfacing these two devices. Bryant Tram Arduino & Android A How to on interfacing these two devices Bryant Tram Contents 1 Overview... 2 2 Other Readings... 2 1. Android Debug Bridge -... 2 2. MicroBridge... 2 3. YouTube tutorial video series

More information

Titan Apps. Drive (Documents)

Titan Apps. Drive (Documents) Titan Apps Drive (Documents) University of Wisconsin Oshkosh 7/11/2012 0 Contents What is Titan Apps?... 1 Need Help with Titan Apps?... 1 What other resources can I use to help me with Titan Apps?...

More information

2. Click the download button for your operating system (Windows, Mac, or Linux).

2. Click the download button for your operating system (Windows, Mac, or Linux). Table of Contents: Using Android Studio 1 Installing Android Studio 1 Installing IntelliJ IDEA Community Edition 3 Downloading My Book's Examples 4 Launching Android Studio and Importing an Android Project

More information

Tutorial #1. Android Application Development Advanced Hello World App

Tutorial #1. Android Application Development Advanced Hello World App Tutorial #1 Android Application Development Advanced Hello World App 1. Create a new Android Project 1. Open Eclipse 2. Click the menu File -> New -> Other. 3. Expand the Android folder and select Android

More information

OUTLOOK WEB APP 2013 ESSENTIAL SKILLS

OUTLOOK WEB APP 2013 ESSENTIAL SKILLS OUTLOOK WEB APP 2013 ESSENTIAL SKILLS CONTENTS Login to engage365 Web site. 2 View the account home page. 2 The Outlook 2013 Window. 3 Interface Features. 3 Creating a new email message. 4 Create an Email

More information

PISA 2015 MS Online School Questionnaire: User s Manual

PISA 2015 MS Online School Questionnaire: User s Manual OECD Programme for International Student Assessment 2015 PISA 2015 MS Online School Questionnaire: User s Manual Doc: CY6_CBA_SCQ_MSPrincipalManual.docx September 2014 Produced by ETS, Core 2 Contractor

More information

welcome to my Randstad web timesheets!

welcome to my Randstad web timesheets! welcome to my Randstad web timesheets! In addition to viewing bookings and payslips, your my Randstad web portal now also has an easy to use timesheet section, to enter and submit your shift, break, allowance,

More information

Chapter 14: Links. Types of Links. 1 Chapter 14: Links

Chapter 14: Links. Types of Links. 1 Chapter 14: Links 1 Unlike a word processor, the pages that you create for a website do not really have any order. You can create as many pages as you like, in any order that you like. The way your website is arranged and

More information

ADA Applicant Business Process Guide

ADA Applicant Business Process Guide Objectives ADA Applicant Business Process Guide The purpose of this document is to give you an understanding of how to apply and maintain an applicant account at the American Dental Association (ADA).

More information

Transferring data safely

Transferring data safely Transferring data safely Secure drop-box users guide INTRODUCTION You ve been registered to make use of a secure web-based drop-box in order to safely exchange data across the Internet between yourself

More information

Rev. 06 JAN. 2008. Document Control User Guide: Using Outlook within Skandocs

Rev. 06 JAN. 2008. Document Control User Guide: Using Outlook within Skandocs Rev. 06 JAN. 2008 Document Control User Guide: Using Outlook within Skandocs Introduction By referring to this user guide, it is assumed that the user has an advanced working knowledge of Skandocs (i.e.

More information

How To Use Textbuster On Android (For Free) On A Cell Phone

How To Use Textbuster On Android (For Free) On A Cell Phone www.textbuster.com 1 Applications and Account Manager Dashboard User Guide For Android phones www.textbuster.com 2 Downloading the TextBuster applications After the TextBuster device is installed into

More information

Android Environment SDK

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

More information

A Guide to using egas Lead Applicant

A Guide to using egas Lead Applicant A Guide to using egas Lead Applicant egas Browsers and Browser Settings Logging In Passwords Navigation Principles Your Contact Details Tasks Overview Completing Tasks egas The Health and Care Research

More information

Health Science Center AirWatch Installation and Enrollment Instructions For Apple ios 8 Devices

Health Science Center AirWatch Installation and Enrollment Instructions For Apple ios 8 Devices Health Science Center AirWatch Installation and Enrollment Instructions For Apple ios 8 Devices Following are the steps necessary to register and enroll an Apple ios 8 device with the University s AirWatch

More information

CAS CLOUD WEB USER GUIDE. UAB College of Arts and Science Cloud Storage Service

CAS CLOUD WEB USER GUIDE. UAB College of Arts and Science Cloud Storage Service CAS CLOUD WEB USER GUIDE UAB College of Arts and Science Cloud Storage Service Windows Version, April 2014 Table of Contents Introduction... 1 UAB Software Policies... 1 System Requirements... 2 Supported

More information

Setting Up Your Android Development Environment. For Mac OS X (10.6.8) v1.0. By GoNorthWest. 3 April 2012

Setting Up Your Android Development Environment. For Mac OS X (10.6.8) v1.0. By GoNorthWest. 3 April 2012 Setting Up Your Android Development Environment For Mac OS X (10.6.8) v1.0 By GoNorthWest 3 April 2012 Setting up the Android development environment can be a bit well challenging if you don t have all

More information

Site Administrator Guide

Site Administrator Guide Site Administrator Guide Trademark Notice Blackboard, the Blackboard logos, and the unique trade dress of Blackboard are the trademarks, service marks, trade dress and logos of Blackboard, Inc. All other

More information

Provider ecorrespondence instructions when you don t have a My Secure L&I account:

Provider ecorrespondence instructions when you don t have a My Secure L&I account: Provider ecorrespondence instructions when you don t have a My Secure L&I account: What you will need: Internet explorer 9 or higher, Google Chrome or Firefox. These are free internet browsers which can

More information

Course Exercises for the Content Management System. Grazyna Whalley, Laurence Cornford June 2014 AP-CMS2.0. University of Sheffield

Course Exercises for the Content Management System. Grazyna Whalley, Laurence Cornford June 2014 AP-CMS2.0. University of Sheffield Course Exercises for the Content Management System. Grazyna Whalley, Laurence Cornford June 2014 AP-CMS2.0 University of Sheffield PART 1 1.1 Getting Started 1. Log on to the computer with your usual username

More information

USER GUIDE. Unit 2: Synergy. Chapter 2: Using Schoolwires Synergy

USER GUIDE. Unit 2: Synergy. Chapter 2: Using Schoolwires Synergy USER GUIDE Unit 2: Synergy Chapter 2: Using Schoolwires Synergy Schoolwires Synergy & Assist Version 2.0 TABLE OF CONTENTS Introductions... 1 Audience... 1 Objectives... 1 Before You Begin... 1 Getting

More information

Erie 1 BOCES/WNYRIC. Secure File Transfer. Upload/Download Wizard

Erie 1 BOCES/WNYRIC. Secure File Transfer. Upload/Download Wizard Erie 1 BOCES/WNYRIC Secure File Transfer Upload/Download Wizard Revised June 3, 2014 These instructions were created using Internet Explorer Version 11. If you are a using a Firefox or Chrome browser you

More information

Installing Java 5.0 and Eclipse on Mac OS X

Installing Java 5.0 and Eclipse on Mac OS X Installing Java 5.0 and Eclipse on Mac OS X This page tells you how to download Java 5.0 and Eclipse for Mac OS X. If you need help, Blitz cs5help@cs.dartmouth.edu. You must be running Mac OS 10.4 or later

More information

Agile ICT Website Starter Guides

Agile ICT Website Starter Guides Agile ICT Website Guide V1.0 1 Agile ICT Website Starter Guides 2 The purpose of this guide is to show you how to edit some of the basics of the website you have purchased through Agile ICT. The website

More information

Getting Started (direct link to Lighthouse Community http://tinyurl.com/q5dg5wp)

Getting Started (direct link to Lighthouse Community http://tinyurl.com/q5dg5wp) Getting Started (direct link to Lighthouse Community http://tinyurl.com/q5dg5wp) If you re already a member, click to login and see members only content. Use the same login ID that you use to register

More information

Oracle Business Intelligence (OBI) User s Guide October 2011

Oracle Business Intelligence (OBI) User s Guide October 2011 Page 1 of 9 Oracle Business Intelligence (OBI) User s Guide October 2011 OBI is a web-based reporting tool that enables PeopleSoft users to analyze and report on information stored in the PeopleSoft Finance

More information

Microsoft Office 365 Outlook Web App (OWA)

Microsoft Office 365 Outlook Web App (OWA) CALIFORNIA STATE UNIVERSITY, LOS ANGELES INFORMATION TECHNOLOGY SERVICES Microsoft Office 365 Outlook Web App (OWA) Spring 2013, Version 1.0 Table of Contents Introduction...3 Signing In...3 Navigation

More information

CHAPTER 1 HelloPurr. The chapter covers the following topics:

CHAPTER 1 HelloPurr. The chapter covers the following topics: CHAPTER 1 HelloPurr This chapter gets you started building apps. It presents the key elements of App Inventor, the Component Designer and the Blocks Editor, and leads you through the basic steps of creating

More information

Installing Citrix for Mac

Installing Citrix for Mac Installing Citrix for Mac 1) Go to: http://receiver.citrix.com. 2) Click on Download Receiver. 3) On the bottom left hand corner of your computer screen, the Citrix Download should appear. Click on that

More information

educ Office 365 email: Remove & create new Outlook profile

educ Office 365 email: Remove & create new Outlook profile Published: 29/01/2015 If you have previously used Outlook the with the SCC/SWO service then once you have been moved into Office 365 your Outlook will need to contact the SCC/SWO servers one last time

More information

Outlook Data File navigate to the PST file that you want to open, select it and choose OK. The file will now appear as a folder in Outlook.

Outlook Data File navigate to the PST file that you want to open, select it and choose OK. The file will now appear as a folder in Outlook. Migrate Archived Outlook Items Outlook includes archiving functionality that is used to free up space on the mail server by moving older items from the mail server to PST files stored on your computer

More information

A Step-by-Step Patient Guide to Upload Medical Images to the Cleveland Clinic Neurological Institute

A Step-by-Step Patient Guide to Upload Medical Images to the Cleveland Clinic Neurological Institute A Step-by-Step Patient Guide to Upload Medical Images to the Cleveland Clinic Neurological Institute Cleveland Clinic 1995-2014. All Rights Reserved. v.08.05.14 Table of Contents Get Started Step 1: Locate

More information

Terminal Four (T4) Site Manager

Terminal Four (T4) Site Manager Terminal Four (T4) Site Manager Contents Terminal Four (T4) Site Manager... 1 Contents... 1 Login... 2 The Toolbar... 3 An example of a University of Exeter page... 5 Add a section... 6 Add content to

More information

Android Programming. Høgskolen i Telemark Telemark University College. Cuong Nguyen, 2013.06.18

Android Programming. Høgskolen i Telemark Telemark University College. Cuong Nguyen, 2013.06.18 Høgskolen i Telemark Telemark University College Department of Electrical Engineering, Information Technology and Cybernetics Cuong Nguyen, 2013.06.18 Faculty of Technology, Postboks 203, Kjølnes ring

More information

NEC CLOUD STORAGE. Demo Guide

NEC CLOUD STORAGE. Demo Guide NEC CLOUD STORAGE Demo Guide 2014 1 INTRODUCTION... 4 1.1 GOALS OF THIS DOCUMENT... 4 1.2 TERMS, ACRONYMS AND ABBREVIATIONS... 4 2 INTRODUCTION TO NEC CLOUD STORAGE... 5 2.1 WHAT IS NEEDED TO USE CLOUD

More information

IOIO for Android Beginners Guide Introduction

IOIO for Android Beginners Guide Introduction IOIO for Android Beginners Guide Introduction This is the beginners guide for the IOIO for Android board and is intended for users that have never written an Android app. The goal of this tutorial is to

More information

Contents First Time Setup... 2 Setting up the Legal Vault Client (KiteDrive)... 3 Setting up the KiteDrive Outlook Plugin... 10 Using the Legal Vault

Contents First Time Setup... 2 Setting up the Legal Vault Client (KiteDrive)... 3 Setting up the KiteDrive Outlook Plugin... 10 Using the Legal Vault Contents First Time Setup... 2 Setting up the Legal Vault Client (KiteDrive)... 3 Setting up the KiteDrive Outlook Plugin... 10 Using the Legal Vault Outlook Plugin... 13 Using KiteDrive to Send Large

More information

SENDING EMAILS & MESSAGES TO GROUPS

SENDING EMAILS & MESSAGES TO GROUPS SENDING EMAILS & MESSAGES TO GROUPS Table of Contents What is the Difference between Emails and Selltis Messaging?... 3 Configuring your Email Settings... 4 Sending Emails to Groups Option A: Tasks...

More information

SURPASS HOSTING SERVICE GETTING STARTED AND OPERATIONS GUIDE

SURPASS HOSTING SERVICE GETTING STARTED AND OPERATIONS GUIDE SURPASS HOSTING SERVICE GETTING STARTED AND OPERATIONS GUIDE Welcome To Surpass Hosting Service. This document contains instructions to help you get up and running with your new service. The instructions

More information

Advantages. manage port forwarding, set breakpoints, and view thread and process information directly

Advantages. manage port forwarding, set breakpoints, and view thread and process information directly 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

More information

Website Development Komodo Editor and HTML Intro

Website Development Komodo Editor and HTML Intro Website Development Komodo Editor and HTML Intro Introduction In this Assignment we will cover: o Use of the editor that will be used for the Website Development and Javascript Programming sections of

More information

How to set up email applications for BT Openzone CONTENTS Introduction

How to set up email applications for BT Openzone CONTENTS Introduction How to set up email applications for BT Openzone CONTENTS Introduction General Email application settings Changing your Mail Server Address Outlook 2002 Page 2 Outlook 2000 Page 4 Outlook Express 6.0 and

More information

Frequently Asked Questions Mindful Schools Online Courses. Logging In... 2. Navigation... 3. Emails & Forums... 3. Tracking My Work... 4. Files...

Frequently Asked Questions Mindful Schools Online Courses. Logging In... 2. Navigation... 3. Emails & Forums... 3. Tracking My Work... 4. Files... Frequently Asked Questions Mindful Schools Online Courses Short Video tutorials (coming soon) Getting Started How to update your profile and add a picture How to post in a forum How to complete self-reflection

More information

css href title software blog domain HTML div style address img h2 tag maintainingwebpages browser technology login network multimedia font-family

css href title software blog domain HTML div style address img h2 tag maintainingwebpages browser technology login network multimedia font-family technology software href browser communication public login address img links social network HTML div style font-family url media h2 tag handbook: id domain TextEdit blog title CANAJOHARIE CENTRAL SCHOOL

More information

Microsoft SharePoint is provided by Information Services for staff in Aberystwyth University.

Microsoft SharePoint is provided by Information Services for staff in Aberystwyth University. USING SHAREPOINT E-Services and Communications, Information Services, Aberystwyth University CONTENTS This document shows you how to: Access SharePoint Use your personal My Site area to try out features

More information

Internet and Email Help. Table of Contents:

Internet and Email Help. Table of Contents: Internet and Email Help The following tips are provided to assist you in troubleshooting and managing your Plex Internet and email services. For additional issues or concerns, you may also call our Product

More information

Hello Purr. What You ll Learn

Hello Purr. What You ll Learn Chapter 1 Hello Purr This chapter gets you started building apps. It presents the key elements of App Inventor the Component Designer and the Blocks Editor and leads you through the basic steps of creating

More information

Create an ios App using Adobe Flash Side by Side Training, 2013. And without using a Mac

Create an ios App using Adobe Flash Side by Side Training, 2013. And without using a Mac Create an ios App using Adobe Flash And without using a Mac Contents 1 Become an Apple ios Developer... 2 2 Add a Development Certificate... 4 3 Create a Certificate Signing Request (CSR)... 6 4 Register

More information

STUDENT ADMINISTRATION TRAINING GUIDE SETTING YOUR BROWSER FOR PEOPLESOFT DOWNLOADS

STUDENT ADMINISTRATION TRAINING GUIDE SETTING YOUR BROWSER FOR PEOPLESOFT DOWNLOADS STUDENT ADMINISTRATION TRAINING GUIDE SETTING YOUR BROWSER FOR PEOPLESOFT DOWNLOADS Table of Contents How to check the browser version... 3 PC - Internet Explorer... 8 Internet Explorer V9 Compatibility

More information

How To Use The Nvcc

How To Use The Nvcc NAHCA Virtual Campus of Care User Guide National Association of Health Care Assistants www.nahcacareforce.org (417)623-6049 Getting Started To start your education in the Virtual Campus of Care you must

More information

css href title software blog domain HTML div style address img h2 tag maintainingwebpages browser technology login network multimedia font-family

css href title software blog domain HTML div style address img h2 tag maintainingwebpages browser technology login network multimedia font-family technology software href browser communication public login address img links social network HTML div style font-family url media h2 tag handbook: id domain TextEdit blog title PORT JERVIS CENTRAL SCHOOL

More information

How To Manage A Project In Project Management Central

How To Manage A Project In Project Management Central WVU Robert C. Byrd Health Sciences Center Office of Institutional Planning PROJECT MANAGEMENT CENTRAL (PMC) 301 Guide for Project Managers Fostering a culture of high purpose, accountability & accomplishment

More information

AonLine System Requirements - Updated 8th June 2015

AonLine System Requirements - Updated 8th June 2015 AonLine System Requirements - Updated 8th June 2015 Introduction In order to be able to use AonLine in an optimal way and with all its available functionality, we require certain browser settings and software.

More information

Your guide to Gmail. Gmail user guide

Your guide to Gmail. Gmail user guide Your guide to Gmail Gmail user guide Welcome to Gmail! This guide outlines some of the key settings and features of Gmail. Getting started How to access your Gmail account page 3 Settings and personalisation

More information

Using Internet Archive: A guide created by the Digital POWRR Project

Using Internet Archive: A guide created by the Digital POWRR Project June 2014 1 Internet Archive is a way to archive public domain materials free of charge. It is important to have multiple backups of digital files in case of unexpected loss of originals. Table of Contents

More information

How to set up your Secure Email in Outlook 2010*

How to set up your Secure Email in Outlook 2010* How to set up your Secure Email in Outlook 2010* This guide is for hosting clients who are hosting their email with us. If you are using a third party email, you should not use these instructions. 1. Open

More information

Charms Recording Studio USER GUIDE For PC/Mac As a Parent/Student/Member

Charms Recording Studio USER GUIDE For PC/Mac As a Parent/Student/Member Charms Recording Studio USER GUIDE For PC/Mac As a Parent/Student/Member You can use the Charms Recording Studio from any internet-connected Mac or PC desktop/laptop computer. However, you must have the

More information

ELET4133: Embedded Systems. Topic 15 Sensors

ELET4133: Embedded Systems. Topic 15 Sensors ELET4133: Embedded Systems Topic 15 Sensors Agenda What is a sensor? Different types of sensors Detecting sensors Example application of the accelerometer 2 What is a sensor? Piece of hardware that collects

More information

Frequently Asked Questions for logging in to Online Banking

Frequently Asked Questions for logging in to Online Banking Frequently Asked Questions for logging in to Online Banking Why don t I recognize any of the phone numbers on the Secure Code page? I can t remember my password; can I reset it myself? I know I have the

More information

1) Important browser information New 2) Why is my browser so slow? 3) How can I view more than one screen without the other disappearing?

1) Important browser information New 2) Why is my browser so slow? 3) How can I view more than one screen without the other disappearing? Known/Unresolved issues: Browser Scan to e-mail Creating Help Desk tickets for the scan-to-email issue is no longer necessary. A member of MIS will follow up with each office to determine scan-to-email

More information

Mail Chimp Basics. Glossary

Mail Chimp Basics. Glossary Mail Chimp Basics Mail Chimp is a web-based application that allows you to create newsletters and send them to others via email. While there are higher-level versions of Mail Chimp, the basic application

More information

GoodReader User Guide. Version 1.0 GoodReader version 3.16.0

GoodReader User Guide. Version 1.0 GoodReader version 3.16.0 GoodReader User Guide Version 1.0 GoodReader version 3.16.0 Contents Operating GoodReader 1 Send PDF files to Your ipad 2 Copy Files with itunes 2 Copy Files to a Cloud Service 5 Download Files from the

More information

Skype for Business. User Guide. Contents

Skype for Business. User Guide. Contents Skype for Business User Guide Contents What is Skype for Business... 2 Accessing Skype for Business... 2 Starting Skype for Business for the first time... 2 Subsequent access to Skype for Business... 3

More information

Installing Lync. Configuring and Signing into Lync

Installing Lync. Configuring and Signing into Lync Microsoft Lync 2013 Contents Installing Lync... 1 Configuring and Signing into Lync... 1 Changing your Picture... 2 Adding and Managing Contacts... 2 Create and Manage Contact Groups... 3 Start an Instant

More information

Sage Accountants Business Cloud EasyEditor Quick Start Guide

Sage Accountants Business Cloud EasyEditor Quick Start Guide Sage Accountants Business Cloud EasyEditor Quick Start Guide VERSION 1.0 September 2013 Contents Introduction 3 Overview of the interface 4 Working with elements 6 Adding and moving elements 7 Resizing

More information

PC Instructions for Miller LiveArc Software

PC Instructions for Miller LiveArc Software PC Instructions for Miller LiveArc Software Contents Instructions for Installing LiveArc Software on a PC... 2 Instructions for Loading Data from the LiveArc System onto a PC... 10 Instructions for Transferring

More information

HOW TO ACCESS YOUR ONEDRIVE FOR BUSINESS DOCUMENTS

HOW TO ACCESS YOUR ONEDRIVE FOR BUSINESS DOCUMENTS HOW TO ACCESS YOUR ONEDRIVE FOR BUSINESS DOCUMENTS There are three ways to access your OneDrive for Business documents. Through your browser Through your OneDrive Sync folder Through your Office applications

More information

1. Open Thunderbird. If the Import Wizard window opens, select Don t import anything and click Next and go to step 3.

1. Open Thunderbird. If the Import Wizard window opens, select Don t import anything and click Next and go to step 3. Thunderbird The changes that need to be made in the email programs will be the following: Incoming mail server: newmail.one-eleven.net Outgoing mail server (SMTP): newmail.one-eleven.net You will also

More information

Introduction to Android Development. Daniel Rodrigues, Buuna 2014

Introduction to Android Development. Daniel Rodrigues, Buuna 2014 Introduction to Android Development Daniel Rodrigues, Buuna 2014 Contents 1. Android OS 2. Development Tools 3. Development Overview 4. A Simple Activity with Layout 5. Some Pitfalls to Avoid 6. Useful

More information

LIBRARY MEMBER USER GUIDE

LIBRARY MEMBER USER GUIDE LIBRARY MEMBER USER GUIDE CONTENTS PAGE Part 1) How to create a new account... 2 Part 2) How to checkout a magazine issue... 4 Part 3) How to download Zinio Reader 4... 10 a) For your PC... 10 b) For your

More information

ClickView Digital Signage User Manual

ClickView Digital Signage User Manual ClickView Digital Signage User Manual Table of Contents 1. What is ClickView Digital Signage?... 3 2. Where do I find ClickView Digital Signage?... 3 2.1. To find ClickView Digital Signage... 3 3. How

More information

Setting up an Apple ID

Setting up an Apple ID Setting up an Apple ID SETUP GUIDE: This setup guide was created for Albany Creek State High school to be used only for the purpose of assisting school staff and students in setting up and configuring

More information

How to Add Users 1. 2.

How to Add Users 1. 2. Administrator Guide Contents How to Add Users... 2 How to Delete a User... 9 How to Create Sub-groups... 12 How to Edit the Email Sent Out to New Users... 14 How to Edit and Add a Logo to Your Group's

More information

How to Use Your New Online Client Vault

How to Use Your New Online Client Vault How to Use Your New Online Client Vault Table of Contents I. Getting Into Your Vault 3 How to Sign In 3 First Time Setup 4 II. Finding Your Way Around the Vault 5 Managing Your Vault s Contents 6 Creating

More information

MailChimp Instruction Manual

MailChimp Instruction Manual MailChimp Instruction Manual Spike HQ This manual contains instructions on how to set up a new email campaign, add and remove contacts and view statistics on completed email campaigns from within MailChimp.

More information

getting started with box 1. What is box? 2. Creating an account 3. box functions

getting started with box 1. What is box? 2. Creating an account 3. box functions getting started with box 1. What is box? 2. Creating an account 3. box functions What is box? A hard drive in the cloud where you can store your files (pictures, word documents, excel files, PDF files,

More information

Creating a Google Play Account

Creating a Google Play Account Creating a Google Play Account Updated March, 2014 One of the most effective ways to get your application into users hands is to publish it on an application marketplace like Google Play. This document

More information

Email Mentoring Field Guide. Last Updated On: 1/30/2013 Created by the Learning & Organizational Development and Support Teams education@score.

Email Mentoring Field Guide. Last Updated On: 1/30/2013 Created by the Learning & Organizational Development and Support Teams education@score. Email Mentoring Field Guide Last Updated On: 1/30/2013 Created by the Learning & Organizational Development and Support Teams education@score.org Contents Quick Start Guide... 3 Overview of the Email Mentoring

More information

EDGETECH FTP SITE CUSTOMER & VENDOR ACCESS

EDGETECH FTP SITE CUSTOMER & VENDOR ACCESS EDGETECH FTP SITE CUSTOMER & VENDOR ACCESS 1. The EdgeTech FTP site is a web hosted site, not a true FTP site, remember to use http:// not ftp:// in the web address. IMPORTANT: Do Not use FileZilla or

More information

On your desktop double-click the Qqest Time and Attendance Systems icon:

On your desktop double-click the Qqest Time and Attendance Systems icon: - 1 - On your desktop double-click the Qqest Time and Attendance Systems icon: You will be prompted for your Username, Password, and Company Code: Enter your information, then click the Login button. Passwords

More information

Logging in to Google Chrome

Logging in to Google Chrome Logging in to Google Chrome By logging in to Google Chrome, you will be able to quickly access any saved applications, bookmarks, and resources from any location. Please remember...if you are using a lab

More information

Zoom Cloud Meetings: Leader Guide

Zoom Cloud Meetings: Leader Guide Zoom Cloud Meetings: Leader Guide Zoom is a cloud-based conferencing solution that provides both video conferencing and screen share capabilities. Zoom can be used for meetings among individuals or to

More information

1. Right click using your mouse on the desktop and select New Shortcut.

1. Right click using your mouse on the desktop and select New Shortcut. offers 3 login page styles: Standard Login, List Login or Quick Time Punch. Each login page can be saved as a shortcut to your desktop or as a bookmark for easy fast login access. For quicker access to

More information

Remote Access Services Microsoft Windows - Installation Guide

Remote Access Services Microsoft Windows - Installation Guide Remote Access Services Microsoft Windows - Installation Guide Version 3.1 February 23, 2015 1 P age Contents GETTING STARTED... 3 JAVA VERIFICATION, INSTALLATION, AND CONFIGURATION... 3 Windows XP... 3

More information

Student Quick Start Guide

Student Quick Start Guide Student Quick Start Guide Welcome to Top Hat! This guide will help you register a student account and understand how to use Top Hat for your class. Creating an Account 1. If you don t already have a previous

More information

How to develop your own app

How to develop your own app How to develop your own app It s important that everything on the hardware side and also on the software side of our Android-to-serial converter should be as simple as possible. We have the advantage that

More information

Getting Started with Dynamic Web Sites

Getting Started with Dynamic Web Sites PHP Tutorial 1 Getting Started with Dynamic Web Sites Setting Up Your Computer To follow this tutorial, you ll need to have PHP, MySQL and a Web server up and running on your computer. This will be your

More information

The Social Accelerator Setup Guide

The Social Accelerator Setup Guide The Social Accelerator Setup Guide Welcome! Welcome to the Social Accelerator setup guide. This guide covers 2 ways to setup SA. Most likely, you will want to use the easy setup wizard. In that case, you

More information

NJCU WEBSITE TRAINING MANUAL

NJCU WEBSITE TRAINING MANUAL NJCU WEBSITE TRAINING MANUAL Submit Support Requests to: http://web.njcu.edu/its/websupport/ (Login with your GothicNet Username and Password.) Table of Contents NJCU WEBSITE TRAINING: Content Contributors...

More information

Getting started with OneDrive

Getting started with OneDrive Getting started with OneDrive What is OneDrive? OneDrive is an online storage area intended for business purposes. Your OneDrive library is managed by the University. You can use it to share documents

More information

Pearson Onscreen Platform (POP) Using POP Offline testing system guide

Pearson Onscreen Platform (POP) Using POP Offline testing system guide Pearson Onscreen Platform (POP) Version 1.0 October 2014 02 What s in this guide? Contents 1 Before you start 2 Download a test 3 Play test 4 Upload response Read more Read more Read more Read more 03

More information

USING OUTLOOK WITH ENTERGROUP. Microsoft Outlook

USING OUTLOOK WITH ENTERGROUP. Microsoft Outlook USING OUTLOOK WITH ENTERGROUP In this tutorial you will learn how to use Outlook with your EnterGroup account. You will learn how to setup an IMAP or POP account, and also how to move your emails and contacts

More information

Welcome to Enterprise Vault Archiving

Welcome to Enterprise Vault Archiving Welcome to Enterprise Vault Archiving You have now been told when your Outlook mailbox will be enabled for Enterprise Vault archiving. This means that instead of storing all your messages on the Exchange

More information

Microsoft OneDrive. How to login to OneDrive:

Microsoft OneDrive. How to login to OneDrive: Microsoft OneDrive The beauty of OneDrive is that it is accessible from anywhere you have an Internet connection. You can access it from a Mac or Windows computer. You can even access it on your Smartphone

More information

Generate Android App

Generate Android App Generate Android App This paper describes how someone with no programming experience can generate an Android application in minutes without writing any code. The application, also called an APK file can

More information

You can find the installer for the +Cloud Application on your SanDisk flash drive.

You can find the installer for the +Cloud Application on your SanDisk flash drive. Installation You can find the installer for the +Cloud Application on your SanDisk flash drive. Make sure that your computer is connected to the internet. Next plug in the flash drive and double click

More information