Programming Mobile Applications with Android
|
|
|
- Ralph Cain
- 10 years ago
- Views:
Transcription
1 Programming Mobile Applications September, Albacete, Spain Jesus Martínez-Gómez
2 Introduction to advanced android capabilities Maps and locations.- How to use them and limitations. Sensors.- Using sensors to obtain real-time data External Data.- How to access files, databases and content providers Android Lab V OSSCOM Programming Mobile Applications 2
3 In this lesson, we will learn: What advanced capabilities are included in Android and how to use them How to use localization and maps in our applications How to access data not stored in our applications OSSCOM Programming Mobile Applications 3
4 Introduction to advanced android capabilities We have seen how to develop Android applications similar to desktop ones Multimedia elements Graphical user interfaces Life Cycle Access to the camera but the execution in a mobile phone allows for new and more powerful functionalities OSSCOM Programming Mobile Applications 4
5 Introduction to advanced android capabilities Mobile phones are equipped with Cameras GPS Tactile screen Temperature and humidity sensors Accelerometer and compass Access to Google services Networking Mobile capabilities: contacts, calls, sms, etc OSSCOM Programming Mobile Applications 5
6 Introduction to advanced android capabilities Using some of these elements, we can: Develop an application that generates a map with the images acquired in a specific environment Create new gestures to speed-up repetitive actions, like the introduction of contacts in the agenda Create an application for notifying when the temperature arises a threshold Develop applications to acquired the quality of our domestic wireless network and then present some statistics... OSSCOM Programming Mobile Applications 6
7 Maps and locations.- How to use them and limitations. Localization services are basic for the development of useful applications Where can I find the nearest fuel station? Where can I find the place where I took a photograph Load advertisements only when the localization is the appropriate For instance, a Restaurant 2x1 ticket when the user is close to the closest Restaurant OSSCOM Programming Mobile Applications 7
8 Maps and locations. How to retrieve the current location? We will develop both a service and an activity Service to provide localization capabilities Activity to require access to the service Permissions <uses-permission android:name="android.permission.access_network_state"/> <uses-permission android:name="android.permission.change_network_state"/> <uses-permission android:name="android.permission.access_wifi_state"/> <uses-permission android:name="android.permission.change_wifi_state"/> <uses-permission android:name="android.permission.access_fine_location" /> OSSCOM Programming Mobile Applications 8
9 Maps and locations. How to retrieve the current location? - Service Class Implements LocationListener A set of methods should be implemented onlocationchanged(location location) Key variables Location mylocation Context mycontext GetLocation() method returns the location by using the locationmanager obtained from mycontext OSSCOM Programming Mobile Applications 9
10 Maps and locations.- How to use them and limitations. How to retrieve the current location? - Service Class locationmanager = (LocationManager) mycontext.getsystemservice(location_service); locationmanager.requestlocationupdates(locationmanager.gps_provider,6000,10, this); mylocation = locationmanager.getlastknownlocation(locationmanager.gps_provider); mylatitude = mylocation.getlatitude(); mylongitude= mylocation.getlongitude(); OSSCOM Programming Mobile Applications 10
11 Maps and locations.- How to use them and limitations. How to retrieve the current location? - Activity Includes an object of the service class that provides the localization We can now obtain out latitude and longitude when needed If the GPS is not enable, it will fail There should be checked that GPS is working or open the localization settings OSSCOM Programming Mobile Applications 11
12 Maps and locations.- How to use them and limitations. Once we can access to our location, the following step consist in using maps We can add maps based on Google Maps data The Google Maps API provides access to: Maps Servers Data Download Map Display Touch Gestures OSSCOM Programming Mobile Applications 12
13 Maps and locations. We will need to install the Google Play services SDK First, copy the folder in our workspace android-sdks\extras\google\google_play_services\libproject Then, add this project as library Right button properties Android OSSCOM Programming Mobile Applications 13
14 Maps and locations. OSSCOM Programming Mobile Applications 14
15 Maps and locations. We need an Android Certificate and the Google Maps API key Services activate the Google Maps Android API v2 OSSCOM Programming Mobile Applications 15
16 Maps and locations. We need an Android Certificate and the Google Maps API key We need to use our SHA1 certificate fingerprint Windows -> Preferences -> Android -> Build And then use it to obtain the Key and modify the manifest file and include the following lines <meta-data android:name="com.google.android.maps.v2.api_key" android:value="aizasyc9y40rcnx..." /> <meta-data android:name="com.google.android.gms.version" /> OSSCOM Programming Mobile Applications 16
17 Maps and locations We now should have all these permissions <uses-permission android:name="android.permission.internet"/> <uses-permission android:name="android.permission.write_external_storage"/> <uses-permission android:name="com.google.android.providers.gsf.permission.read_gservices"/> <uses-permission android:name="android.permission.access_network_state"/> <uses-permission android:name="android.permission.change_network_state"/> <uses-permission android:name="android.permission.access_wifi_state"/> <uses-permission android:name="android.permission.change_wifi_state"/> <uses-permission android:name="android.permission.access_fine_location" /> <uses-permission android:name="android.permission.access_coarse_location"/> OSSCOM Programming Mobile Applications 17
18 Maps and locations Now we can add and manage google maps in out applications Usefull webpage We can obtain the coordinates of any worldwide location Layout <fragment android:layout_width="match_parent" android:layout_height="match_parent" class="com.google.android.gms.maps.mapfragment" /> OSSCOM Programming Mobile Applications 18
19 Maps and locations Activity code GoogleMap map = ((MapFragment) getfragmentmanager().findfragmentbyid(r.id.map)).getmap() The object GoogleMap can now be modified to move the camera, make zoom, add markers, etc OSSCOM Programming Mobile Applications 19
20 Maps and locations Adding markers final LatLng ESII = new LatLng( , ); map.addmarker(new MarkerOptions().position(ESII).title("University")); Modifying the map visualization map.setmaptype(googlemap.map_type_terrain); map.setmaptype(googlemap.map_type_normal); map.setmaptype(googlemap.map_type_hybrid); map.setmaptype(googlemap.map_type_satellite); OSSCOM Programming Mobile Applications 20
21 Maps and locations Move the camera to an specific position final LatLng I3A = new LatLng( , ); map.movecamera(cameraupdatefactory.newlatlng(i3a)); Disable zoom and other UI settings map.getuisettings().setcompassenabled(true); map.getuisettings().setzoomcontrolsenabled(false); Animate the camera movements map.animatecamera(cameraupdatefactory.zoomto(15), 2000, null); OSSCOM Programming Mobile Applications 21
22 Sensors.- Using sensors to obtain real-time data In addition to the camera or GPS, we can access to some sensors like the accelerometer, proximity, etc If we want to use a sensor, we should firstly detect if we can access without problems SensorManager msensormanager; msensormanager = (SensorManager) getsystemservice(context.sensor_service); if(msensormanager.getdefaultsensor(sensor.type_magnetic_field)!= null Toast.makeText(this,"Sucess", Toast.LENGTH_SHORT).show(); else Toast.makeText(this,"Fail", Toast.LENGTH_SHORT).show(); OSSCOM Programming Mobile Applications 22
23 Sensors.- Using sensors to obtain real-time data Sensors are usually managed to monitor some events For instance: check that the temperature is below certain threshold We need to implement 2 callback methods by making our activity implement the class SensorsEventListener onaccuracychanged() onsensorchanged() We need also register a SensorEventListener for an specific sensor registerlistener(sensoreventlistener l, Sensor s, int rate); OSSCOM Programming Mobile Applications 23
24 Sensors.- Using sensors to obtain real-time data Sensor Coordinate System OSSCOM Programming Mobile Applications 24
25 Sensors.- Using sensors to obtain real-time data Some basics Register just the sensors that are needed Unregister the listeners as soon as possible Test your code on real devices, not the emulator Verify sensors before using them OSSCOM Programming Mobile Applications 25
26 Sensors.- Using sensors to obtain real-time data Example A.- Accessing the accelerometer Detect shake movements Detect steps Draw figures on the air... OSSCOM Programming Mobile Applications 26
27 Sensors.- Using sensors to obtain real-time data Example A.- Accessing the accelerometer Global Variables private SensorManager msensormanager; private Sensor maccelerometer; Initialization msensormanager = (SensorManager) getsystemservice(context.sensor_service); maccelerometer = msensormanager.getdefaultsensor(sensor.type_accelerometer); msensormanager.registerlistener(this, maccelerometer, SensorManager.SENSOR_DELAY_NORMAL); OSSCOM Programming Mobile Applications 27
28 Sensors.- Using sensors to obtain real-time data Example A.- Accessing the accelerometer Capture the changes public void onsensorchanged(sensorevent event) { float x = event.values[0]; float y = event.values[1]; float z = event.values[2]; } Unregistering on pause protected void onpause() { super.onpause(); msensormanager.unregisterlistener(this); } OSSCOM Programming Mobile Applications 28
29 Sensors.- Using sensors to obtain real-time data Example B.- Accessing the proximity sensor Global Variables private SensorManager msensormanager; private Sensor mproximitysensor; Initialization msensormanager = (SensorManager) getsystemservice(context.sensor_service); mproximitysensor = msensormanager.getdefaultsensor(sensor.type_proximity); msensormanager.registerlistener(this, mproximitysensor, SensorManager.SENSOR_DELAY_NORMAL); OSSCOM Programming Mobile Applications 29
30 Sensors.- Using sensors to obtain real-time data Example B.- Accessing the proximity sensor Capture the changes public void onsensorchanged(sensorevent event) { Toast.makeText(this, "Distance "+String.valueOf(event.values[0]), Toast.LENGTH_SHORT).show(); } Unregistering on pause protected void onpause() { super.onpause(); msensormanager.unregisterlistener(this); } OSSCOM Programming Mobile Applications 30
31 External Data.- How to access files, databases and content providers Not all the data included in our applications can be stored when released Size requirements Dynamic changes We can find several alternatives OSSCOM Programming Mobile Applications 31
32 External Data.- Alternatives Shared Preferences Store private primitive data in key-value pairs. Internal Storage Store private data on the device memory. External Storage Store public data on the shared external storage. SQLite Databases Store structured data in a private database. Network Connection Store data on the web with your own network server. OSSCOM Programming Mobile Applications 32
33 External Data. Shared Preferences This is the most basic type of storage and allows to save any type of primitive data Save SharedPreferences settings = getsharedpreferences( TempusPref, 0); SharedPreferences.Editor editor = settings.edit(); editor.putboolean("myboolvar", true); editor.commit(); Load SharedPreferences settings = getsharedpreferences( TempusPref, 0); boolean varloaded = settings.getboolean("myboolvar", false); setboolvar(varloaded); OSSCOM Programming Mobile Applications 33
34 External Data. Internal Storage Similar to the file access in other programming environments Files saved with our applications cannot be accessed by the rest of the applications (by default) String FILENAME = "filetosave"; String string = "text to save"; FileOutputStream fos = openfileoutput(filename, Context.MODE_PRIVATE); fos.write(string.getbytes()); fos.close(); OSSCOM Programming Mobile Applications 34
35 External Data. External Storage Files that need to be written in external SD cards or similar, instead of internal storage We need additional permissions to access external storage <uses-permission android:name="android.permission.write_external_storage" /> OSSCOM Programming Mobile Applications 35
36 External Data. Databases Similar to the web pages, all the dynamic content of an android application can be obtained from a database The technology used for most Android applications is SqlLite, with considerable differences with respect to traditional databases languages Network Connections We can use the network connections to obtain data from the Internet, as we did to obtain images OSSCOM Programming Mobile Applications 36
37 External Data. Content Providers Access to structured sets of data Permission management Key elements ContentResolver For the access to content providers URI Identification of content providers Basis steps to retrieve data from a content provider Request the read access permission for the provider. Define the code that sends a query to the provider. OSSCOM Programming Mobile Applications 37
38 External Data. Content Providers Request the read access permission for the provider. Using the manifest file <uses-permission android:name="android.permission.read_user_dictionary"> Define the code that sends a query to the provider. ContentResolver.Query() Insert data Update data Delete data OSSCOM Programming Mobile Applications 38
39 External Data. Content Providers Data types: integer, long integer (long), floating point, long floating point (double) Building a content provider is a complex task and needs to be performed only when necessary Design data storage Design content URIs Implement the ContentProvider Class Implement the ContentProvider MIME types Permissions and Access OSSCOM Programming Mobile Applications 39
40 External Data. Content Providers.- Contact providers Android component for the management of our contacts Three types of data about a person Basic steps to retrieve a list of contacts Permissions <uses-permission android:name="android.permission.read_contacts" /> Define layout elements for visualization Follow the guidelines from OSSCOM Programming Mobile Applications 40
41 Android Lab V.- Create, compile and execute an advanced application with localization, external storage and sensors processing. Follow the instructions to create an application with access to the Google Maps Api with sensor processing and external storage of data OSSCOM Programming Mobile Applications 41
42 Programming Mobile Applications September, Albacete, Spain Jesus Martínez-Gómez
Sensors & Motion Sensors in Android platform. Minh H Dang CS286 Spring 2013
Sensors & Motion Sensors in Android platform Minh H Dang CS286 Spring 2013 Sensors The Android platform supports three categories of sensors: Motion sensors: measure acceleration forces and rotational
Android Sensors. CPRE 388 Fall 2015 Iowa State University
Android Sensors CPRE 388 Fall 2015 Iowa State University What are sensors? Sense and measure physical and ambient conditions of the device and/or environment Measure motion, touch pressure, orientation,
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
Android Sensor Programming. Weihong Yu
Android Sensor Programming Weihong Yu Sensors Overview The Android platform is ideal for creating innovative applications through the use of sensors. These built-in sensors measure motion, orientation,
Android Sensors. XI Jornadas SLCENT de Actualización Informática y Electrónica
Android Sensors XI Jornadas SLCENT de Actualización Informática y Electrónica About me José Juan Sánchez Hernández Android Developer (In my spare time :) Member and collaborator of: - Android Almería Developer
Using Sensors on the Android Platform. Andreas Terzis Android N00b
Using Sensors on the Android Platform Andreas Terzis Android N00b Hardware-oriented Features Feature Camera Sensor SensorManager SensorEventListener SensorEvent GeoMagneticField Description A class that
Android Framework. How to use and extend it
Android Framework How to use and extend it Lectures 9/10 Android Security Security threats Security gates Android Security model Bound Services Complex interactions with Services Alberto Panizzo 2 Lecture
getsharedpreferences() - Use this if you need multiple preferences files identified by name, which you specify with the first parameter.
Android Storage Stolen from: developer.android.com data-storage.html i Data Storage Options a) Shared Preferences b) Internal Storage c) External Storage d) SQLite Database e) Network Connection ii Shared
06 Team Project: Android Development Crash Course; Project Introduction
M. Kranz, P. Lindemann, A. Riener 340.301 UE Principles of Interaction, 2014S 06 Team Project: Android Development Crash Course; Project Introduction April 11, 2014 Priv.-Doz. Dipl.-Ing. Dr. Andreas Riener
Android app development course
Android app development course Unit 7- + Beyond Android Activities. SMS. Audio, video, camera. Sensors 1 SMS We can send an SMS through Android's native client (using an implicit Intent) Intent smsintent
! Sensors in Android devices. ! Motion sensors. ! Accelerometer. ! Gyroscope. ! Supports various sensor related tasks
CSC 472 / 372 Mobile Application Development for Android Prof. Xiaoping Jia School of Computing, CDM DePaul University [email protected] @DePaulSWEng Outline Sensors in Android devices Motion sensors
Developing Sensor Applications on Intel Atom Processor-Based Android* Phones and Tablets
Developing Sensor Applications on Intel Atom Processor-Based Android* Phones and Tablets This guide provides application developers with an introduction to the Android Sensor framework and discusses how
App Development for Smart Devices. Lec #4: Files, Saving State, and Preferences
App Development for Smart Devices CS 495/595 - Fall 2011 Lec #4: Files, Saving State, and Preferences Tamer Nadeem Dept. of Computer Science Some slides adapted from Stephen Intille Objective Data Storage
Objective. Android Sensors. Sensor Manager Sensor Types Examples. Page 2
Android Sensors Objective Android Sensors Sensor Manager Sensor Types Examples Page 2 Android.hardware Support for Hardware classes with some interfaces Camera: used to set image capture settings, start/stop
Android Concepts and Programming TUTORIAL 1
Android Concepts and Programming TUTORIAL 1 Kartik Sankaran [email protected] CS4222 Wireless and Sensor Networks [2 nd Semester 2013-14] 20 th January 2014 Agenda PART 1: Introduction to Android - Simple
Android app development course
Android app development course Unit 6- + Location Based Services. Geo-positioning. Google Maps API, Geocoding 1 Location Based Services LBS is a concept that encompasses different technologies which offer
Android Development Tutorial. Nikhil Yadav CSE40816/60816 - Pervasive Health Fall 2011
Android Development Tutorial Nikhil Yadav CSE40816/60816 - Pervasive Health Fall 2011 Database connections Local SQLite and remote access Outline Setting up the Android Development Environment (Windows)
Using the Android Sensor API
Using the Android Sensor API Juan José Marrón Department of Computer Science & Engineering [email protected] # Outline Sensors description: - Motion Sensors - Environmental Sensors - Positioning Sensors
Using Extensions or Cordova Plugins in your RhoMobile Application Darryn Campbell @darryncampbell
Using Extensions or Cordova Plugins in your RhoMobile Application Darryn Campbell @darryncampbell Application Architect Agenda Creating a Rho Native Extension on Android Converting a Cordova Plugin to
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
Android on Intel Course App Development - Advanced
Android on Intel Course App Development - Advanced Paul Guermonprez www.intel-software-academic-program.com [email protected] Intel Software 2013-02-08 Persistence Preferences Shared preference
Iotivity Programmer s Guide Soft Sensor Manager for Android
Iotivity Programmer s Guide Soft Sensor Manager for Android 1 CONTENTS 2 Introduction... 3 3 Terminology... 3 3.1 Physical Sensor Application... 3 3.2 Soft Sensor (= Logical Sensor, Virtual Sensor)...
Android Persistency: Files
15 Android Persistency: Files Notes are based on: The Busy Coder's Guide to Android Development by Mark L. Murphy Copyright 2008-2009 CommonsWare, LLC. ISBN: 978-0-9816780-0-9 & Android Developers http://developer.android.com/index.html
Android. Mobile Computing Design and Implementation. Application Components, Sensors. Peter Börjesson
Android Application Components, Sensors Mobile Computing Design and Implementation Peter Börjesson Application Sandbox Android System & Device Data Contacts, Messages, SD Card, Camera, Bluetooth, etc.
ITG Software Engineering
Basic Android Development Course ID: Page 1 Last Updated 12/15/2014 Basic Android Development ITG Software Engineering Course Overview: This 5 day course gives students the fundamental basics of Android
ANDROID APPS DEVELOPMENT FOR MOBILE GAME
ANDROID APPS DEVELOPMENT FOR MOBILE GAME Lecture 7: Data Storage and Web Services Overview Android provides several options for you to save persistent application data. Storage Option Shared Preferences
CS 403X Mobile and Ubiquitous Computing Lecture 6: Maps, Sensors, Widget Catalog and Presentations Emmanuel Agu
CS 403X Mobile and Ubiquitous Computing Lecture 6: Maps, Sensors, Widget Catalog and Presentations Emmanuel Agu Using Maps Introducing MapView and Map Activity MapView: UI widget that displays maps MapActivity:
Graduate presentation for CSCI 5448. By Janakiram Vantipalli ( [email protected] )
Graduate presentation for CSCI 5448 By Janakiram Vantipalli ( [email protected] ) Content What is Android?? Versions and statistics Android Architecture Application Components Inter Application
Wiley Publishing, Inc.
CREATING ANDROID AND IPHONE APPLICATIONS Richard Wagner WILEY Wiley Publishing, Inc. INTRODUCTION xv CHAPTER 1: INTRODUCING FLASH DEVELOPMENT FOR MOBILE DEVICES 3 Expanding to the Mobile World 3 Discovering
Mobile Application Development Google Maps Android API v2
Mobile Application Development Google Maps Android API v2 Waterford Institute of Technology November 5, 2014 John Fitzgerald Waterford Institute of Technology, Mobile Application Development Google Maps
Introduction to Android. CSG250 Wireless Networks Fall, 2008
Introduction to Android CSG250 Wireless Networks Fall, 2008 Outline Overview of Android Programming basics Tools & Tricks An example Q&A Android Overview Advanced operating system Complete software stack
E0-245: ASP. Lecture 16+17: Physical Sensors. Dipanjan Gope
E0-245: ASP Lecture 16+17: Physical Sensors Module 2: Android Sensor Applications Location Sensors - Theory of location sensing - Package android.location Physical Sensors - Sensor Manager - Accelerometer
Android in Action. Second Edition. Revised Edition of Unlocking Android MANNING. (74 w. long.) W. FRANK ABLESON CHRIS KING ROBI SEN.
Android in Action Second Edition W. FRANK ABLESON ROBI SEN CHRIS KING Revised Edition of Unlocking Android II MANNING Greenwich (74 w. long.) contents preface xvii preface to the first edition xix acknowledgments
Getting Started with Android Programming (5 days) with Android 4.3 Jelly Bean
Getting Started with Android Programming (5 days) with Android 4.3 Jelly Bean Course Description Getting Started with Android Programming is designed to give students a strong foundation to develop apps
Module Title: Software Development A: Mobile Application Development
Module Title: Software Development A: Mobile Application Development Module Code: SDA SDA prerequisites: CT1, HS1, MS001, CA Award of BSc. In Information Technology The Bachelor of Science in Information
[PACKTl. Flash Development for Android Cookbook. Flash, Flex, and AIR. Joseph Labrecque. Over 90 recipes to build exciting Android applications with
Flash Development for Android Cookbook Over 90 recipes to build exciting Android applications with Flash, Flex, and AIR Joseph Labrecque [PACKTl III IV I V I J PUBLISHING BIRMINGHAM - MUMBAI Preface 1
Specialized Android APP Development Program with Java (SAADPJ) Duration 2 months
Specialized Android APP Development Program with Java (SAADPJ) Duration 2 months Our program is a practical knowledge oriented program aimed at making innovative and attractive applications for mobile
Designing An Android Sensor Subsystem Pitfalls and Considerations
Designing An Android Sensor Subsystem Pitfalls and Considerations Jen Costillo [email protected] Simple Choices User experience Battery performance 7/15/2012 Costillo- OSCON 2012 2 Established or Innovative
Develop a Hello World project in Android Studio Capture, process, store, and display an image. Other sensors on Android phones
Kuo-Chin Lien Develop a Hello World project in Android Studio Capture, process, store, and display an image on Android phones Other sensors on Android phones If you have been using Eclipse with ADT, be
Android Application Development
Android Application Development 3TECHSOFT INNOVATION*INTELLIGENCE*INFORMATION Effective from: JUNE 2013 Noida Office: A-385, Noida (UP)- 201301 Contact us: Email: [email protected] Website: www.3techsoft.com
Developer's Cookbook. Building Applications with. The Android. the Android SDK. A Addison-Wesley. James Steele Nelson To
The Android Developer's Cookbook Building Applications with the Android SDK James Steele Nelson To A Addison-Wesley Upper Saddle River, NJ Boston «Indianapolis San Francisco New York Toronto Montreal London
Beginner s Android Development Tutorial!
Beginner s Android Development Tutorial! Georgia Tech Research Network Operations Center (RNOC)! cic.gatech.edu Questions? Get in touch! piazza.com/gatech/spring2015/cic [email protected]
Table of Contents. Adding Build Targets to the SDK 8 The Android Developer Tools (ADT) Plug-in for Eclipse 9
SECOND EDITION Programming Android kjj *J} Zigurd Mednieks, Laird Dornin, G. Blake Meike, and Masumi Nakamura O'REILLY Beijing Cambridge Farnham Koln Sebastopol Tokyo Table of Contents Preface xiii Parti.
Creating a 2D Game Engine for Android OS. Introduction
Creating a 2D Game Engine for Android OS Introduction This tutorial will lead you through the foundations of creating a 2D animated game for the Android Operating System. The goal here is not to create
ANDROID INTRODUCTION TO ANDROID
ANDROID JAVA FUNDAMENTALS FOR ANDROID Introduction History Java Virtual Machine(JVM) JDK(Java Development Kit) JRE(Java Runtime Environment) Classes & Packages Java Basics Data Types Variables, Keywords,
TUTORIAL. BUILDING A SIMPLE MAPPING APPLICATION
Cleveland State University CIS493. Mobile Application Development Using Android TUTORIAL. BUILDING A SIMPLE MAPPING APPLICATION The goal of this tutorial is to create a simple mapping application that
Android Programming Lecture 18: Menus Sensors 11/11/2011
Android Programming Lecture 18: Menus Sensors 11/11/2011 Simple Menu Example Submenu Example Sensors and Actuators Sensors Sensors provide information about the device and its environment Will ignore camera
App Development for Smart Devices. Lec #5: Android Sensors
App Development for Smart Devices CS 495/595 - Fall 2012 Lec #5: Android Sensors Tamer Nadeem Dept. of Computer Science Objective Working in Background Sensor Manager Examples Sensor Types Page 2 What
Obsoleted chapter from The Busy Coder's Guide to Advanced Android Development
CHAPTER 13 "" is Android's overall term for ways that Android can detect elements of the physical world around it, from magnetic flux to the movement of the device. Not all devices will have all possible
Introduction to Android
Introduction to Android Poll How many have an Android phone? How many have downloaded & installed the Android SDK? How many have developed an Android application? How many have deployed an Android application
Android Application Development
Android Application Development Self Study Self Study Guide Content: Course Prerequisite Course Content Android SDK Lab Installation Guide Start Training Be Certified Exam sample Course Prerequisite The
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
Mobile Apps with App Inventor
Mobile Apps with App Inventor written for 91.113 Michael Penta Table of Contents Mobile Apps... 4 Designing Apps in App Inventor... 4 Getting Started... 5 App Inventor Layout... 5 Your First App... 7 Making
Android Basics. Xin Yang 2016-05-06
Android Basics Xin Yang 2016-05-06 1 Outline of Lectures Lecture 1 (45mins) Android Basics Programming environment Components of an Android app Activity, lifecycle, intent Android anatomy Lecture 2 (45mins)
Pedometer Project 1 Mr. Michaud / www.nebomusic.net
Mobile App Design Project Pedometer Using Accelerometer Sensor Description: The Android Phone has a three direction accelerometer sensor that reads the change in speed along three axis (x, y, and z). Programs
Desi g n Document. Life Monitor. Group Members: Kenny Yee Xiangxiong Shi Emmanuel Panaligan
1 Desi g n Document Life Monitor Group Members: Kenny Yee Xiangxiong Shi Emmanuel Panaligan 2 Table of Contents The System ------ 3-4 Device GUI Two Block Diagrams ------ 5-6 The Hardware ------ 7-8 Part
A Scalable Network Monitoring System as a Public Service on Cloud
A Scalable Network Monitoring System as a Public Service on Cloud Network Technology Lab (NTL) NECTEC, THAILAND Chavee Issariyapat Network Technology Lab (NTL), NECTEC, THAILAND [email protected] Network
Module 1: Sensor Data Acquisition and Processing in Android
Module 1: Sensor Data Acquisition and Processing in Android 1 Summary This module s goal is to familiarize students with acquiring data from sensors in Android, and processing it to filter noise and to
AUTOMATIC HUMAN FREE FALL DETECTION USING ANDROID
AUTOMATIC HUMAN FREE FALL DETECTION USING ANDROID Mrs.P.Booma devi 1, Mr.S.P.Rensingh Xavier 2 Assistant Professor, Department of EEE, Ratnavel Subramaniam College of Engineering and Technology, Dindigul
ANDROID ALERT APP (SHOP SALE)
Bachelor's thesis (TUAS) Degree Programme in Information Technology Specialization: Android App Development 2014 Raj kumar Singh ANDROID ALERT APP (SHOP SALE) BACHELOR S THESIS ABSTRACT TURKU UNIVERSITY
Google Android Syllabus
Google Android Syllabus Introducing the Android Computing Platform A New Platform for a New Personal Computer Early History of Android Delving Into the Dalvik VM Understanding the Android Software Stack
AdFalcon Android SDK 2.1.4 Developer's Guide. AdFalcon Mobile Ad Network Product of Noqoush Mobile Media Group
AdFalcon Android SDK 214 Developer's Guide AdFalcon Mobile Ad Network Product of Noqoush Mobile Media Group Table of Contents 1 Introduction 3 Supported Android version 3 2 Project Configurations 4 Step
Developing Applications for ios
Developing Applications for ios Lecture 1: Mobile Applications Development Radu Ionescu [email protected] Faculty of Mathematics and Computer Science University of Bucharest Content Key concepts
Android (Basic + Advance) Application Development
Android (Basic + Advance) Application Development You will learn how to create custom widgets, create animations, work with camera, use sensors, create and use advanced content providers and much more.
Mocean Android SDK Developer Guide
Mocean Android SDK Developer Guide For Android SDK Version 3.2 136 Baxter St, New York, NY 10013 Page 1 Table of Contents Table of Contents... 2 Overview... 3 Section 1 Setup... 3 What changed in 3.2:...
How To Write A File Station In Android.Com (For Free) On A Microsoft Macbook Or Ipad (For A Limited Time) On An Ubuntu 8.1 (For Ubuntu) On Your Computer Or Ipa (For
QtsHttp Java Sample Code for Android Getting Started Build the develop environment QtsHttp Java Sample Code is developed using ADT Bundle for Windows. The ADT (Android Developer Tools) Bundle includes:
CHAPTER 1: INTRODUCTION TO ANDROID, MOBILE DEVICES, AND THE MARKETPLACE
FOREWORD INTRODUCTION xxiii xxv CHAPTER 1: INTRODUCTION TO ANDROID, MOBILE DEVICES, AND THE MARKETPLACE 1 Product Comparison 2 The.NET Framework 2 Mono 3 Mono for Android 4 Mono for Android Components
Mobile Application GPS-Based
3 Mobile Application GPS-Based Berta Buttarazzi University of Tor Vergata, Rome, Italy 1. Introduction Most of navigators for mobile devices have a big failure; they do not notify the user of road condition
CSE476 Mobile Application Development. Yard. Doç. Dr. Tacha Serif [email protected]. Department of Computer Engineering Yeditepe University
CSE476 Mobile Application Development Yard. Doç. Dr. Tacha Serif [email protected] Department of Computer Engineering Yeditepe University Fall 2015 Yeditepe University 2015 Outline Bluetooth Connectivity
Android Application Development Distance Learning Program Brochure
Android Application Development Distance Learning Program Brochure About gnxt Systems gnxt systems is an IT professional services and product development company. We provide global solutions in the areas
COURSE CONTENT. GETTING STARTED Select Android Version Create RUN Configuration Create Your First Android Activity List of basic sample programs
COURSE CONTENT Introduction Brief history of Android Why Android? What benefits does Android have? What is OHA & PHA Why to choose Android? Software architecture of Android Advantages, features and market
How To Use Titanium Studio
Crossplatform Programming Lecture 3 Introduction to Titanium http://dsg.ce.unipr.it/ http://dsg.ce.unipr.it/?q=node/37 [email protected] 2015 Parma Outline Introduction Installation and Configuration
Application Development
BEGINNING Android Application Development Wei-Meng Lee WILEY Wiley Publishing, Inc. INTRODUCTION xv CHAPTER 1: GETTING STARTED WITH ANDROID PROGRAMMING 1 What Is Android? 2 Android Versions 2 Features
Mobility Introduction Android. Duration 16 Working days Start Date 1 st Oct 2013
Mobility Introduction Android Duration 16 Working days Start Date 1 st Oct 2013 Day 1 1. Introduction to Mobility 1.1. Mobility Paradigm 1.2. Desktop to Mobile 1.3. Evolution of the Mobile 1.4. Smart phone
ID TECH UniMag Android SDK User Manual
ID TECH UniMag Android SDK User Manual 80110504-001-A 12/03/2010 Revision History Revision Description Date A Initial Release 12/03/2010 2 UniMag Android SDK User Manual Before using the ID TECH UniMag
«compl*tc IDIOT'S GUIDE. Android App. Development. by Christopher Froehlich ALPHA. A member of Penguin Group (USA) Inc.
«compl*tc IDIOT'S GUIDE Android App Development by Christopher Froehlich A ALPHA A member of Penguin Group (USA) Inc. Contents Part 1: Getting Started 1 1 An Open Invitation 3 Starting from Scratch 3 Software
Android Fundamentals 1
Android Fundamentals 1 What is Android? Android is a lightweight OS aimed at mobile devices. It is essentially a software stack built on top of the Linux kernel. Libraries have been provided to make tasks
Frameworks & Android. Programmeertechnieken, Tim Cocx
Frameworks & Android Programmeertechnieken, Tim Cocx Discover thediscover world atthe Leiden world University at Leiden University Software maken is hergebruiken The majority of programming activities
CS 528 Mobile and Ubiquitous Computing Lecture 2: Android Introduction and Setup. Emmanuel Agu
CS 528 Mobile and Ubiquitous Computing Lecture 2: Android Introduction and Setup Emmanuel Agu What is Android? Android is world s leading mobile operating system Google: Owns Android, maintains it, extends
Designing for the Mobile Web Lesson 3: HTML5 Web Apps
Designing for the Mobile Web Lesson 3: HTML5 Web Apps Michael Slater, CEO Andrew DesChenes, Dir. Services [email protected] 888.670.6793 www.webvanta.com Welcome! Four sessions 1: The Mobile
Internal Services. CSE 5236: Mobile Application Development Instructor: Adam C. Champion Course Coordinator: Dr. Rajiv Ramnath
Internal Services CSE 5236: Mobile Application Development Instructor: Adam C. Champion Course Coordinator: Dr. Rajiv Ramnath 1 Internal Services Communication: Email, SMS and telephony Audio and video:
