Android Application Model
|
|
|
- Cynthia Hunter
- 10 years ago
- Views:
Transcription
1 Android Application Model Content - Activities - Intent - Tasks / Applications - Lifecycle - Processes and Thread - Services - Content Provider Dominik Gruntz IMVS [email protected] 1
2 Android Software Stack Java C/C++ Kernel 2
3 Android Building Blocks Activity [User Interaction] UI component typically corresponding of one screen E.g. Contacts: 3 activities: View contacts, Send message, Edit contact Service [Service Provider] Background process without UI (e.g. mp3 player) Messages can be sent from and to a service Content Provider [Data Provider] Enables applications to share data E.g. Contacts are provided to all applications Broadcast Intent Receiver Responds to external events, can wake up your process Phone rings, network activity established, time controlled 3
4 Activity Activity is usually a single screen Implemented as a single class extending Activity Displays user interface controls (views) Reacts on user input / events An application typically consists of several screens Each screen is implemented by one activity Moving to the next screen means starting a new activity An activity may return a result to the previous activity 4
5 Intents and Intent Filters Intent Intents are used to move from activity to activity Intent describes what the application wants to do Consists of Action to be performed Data to act on (MAIN / VIEW / EDIT / PICK / DELETE / ) (URI) startactivity(new Intent(Intent.VIEW_ACTION, Uri.parse(" startactivity(new Intent(Intent.VIEW_ACTION, Uri.parse("geo: , ")); startactivity(new Intent(Intent.EDIT_ACTION, Uri.parse("content://contacts/people/1")); Comparable to HTTP protocol 5
6 Intents and Intent Filters Intent Filters Description of what intents an activity can handle Activities publish their intent filters in a manifest file <intent-filter android:priority="0"> <action android:name="android.intent.action.view"/> <category android:name="android.intent.category.default"/> <category android:name="android.intent.category.browsable"/> <data android:scheme="geo"/> </intent-filter> Upon invocation of startactivity(intent) the system looks at the intent filters of all installed applications a 6
7 Android Component Model Component Software Activities can reuse functionality from other components simply by making a request in form of an Intent Activities can be replaced at any time by a new Activity with an equivalent Intent Filter Intent i = new Intent( "com.google.android.radar.show_radar"); i.putextra("latitude", 47.6f); i.putextra("longitude", 8.23f); startactivity(i); 7
8 Android Component Model Packaging: APK File (Android Package) Collection of components Components share a set of resources Preferences, Database, File space Components share a Linux process By default, one process per APK APKs are isolated Communication via Intents or AIDL Every component has a managed lifecycle APK Process Activity Activity Content Provider Service 8
9 Task / Application / Process Task (what users know as applications) Collection of related activities Capable of spanning multiple processes Associated with its own UI history stack APK Process APK Process Activity Activity Activity Activity Content Provider Content Provider Service Service 9
10 Task / Application / Process Tasks Processes are started & stopped as needed Processes may be killed to reclaim resources Upon Invocation of another activity, the view state can be saved Home Inbox Details Browse Maps Comparable with EJBs stateful session beans (SFSB) Each Android component has a managed lifecycle 10
11 Activity Life Cycle Active / Running Activity is in foreground Activity has focus Paused Still visible, partially overlaid Lost focus Stopped Activity is not visible Dead Activity was terminated or was never started 11
12 Activity Life Cycle (1/2) oncreate Called when activity is first created (with null parameter) or when activity was killed (called with a bundle) Initialization of views onrestart Called when activity was stopped only onstart Activity becomes visible to user, animations could be started onrestoreinstancestate Restore view state onresume New activity is visible, TOS, camera might be used here 12
13 Activity Life Cycle (2/2) onsaveinstancestate Save UI state of a complex dialog => oncreate => onrestoreinstancestate If application is explicitly finished, this method is not called Called before or after onpause onpause Activity no longer TOS New activity is not started until onpause returns onstop Activity no longer visible ondestroy Release resources; it is not guaranteed that this method is called 13
14 Activity Life Cycle Sample Child Activity oncreate(null) -> onstart -> onresume() onsaveinstancestate() -> onpause() -> onstop() onrestart() -> onstart() -> onresume() Transparent View oncreate(null) -> onstart -> onresume() onsaveinstancestate() -> onpause() onresume() Turn Display oncreate(null) -> onstart -> onresume() onsaveinstancestate() -> onpause() -> onstop() -> ondestroy() -> oncreate() -> onstart() -> onrestoreinstancestate() -> onresume() 14
15 Process / Thread Threading Overview Each process has one thread (by default) => Single Threaded Model Threads and Loopers Each thread has a Looper to handle a message queue Events from all components are interleaved into the looper/queue APK Process Thread Looper 1 Handler * 1 1 Message Queue 15
16 Process / Thread ActivityThread Manages the main thread in an application process Calls Looper.loop Looper.loop APK Process while(true){ Message m=queue.next(); // may block if(m!=null){ m.target.dispatch- Message(m); m.recycle(); } } Activity Activity Intent Recvr Thread Looper Message Queue UI Events Local Service Calls System Events 16
17 Process / Thread Location Update in HikeTracker 17
18 Process / Thread Inactive Activities If an activity does not consume events, the system assumes that the activity has a problem 18
19 Dealing with Threads button.setonclicklistener(new OnClickListener() public void onclick(view v) { new Thread() public void run() { input1.settext("" + counter1++); } }.start(); } }); checkroot Compares current thread with thread which created the view 19
20 Dealing with Threads Activity.runOnUiThread(Runnable) Runs the specified action on the UI thread, i.e. the action is posted into the event queue of the UI thread Handler Associated with a thread and its message queue Used to add messages in the message queue sendmessage postrunnable sendmessageatfrontofqueue postatfrontofqueue sendmessageattime postattime sendmessagedelayed postdelayed Used to handle the request (called by associated thread) 20
21 Process & Security Security Model Each application runs in its own process Has its own unique Linux User ID Each application has access to its own data USER PID PPID VSIZE RSS WCHAN PC NAME root c008be9c afe0b874 S zygote radio ffffffff afe0c824 S com.android.phone app_ ffffffff afe0c824 S android.process.acore app_ ffffffff afe0c824 S com.google.process.gapps app_ ffffffff afe0c824 S com.android.mms app_ ffffffff afe0c824 S ch.fhnw.imvs.hello app_ ffffffff afe0c824 S com.android.alarmclock app_ ffffffff afe0c824 S android.process.media Other resources are only available by defined interfaces Services Content Provider [exposes functionality] [exposes data] 21
22 Service Characteristics Execution of long running tasks and business logic outside an activity E.g. a background task that has to download data periodically Services can explicitly be started and stopped Communication with service In-process if service runs in same APK Inter-Process Communication across APKs (AIDL) 22
23 Service Sample (1/2) public class CounterService extends Service { private static final long UPDATE_INTERVAL = 1000; private Timer timer = new Timer(); private static long counter = 0; private static CounterListener listener; public static void setcounterlistener(counterlistener l) { listener = l; } public IBinder onbind(intent intent) { return null; } public void oncreate() { super.oncreate(); starttimer(); } public void ondestroy(){ super.ondestroy(); stoptimer(); } 23
24 Service Sample (2/2) private void starttimer() { timer.scheduleatfixedrate(new TimerTask() { public void run() { counter++; if (CounterService.listener!= null) { CounterService.listener. countervaluechanged(counter); } } }, 0, UPDATE_INTERVAL); } } private void stoptimer() { timer.cancel(); } 24
25 Service Example: Invocation Activity.onCreate: register call-back interface CounterService.setCounterListener(new CounterListener() { public void countervaluechanged(final long value) { HelloAndroid.this.runOnUiThread(new Runnable() { public void run() { input.settext("" + value); } }); } }); Start/Stop service startservice(new Intent(this, CounterService.class)); stopservice(new Intent(this, CounterService.class)); 25
26 Content Provider Content Provider The only way to share data between Android Packages Implements a standard set of methods to provide access to data Any form of storage can be used SQLite DB Files APK Remote Store Process APK Process Activity Activity Activity Content Provider 26
27 Content Provider Content Provider Interface abstract class ContentProvider { public Cursor query(uri uri, String[] projection, String selection, String[] selectionargs, String sortorder); public Uri insert(uri uri, ContentValues values) public int delete(uri uri, String selection, String[] selectionargs); String gettype(uri uri); } public int update(contenturi uri, ContentValues values, String selection, String[] selectionargs) 27
28 Content Provider Access to Data Providers Comparable to a DB Access (Cursor) Identification via URI content://contacts/phones String[] projections = new String[]{ "number", "name", "_id", "photo"}; Cursor cur = managedquery( new ContentURI("content://contacts/phones"), projections, null, "name ASC"); 28
29 Content Provider Sample public class Provider extends android.content.contentprovider { public static final android.net.uri CONTENT_URI = Uri.parse("content://ch.fhnw.imvs.fibonacci/numbers"); public static final String ID = BaseColumns._ID; public static final String VALUE = "value"; public boolean oncreate() { return true; } public Cursor query(uri uri, String[] projection, String selection, String[] selectionargs, String sortorder){ } MatrixCursor c =new MatrixCursor(new String[]{ID,VALUE},10); for(int i=0; i<10; i++) c.addrow(new Object[]{i, getnumber(i)}); return c; 29
30 Summary Scalability Model well suited for mobile devices Reduced memory Phone calls have higher priority than other applications Component Model Interesting programming model Existing activities may be reused / extended 30
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
Mobile Security - Tutorial 1. Beginning Advanced Android Development Brian Ricks Fall 2014
Mobile Security - Tutorial 1 Beginning Advanced Android Development Brian Ricks Fall 2014 Before we begin... I took your Wireless Network Security course in Spring... are you gonna have memes in this?
INTRODUCTION TO ANDROID CSCI 4448/5448: OBJECT-ORIENTED ANALYSIS & DESIGN LECTURE 11 02/15/2011
INTRODUCTION TO ANDROID CSCI 4448/5448: OBJECT-ORIENTED ANALYSIS & DESIGN LECTURE 11 02/15/2011 1 Goals of the Lecture Present an introduction to the Android Framework Coverage of the framework will be
Android For Java Developers. Marko Gargenta Marakana
Android For Java Developers Marko Gargenta Marakana Agenda Android History Android and Java Android SDK Hello World! Main Building Blocks Debugging Summary History 2005 Google buys Android, Inc. Work on
Android Services. Android. Victor Matos
Lesson 22 Android Victor Matos Cleveland State University Notes are based on: Android Developers http://developer.android.com/index.html Portions of this page are reproduced from work created and shared
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
Android Development. Marc Mc Loughlin
Android Development Marc Mc Loughlin Android Development Android Developer Website:h:p://developer.android.com/ Dev Guide Reference Resources Video / Blog SeCng up the SDK h:p://developer.android.com/sdk/
App Development for Smart Devices. Lec #4: Services and Broadcast Receivers Try It Out
App Development for Smart Devices CS 495/595 - Fall 2013 Lec #4: Services and Broadcast Receivers Try It Out Tamer Nadeem Dept. of Computer Science Try It Out Example 1 (in this slides) Example 2 (in this
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
Mono for Android Activity Lifecycle Activity Lifecycle Concepts and Overview
Mono for Android Lifecycle Lifecycle Concepts and Overview Xamarin Inc. BRIEF Overview Activities are a fundamental building block of Android Applications and they can exist in a number of different states.
Basics of Android Development 1
Departamento de Engenharia Informática Minds-On Basics of Android Development 1 Paulo Baltarejo Sousa [email protected] 2016 1 The content of this document is based on the material presented at http://developer.android.com
An Introduction to Android Application Development. Serdar Akın, Haluk Tüfekçi
An Introduction to Android Application Serdar Akın, Haluk Tüfekçi ARDIC ARGE http://www.ardictech.com April 2011 Environment Programming Languages Java (Officially supported) C (Android NDK Needed) C++
A Short Introduction to Android
A Short Introduction to Android Notes taken from Google s Android SDK and Google s Android Application Fundamentals 1 Plan For Today Lecture on Core Android Three U-Tube Videos: - Architecture Overview
App Development for Smart Devices. Lec #2: Android Tools, Building Applications, and Activities
App Development for Smart Devices CS 495/595 - Fall 2011 Lec #2: Android Tools, Building Applications, and Activities Tamer Nadeem Dept. of Computer Science Objective Understand Android Tools Setup Android
ECWM511 MOBILE APPLICATION DEVELOPMENT Lecture 1: Introduction to Android
Why Android? ECWM511 MOBILE APPLICATION DEVELOPMENT Lecture 1: Introduction to Android Dr Dimitris C. Dracopoulos A truly open, free development platform based on Linux and open source A component-based
Università Degli Studi di Parma. Distributed Systems Group. Android Development. Lecture 2 Android Platform. Marco Picone - 2012
Android Development Lecture 2 Android Platform Università Degli Studi di Parma Lecture Summary 2 The Android Platform Dalvik Virtual Machine Application Sandbox Security and Permissions Traditional Programming
Introduction to Android: Hello, Android! 26 Mar 2010 CMPT166 Dr. Sean Ho Trinity Western University
Introduction to Android: Hello, Android! 26 Mar 2010 CMPT166 Dr. Sean Ho Trinity Western University Android OS Open-source mobile OS (mostly Apache licence) Developed by Google + Open Handset Alliance
Android Services. Services
Android Notes are based on: Android Developers http://developer.android.com/index.html 22. Android Android A Service is an application component that runs in the background, not interacting with the user,
Android app development course
Android app development course Unit 5- + Enabling inter-app communication. BroadcastReceivers, ContentProviders. App Widgets 1 But first... just a bit more of Intents! Up to now we have been working with
Operating System Support for Inter-Application Monitoring in Android
Operating System Support for Inter-Application Monitoring in Android Daniel M. Jackowitz Spring 2013 Submitted in partial fulfillment of the requirements of the Master of Science in Software Engineering
Deep Inside Android. OpenExpo 2008 - Zurich September 25 th, 2008. Gilles Printemps - Senior Architect. Copyright 2007 Esmertec AG.
Deep Inside Android OpenExpo 2008 - Zurich September 25 th, 2008 Copyright 2007 Esmertec AG Jan 2007 Gilles Printemps - Senior Architect Agenda What is Android? The Android platform Anatomy of an Android
Q1. What method you should override to use Android menu system?
AND-401 Exam Sample: Q1. What method you should override to use Android menu system? a. oncreateoptionsmenu() b. oncreatemenu() c. onmenucreated() d. oncreatecontextmenu() Answer: A Q2. What Activity method
Android Java Live and In Action
Android Java Live and In Action Norman McEntire Founder, Servin Corp UCSD Extension Instructor [email protected] Copyright (c) 2013 Servin Corp 1 Opening Remarks Welcome! Thank you! My promise
Android Development Exercises Version - 2012.02. Hands On Exercises for. Android Development. v. 2012.02
Hands On Exercises for Android Development v. 2012.02 WARNING: The order of the exercises does not always follow the same order of the explanations in the slides. When carrying out the exercises, carefully
ANDROID PROGRAMMING - INTRODUCTION. Roberto Beraldi
ANDROID PROGRAMMING - INTRODUCTION Roberto Beraldi Introduction Android is built on top of more than 100 open projects, including linux kernel To increase security, each application runs with a distinct
AndroLIFT: A Tool for Android Application Life Cycles
AndroLIFT: A Tool for Android Application Life Cycles Dominik Franke, Tobias Royé, and Stefan Kowalewski Embedded Software Laboratory Ahornstraße 55, 52074 Aachen, Germany { franke, roye, kowalewski}@embedded.rwth-aachen.de
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
Programming with Android: System Architecture. Dipartimento di Scienze dell Informazione Università di Bologna
Programming with Android: System Architecture Luca Bedogni Marco Di Felice Dipartimento di Scienze dell Informazione Università di Bologna Outline Android Architecture: An Overview Android Dalvik Java
TomTom PRO 82xx PRO.connect developer guide
TomTom PRO 82xx PRO.connect developer guide Contents Introduction 3 Preconditions 4 Establishing a connection 5 Preparations on Windows... 5 Preparations on Linux... 5 Connecting your TomTom PRO 82xx device
A model driven approach for Android applications development
A model driven approach for Android applications development Abilio G. Parada, Lisane B. de Brisolara Grupo de Arquitetura e Circuitos Integrados (GACI) Centro de Desenvolvimento Tecnológico (CDTec) Universidade
Login with Amazon Getting Started Guide for Android. Version 2.0
Getting Started Guide for Android Version 2.0 Login with Amazon: Getting Started Guide for Android Copyright 2016 Amazon.com, Inc., or its affiliates. All rights reserved. Amazon and the Amazon logo are
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 BASED MOBILE APPLICATION DEVELOPMENT and its SECURITY
ANDROID BASED MOBILE APPLICATION DEVELOPMENT and its SECURITY Suhas Holla #1, Mahima M Katti #2 # Department of Information Science & Engg, R V College of Engineering Bangalore, India Abstract In the advancing
A Look through the Android Stack
A Look through the Android Stack A Look through the Android Stack Free Electrons Maxime Ripard Free Electrons Embedded Linux Developers c Copyright 2004-2012, Free Electrons. Creative Commons BY-SA 3.0
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:
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)
ANDROID PROGRAMMING - INTRODUCTION. Roberto Beraldi
ANDROID PROGRAMMING - INTRODUCTION Roberto Beraldi Introduction Android is built on top of more than 100 open projects, including linux kernel To increase security, each application runs with a distinct
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.
Android Application Development - Exam Sample
Android Application Development - Exam Sample 1 Which of these is not recommended in the Android Developer's Guide as a method of creating an individual View? a Create by extending the android.view.view
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
Android Security Lab WS 2014/15 Lab 1: Android Application Programming
Saarland University Information Security & Cryptography Group Prof. Dr. Michael Backes saarland university computer science Android Security Lab WS 2014/15 M.Sc. Sven Bugiel Version 1.0 (October 6, 2014)
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
How To Develop Android On Your Computer Or Tablet Or Phone
AN INTRODUCTION TO ANDROID DEVELOPMENT CS231M Alejandro Troccoli Outline Overview of the Android Operating System Development tools Deploying application packages Step-by-step application development The
Android Application Development. Daniel Switkin Senior Software Engineer, Google Inc.
Android Application Development Daniel Switkin Senior Software Engineer, Google Inc. Goal Get you an idea of how to start developing Android applications Introduce major Android application concepts Walk
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
Here to take you beyond Mobile Application development using Android Course details
Here to take you beyond Mobile Application development using Android Course details Mobile Application Development using Android Objectives: To get you started with writing mobile application using Android
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
Detecting privacy leaks in Android Apps
Detecting privacy leaks in Android Apps Li Li, Alexandre Bartel, Jacques Klein, and Yves le Traon University of Luxembourg - SnT, Luxembourg {li.li,alexandre.bartel,jacques.klein,yves.letraon}@uni.lu Abstract.
Developing Mobile Device Management for 15 million devices (case study) Rim KHAZHIN
Developing Mobile Device Management for 15 million devices (case study) whoami software architect @ btt ltd space technologies research institute Ericsson mobility world underwater photographer why am
4. The Android System
4. The Android System 4. The Android System System-on-Chip Emulator Overview of the Android System Stack Anatomy of an Android Application 73 / 303 4. The Android System Help Yourself Android Java Development
Android 多 核 心 嵌 入 式 多 媒 體 系 統 設 計 與 實 作
Android 多 核 心 嵌 入 式 多 媒 體 系 統 設 計 與 實 作 Android Application Development 賴 槿 峰 (Chin-Feng Lai) Assistant Professor, institute of CSIE, National Ilan University Nov. 10 th 2011 2011 MMN Lab. All Rights Reserved
Praktikum Entwicklung Mediensysteme (für Master)
Praktikum Entwicklung Mediensysteme (für Master) An Introduction to Android An Introduction to Android What is Android? Installation Getting Started Anatomy of an Android Application Life Cycle of an Android
Spring Design ScreenShare Service SDK Instructions
Spring Design ScreenShare Service SDK Instructions V1.0.8 Change logs Date Version Changes 2013/2/28 1.0.0 First draft 2013/3/5 1.0.1 Redefined some interfaces according to issues raised by Richard Li
ODROID Multithreading in Android
Multithreading in Android 1 Index Android Overview Android Stack Android Development Tools Main Building Blocks(Activity Life Cycle) Threading in Android Multithreading via AsyncTask Class Multithreading
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
Mobile Applications Grzegorz Budzyń Lecture. 2: Android Applications
Mobile Applications Grzegorz Budzyń Lecture 2: Android Applications Plan History and background Application Fundamentals Application Components Activities Services Content Providers Broadcast Receivers
SDK Quick Start Guide
SDK Quick Start Guide Table of Contents Requirements...3 Project Setup...3 Using the Low Level API...9 SCCoreFacade...9 SCEventListenerFacade...10 Examples...10 Call functionality...10 Messaging functionality...10
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:...
ANDROID. Programming basics
ANDROID Programming basics Overview Mobile Hardware History Android evolution Android smartphone overview Hardware components at high level Operative system Android App development Why Android Apps? History
App Development for Android. Prabhaker Matet
App Development for Android Prabhaker Matet Development Tools (Android) Java Java is the same. But, not all libs are included. Unused: Swing, AWT, SWT, lcdui Eclipse www.eclipse.org/ ADT Plugin for Eclipse
Mobile App Sensor Documentation (English Version)
Mobile App Sensor Documentation (English Version) Mobile App Sensor Documentation (English Version) Version: 1.2.1 Date: 2015-03-25 Author: email: Kantar Media spring [email protected] Content Mobile App
Understanding Android s Security Framework
Understanding Android s Security Framework William Enck and Patrick McDaniel Tutorial October 2008 Systems and Internet Infrastructure Security Laboratory (SIIS) 1 2 Telecommunications Nets. The telecommunications
Admin. Mobile Software Development Framework: Android Activity, View/ViewGroup, External Resources. Recap: TinyOS. Recap: J2ME Framework
Admin. Mobile Software Development Framework: Android Activity, View/ViewGroup, External Resources Homework 2 questions 10/9/2012 Y. Richard Yang 1 2 Recap: TinyOS Hardware components motivated design
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
How to Program an Android Application to Access and Manage the Wi-Fi Capabilities of a Smartphone
ECE 480 DESIGN TEAM 2 How to Program an Android Application to Access and Manage the Wi-Fi Capabilities of a Smartphone Application Note Matt Gottshall 4/1/2011 This application note is designed to teach
INTERMEDIATE ANDROID DEVELOPMENT Course Syllabus
6111 E. Skelly Drive P. O. Box 477200 Tulsa, OK 74147-7200 INTERMEDIATE ANDROID DEVELOPMENT Course Syllabus Course Number: APD-0248 OHLAP Credit: No OCAS Code: None Course Length: 120 Hours Career Cluster:
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]
Getting started with Android and App Engine
Getting started with Android and App Engine About us Tim Roes Software Developer (Mobile/Web Solutions) at inovex GmbH www.timroes.de www.timroes.de/+ About us Daniel Bälz Student/Android Developer at
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 Dalvik Debug
SCanDroid: Automated Security Certification of Android Applications
SCanDroid: Automated Security Certification of Android Applications Adam P. Fuchs, Avik Chaudhuri, and Jeffrey S. Foster University of Maryland, College Park {afuchs,avik,jfoster}@cs.umd.edu Abstract Android
Android Geek Night. Application framework
Android Geek Night Application framework Agenda 1. Presentation 1. Trifork 2. JAOO 2010 2. Google Android headlines 3. Introduction to an Android application 4. New project using ADT 5. Main building blocks
Developer Guide. Android Printing Framework. ISB Vietnam Co., Ltd. (IVC) Page i
Android Printing Framework ISB Vietnam Co., Ltd. (IVC) Page i Table of Content 1 Introduction... 1 2 Terms and definitions... 1 3 Developer guide... 1 3.1 Overview... 1 3.2 Configure development environment...
Overview of CS 282 & Android
Overview of CS 282 & Android Douglas C. Schmidt [email protected] www.dre.vanderbilt.edu/~schmidt Institute for Software Integrated Systems Vanderbilt University Nashville, Tennessee, USA CS 282
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
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.
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
Testing Network Performance and Location Based Services throughout Calling and SMS Applications in Android
Testing Network Performance and Location Based Services throughout Calling and SMS Applications in Android Ahmad Shekhan Imran Siddique This thesis is presented as part of degree of Bachelor of Science
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
Introduction to NaviGenie SDK Client API for Android
Introduction to NaviGenie SDK Client API for Android Overview 3 Data access solutions. 3 Use your own data in a highly optimized form 3 Hardware acceleration support.. 3 Package contents.. 4 Libraries.
Android Developer Fundamental 1
Android Developer Fundamental 1 I. Why Learn Android? Technology for life. Deep interaction with our daily life. Mobile, Simple & Practical. Biggest user base (see statistics) Open Source, Control & Flexibility
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
Developing for MSI Android Devices
Android Application Development Enterprise Features October 2013 Developing for MSI Android Devices Majority is the same as developing for any Android device Fully compatible with Android SDK We test using
AppIntent: Analyzing Sensitive Data Transmission in Android for Privacy Leakage Detection
AppIntent: Analyzing Sensitive Data Transmission in Android for Privacy Leakage Detection Zhemin Yang Fudan University [email protected] Guofei Gu Texas A&M University [email protected] Min Yang
Developing NFC Applications on the Android Platform. The Definitive Resource
Developing NFC Applications on the Android Platform The Definitive Resource Part 1 By Kyle Lampert Introduction This guide will use examples from Mac OS X, but the steps are easily adaptable for modern
Performance issues in writing Android Apps
Performance issues in writing Android Apps Octav Chipara The process of developing Android apps problem definition focus: define the problem what is the input/out? what is the criteria for success? develop
IBM Tealeaf CX Mobile Android Logging Framework Version 9 Release 0.1 December 4, 2104. IBM Tealeaf CX Mobile Android Logging Framework Guide
IBM Tealeaf CX Mobile Android Logging Framework Version 9 Release 0.1 December 4, 2104 IBM Tealeaf CX Mobile Android Logging Framework Guide Note Before using this information and the product it supports,
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
