! Sensors in Android devices. ! Motion sensors. ! Accelerometer. ! Gyroscope. ! Supports various sensor related tasks
|
|
|
- Andrew Daniel
- 10 years ago
- Views:
Transcription
1 CSC 472 / 372 Mobile Application Development for Android Prof. Xiaoping Jia School of Computing, CDM DePaul University Outline Sensors in Android devices Motion sensors Accelerometer Gyroscope 2 Sensors Convert a wide range of physical measurements into digital signals. Android devices may include several types of sensors Motion sensors Measure the acceleration, linear and rotational, of the device Position sensors Measure the position and orientation of the device, e.g., geo location, proximity Environment sensors Measure environmental parameters, e.g., ambient temperature and pressure, illumination, and humidity, etc. Android Sensor Framework Supports various sensor related tasks Determine the availability and capability of sensors Acquire raw data from sensors at a given sampling rate Monitor sensor changes using sensor listeners 3 4
2 Sensor Types Sensors in Android can be hardware-based or software-based Hardware-based sensors are physical components built into a device You may acquire the raw data e.g., accelerometer, gyroscope Software-based sensors derive data from one or more hardware-based sensors a.k.a. virtual sensors, or synthetic sensors, e.g., gravity Use the same API as the hardware-based sensors Why Motion Sensors? Your device is aware of its precise motion within its environment Controls are no longer limited to the UI widgets on the screen Opens the door to a new world of gaming possibilities other creative uses 5 6 The Accelerometer A hardware-based sensor measures accelerations (in m/s 2 ) in each of the three physical axes. Acceleration is the rate of change of velocity. Acceleration of a device = Earth Gravity + User Acceleration Present in early Android devices API available since Android 1.5 (API level 3) Low power consumption Responsive Noisy Acceleration Data The accelerometer measures the acceleration of the device (A d ) The relation to forces applied to the sensor (F s ) A d = - F s / mass The forces include the force of gravity Newton s Second Law of Motion (1687) F = m a 1 N = 1 kg m/s 2 Sir Isaac Newton
3 Gravity When the device is still, the accelerometer reading is g 9.81m/s2 Average Earth gravitational acceleration at sea level The Gyroscope Galileo Galilei Separate the gravity User acceleration Ad = - g - F / mass Two software-based sensors A device for measuring and maintaining orientation A hardware-based sensor measures the rotation rate (in radian/s) around each of the three physical axes Gravity Earth gravitational acceleration Linear Acceleration Acceleration sans gravity Radian: standard unit of angular measure 1 rad = 180 / π The Gyroscope Gyroscope invented by Léon Foucault in Senor Coordinate System MEMS gyroscope (micro-electromechanical system) API available since Android 2.3 (API level 9) Responsive Precise Inherent bias drift Standard 3-axis coordinate system Relative to the device's screen in the default orientation Never changes when the device is rotated. 14 The coordinate system for 2-D graphics rotates according to the device screen orientation. 15
4 Sensor Manager A system service that manages all sensors Useful methods: Determine availability of sensors getsensorlist(type) Access an instance of a specific type of sensor getdefaultsensor(type) Determine the capability and attribute of a sensor getresolution() getmaximumrange() getrower() Minimum delay in sensing data, i.e., sampling rate getmindelay() Monitoring Sensor Data Implement the callback methods in the Sensor Event Listener interface onsensorchanged() onaccuracychanged() Register the listener and specify a sampling rate Normal ( 5fps), UI ( 17fps), Game ( 50fps) Unregister the listener when unused or paused The system will not disable sensors automatically when the screen turns off Sensor Data The current reading of the sensors are delivered in the values array of the Sensor Event For acceleration data values[0] acceleration along the X axis Values[1] acceleration along the Y axis Values[2] acceleration along the Z axis For rotation data (gyroscope) values[0] rate of rotation around the X axis Values[1] rate of rotation around the Y axis Values[2] rate of rotation around the Z axis The Motion Sensor App Demonstrate the use of motion sensors Acquire data from five sensors Accelerometer Gravity Linear acceleration Gyroscope Gyroscope uncelebrated Display sensor data textually and graphically 18 19
5 The Motion Sensors App Screen Orientation public class MyView extends View { private SensorManager sensormanager; sensormanager; private int[] sensortypes = { Arrays for: sensors, Sensor.TYPE_ACCELEROMETER, listeners, and Sensor.TYPE_GRAVITY, Sensor.TYPE_LINEAR_ACCELERATION, current readings for Sensor.TYPE_GYROSCOPE, each sensor, 3 axes. Sensor.TYPE_GYROSCOPE_UNCALIBRATED }; private Sensor[] Sensor[] sensors sensors == new new Sensor[5]; Sensor[5]; private private private SensorEventListener[] SensorEventListener[] listeners listeners == new new SensorEventListener[5]; SensorEventListener[5]; private float[][] sensordata = new float[5][3]; private float[][] sensordata = new float[5][3]; int[] colors = { }; private String[] labels = { "ACCELEROMETER, "GRAVITY, }; For apps using motion sensors, we want to fix the screen orientation in the Android Manifest <?xml version="1.0" encoding="utf-8"?> <manifest > <application > <activity android:name=".myactivity" android:label="@string/app_name" android:screenorientation="portrait" android:screenorientation="portrait <intent-filter> </intent-filter> </activity> </application> </manifest> > The Constructors Initialize the Sensors private void initsensors() { sensormanager = (SensorManager) getcontext().getsystemservice(context.sensor_service); getcontext().getsystemservice(context.sensor_service); public class MyView extends View { public MyView(Context context) { super(context); initsensors(); public MyView(Context context, AttributeSet attrs) { super(context, attrs); initsensors(); private float[][][] sensordatahistory = new float[200][5][3]; private int start = 0; for (int s = 0; s < 5; s++) { final float[] data = sensordata[s]; sensors[s] sensors[s] = = sensormanager.getdefaultsensor(sensortypes[s]); sensormanager.getdefaultsensor(sensortypes[s]); if (sensors[s] = null) { listeners[s] = new SensorEventListener() { listeners[s] = new SensorEventListener() public public void void onsensorchanged(sensorevent onsensorchanged(sensorevent event) event) for (int (int ii == 0; 0; ii << 3; 3; i++) i++) data[i] data[i] == event.values[i]; event.values[i]; for invalidate(); public void onaccuracychanged(sensor public void onaccuracychanged(sensor sensor, int accuracy) { int accuracy) { }; }; Position of the earliest historic data Store historic sensor data in a circular array. 200 historic data points
6 The Motion Sensors App Register & Unregister the Listeners Displaying the Sensor Data, 1/3 void resume() { for (int s = 0; s < 5; s++) { if (listeners[s] = null) sensormanager.registerlistener(listeners[s],sensors[s], sensors[s], sensormanager.registerlistener(listeners[s], SensorManager.SENSOR_DELAY_NORMAL); SensorManager.SENSOR_DELAY_NORMAL); void pause() { for (int s = 0; s < 5; s++) { if (listeners[s] = null) sensormanager.unregisterlistener(listeners[s]); protected void ondraw(canvas canvas) { canvas.drawcolor(color.white); paint.setantialias(true); Display paint.setcolor(color.black); the sensor paint.settypeface(typeface.default); data textually. paint.settextsize(30); for (int s = 0; s < 5; s++) { String msg = String.format("x=%f y=%f z=%f", sensordata[s][0], sensordata[s][1], sensordata[s][2]); paint.setcolor(colors[s]); canvas.drawtext(labels[s], 20, * s, paint); paint.setcolor(color.black); canvas.drawtext(msg, 50, * s, paint); The Motion Sensors App The Motion Sensors App Displaying the Sensor Data, 2/3 Displaying the Sensor Data, protected void ondraw(canvas canvas) { Display textual data. for (int s = 0; s < 5; s++) { for (int i = 0; i < 3; i++) sensordatahistory[start][s][i] = sensordata[s][i]; start = ++start % 200; Draw historical graph. Add the latest sensor data to historic data array. Drop the earliest data point. protected void ondraw(canvas canvas) { paint.setstyle(paint.style.stroke); for (int s = 0; s < 5; s++) { int ybase = s * 100; paint.setcolor(colors[s]); for (int axis = 0; axis < 3; axis++) { Draw historical graph. int xbase = 20 + axis * 220; Path path = new Path(); path.moveto(xbase, ybase - sensordatahistory[start][s][axis]*8); for (int i = 1; i < 200; i++) { int h = (start + i) % 200; path.lineto(xbase + i, ybase - sensordatahistory[h][s][axis]*8); canvas.drawpath(path, paint); 33
7 The Gravity App Extension of the Bouncing Objects app Drawing using Surface View Use motion sensors to control the movement of the objects. Gravity Linear acceleration (demo) Gyroscope (demo) Most code is same as the Bouncing Objects app The Gravity App public class MyView extends SurfaceView implements SurfaceHolder.Callback { private SensorManager sensormanager; private Sensor sensor; private SensorEventListener listener; private float[] sensordata = new float[3]; private static final int MAX_V = 15; private static final float GRAVITY_F = 0.2f; Constructors and methods Constructors public MyView(Context context) { super(context); init(); public MyView(Context context, AttributeSet attrs) { super(context, attrs); init(); private void init() { holder = getholder(); holder.addcallback(this); initshapes(5); sensormanager = (SensorManager) getcontext().getsystemservice(context.sensor_service); initsensor(sensor.type_gravity); 36 Initialization of the Sensor private void initsensor(int type) { sensor = sensormanager.getdefaultsensor(type); if (sensor = null) { listener = new SensorEventListener() public void onsensorchanged(sensorevent event) { for (int i = 0; i < 3; i++) sensordata[i] = public void onaccuracychanged(sensor sensor, int accuracy) { }; 37
8 Control the Movement of Objects class MyShape { void move() { float gx sensordata[1]; // landscape mode float gx = sensordata[1]; // landscape mode float gy = sensordata[0]; // landscape mode dx += gx * GRAVITY_F; dy += gy * GRAVITY_F; dx = Math.min(Math.max(dx, -MAX_V), MAX_V); dy = Math.min(Math.max(dy, -MAX_V), MAX_V); Rect bounds = drawable.getbounds(); if (bounds.right >= width && dx > 0 bounds.left < 0 && dx < 0) dx = -dx; if (bounds.bottom >= height && dy > 0 bounds.top < 0 && dy < 0) dy = -dy; bounds.left += dx; bounds.right += dx; bounds.top += dy; bounds.bottom += dy; Map the sensor coordinates to 2D landscape coordinates Use acceleration to adjust velocity 40 Register & Unregister the Listener public void startanimation() { done = false; if (listener = null) sensormanager.registerlistener(listener, sensor, SensorManager.SENSOR_DELAY_GANE); if (surfaceavailble) startrenderingthread(); public void stopanimation() { done = true; if (listener = null) sensormanager.unregisterlistener(listener); 41 The Sample Code The sample apps in this lecture are available in D2L MotionSensors.zip Gravity.zip Each zip archive contains the entire project folder Unzip the file and import to Android Studio Next Final project demo, next Tuesday " Android is a trademark of Google Inc. " Some contents and diagrams are from Google Inc. Licensed under Apache 2.0 and Creative Commons Attribution
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,
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 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,
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
ANDROID APPS DEVELOPMENT FOR MOBILE AND TABLET DEVICE (LEVEL II)
Sensor Overview ANDROID APPS DEVELOPMENT FOR MOBILE AND TABLET DEVICE (LEVEL II) Lecture 5: Sensor and Game Development Most Android-powered devices have built-in sensors that measure motion, orientation,
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 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
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
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:
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
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
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 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
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
Programming Mobile Applications with Android
Programming Mobile Applications 22-26 September, Albacete, Spain Jesus Martínez-Gómez Introduction to advanced android capabilities Maps and locations.- How to use them and limitations. Sensors.- Using
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
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 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
HP TouchPad Sensor Setup for Android
HP TouchPad Sensor Setup for Android Coordinate System The Android device framework uses a 3-axis coordinate system to express data values. For the following HP TouchPad sensors, the coordinate system
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
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
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
Lab 1 (Reading Sensors & The Android API) Week 3
ECE155: Engineering Design with Embedded Systems Winter 2013 Lab 1 (Reading Sensors & The Android API) Week 3 Prepared by Kirill Morozov version 1.1 Deadline: You must submit the lab to the SVN repository
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 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
ECE 455/555 Embedded System Design. Android Programming. Wei Gao. Fall 2015 1
ECE 455/555 Embedded System Design Android Programming Wei Gao Fall 2015 1 Fundamentals of Android Application Java programming language Code along with any required data and resource files are compiled
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
Lecture 07: Work and Kinetic Energy. Physics 2210 Fall Semester 2014
Lecture 07: Work and Kinetic Energy Physics 2210 Fall Semester 2014 Announcements Schedule next few weeks: 9/08 Unit 3 9/10 Unit 4 9/15 Unit 5 (guest lecturer) 9/17 Unit 6 (guest lecturer) 9/22 Unit 7,
How to Convert 3-Axis Directions and Swap X-Y Axis of Accelerometer Data within Android Driver by: Gang Chen Field Applications Engineer
Freescale Semiconductor Application Note Document Number: AN4317 Rev. 0, 08/2011 How to Convert 3-Axis Directions and Swap X-Y Axis of Accelerometer Data within Android Driver by: Gang Chen Field Applications
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)
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
Motion Sensing with mcube igyro Delivering New Experiences for Motion Gaming and Augmented Reality for Android Mobile Devices
Motion Sensing with mcube igyro Delivering New Experiences for Motion Gaming and Augmented Reality for Android Mobile Devices MAY 2014 Every high-end smartphone and tablet today contains three sensing
Unit 4 Practice Test: Rotational Motion
Unit 4 Practice Test: Rotational Motion Multiple Guess Identify the letter of the choice that best completes the statement or answers the question. 1. How would an angle in radians be converted to an angle
SENSORS ON ANDROID PHONES. Indian Institute of Technology Kanpur Commonwealth of Learning Vancouver
SENSORS ON ANDROID PHONES Indian Institute of Technology Kanpur Commonwealth of Learning Vancouver Keerthi Kumar Samsung Semiconductors Keerthi Kumar IIT Kanpur Keerthi Kumar Overview What are sensors?
Mobile App Tutorial Animation with Custom View Class and Animated Object Bouncing and Frame Based Animation
Mobile App Tutorial Animation with Custom View Class and Animated Object Bouncing and Frame Based Animation Description of View Based Animation and Control-Model-View Design process In mobile device programming,
WEARIT DEVELOPER DOCUMENTATION 0.2 preliminary release July 20 th, 2013
WEARIT DEVELOPER DOCUMENTATION 0.2 preliminary release July 20 th, 2013 The informations contained in this document are subject to change without notice and should not be construed as a commitment by Si14
Tegra Android Accelerometer Whitepaper
Tegra Android Accelerometer Whitepaper Version 5-1 - Contents INTRODUCTION 3 COORDINATE SPACE GLOSSARY 4 ACCELEROMETER CANONICAL AXES 6 WORKING WITH ACCELEROMETER DATA 7 POWER CONSERVATION 10 SUPPORTING
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
Sensors and Cellphones
Sensors and Cellphones What is a sensor? A converter that measures a physical quantity and converts it into a signal which can be read by an observer or by an instrument What are some sensors we use every
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.
STATIC AND KINETIC FRICTION
STATIC AND KINETIC FRICTION LAB MECH 3.COMP From Physics with Computers, Vernier Software & Technology, 2000. INTRODUCTION If you try to slide a heavy box resting on the floor, you may find it difficult
Experiment: Static and Kinetic Friction
PHY 201: General Physics I Lab page 1 of 6 OBJECTIVES Experiment: Static and Kinetic Friction Use a Force Sensor to measure the force of static friction. Determine the relationship between force of static
Android Programming: 2D Drawing Part 1: Using ondraw
2012 Marty Hall Android Programming: 2D Drawing Part 1: Using ondraw Originals of Slides and Source Code for Examples: http://www.coreservlets.com/android-tutorial/ Customized Java EE Training: http://courses.coreservlets.com/
Physics 40 Lab 1: Tests of Newton s Second Law
Physics 40 Lab 1: Tests of Newton s Second Law January 28 th, 2008, Section 2 Lynda Williams Lab Partners: Madonna, Hilary Clinton & Angie Jolie Abstract Our primary objective was to test the validity
PHY231 Section 2, Form A March 22, 2012. 1. Which one of the following statements concerning kinetic energy is true?
1. Which one of the following statements concerning kinetic energy is true? A) Kinetic energy can be measured in watts. B) Kinetic energy is always equal to the potential energy. C) Kinetic energy is always
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
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
Rotation: Moment of Inertia and Torque
Rotation: Moment of Inertia and Torque Every time we push a door open or tighten a bolt using a wrench, we apply a force that results in a rotational motion about a fixed axis. Through experience we learn
The BSN Hardware and Software Platform: Enabling Easy Development of Body Sensor Network Applications
The BSN Hardware and Software Platform: Enabling Easy Development of Body Sensor Network Applications Joshua Ellul [email protected] Overview Brief introduction to Body Sensor Networks BSN Hardware
AP Physics Circular Motion Practice Test B,B,B,A,D,D,C,B,D,B,E,E,E, 14. 6.6m/s, 0.4 N, 1.5 m, 6.3m/s, 15. 12.9 m/s, 22.9 m/s
AP Physics Circular Motion Practice Test B,B,B,A,D,D,C,B,D,B,E,E,E, 14. 6.6m/s, 0.4 N, 1.5 m, 6.3m/s, 15. 12.9 m/s, 22.9 m/s Answer the multiple choice questions (2 Points Each) on this sheet with capital
Chapter 3.8 & 6 Solutions
Chapter 3.8 & 6 Solutions P3.37. Prepare: We are asked to find period, speed and acceleration. Period and frequency are inverses according to Equation 3.26. To find speed we need to know the distance traveled
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:
Data in seismology: networks, instruments, current problems
Data in seismology: networks, instruments, current problems Seismic networks, data centres, instruments Seismic Observables and their interrelations Seismic data acquisition parameters (sampling rates,
PHY231 Section 1, Form B March 22, 2012
1. A car enters a horizontal, curved roadbed of radius 50 m. The coefficient of static friction between the tires and the roadbed is 0.20. What is the maximum speed with which the car can safely negotiate
Fitness Motion Recognition
Fitness Motion Recognition with Android Wear Edward Dale Freeletics Edward Dale, 2015 1 http://www.someecards.com/usercards/viewcard/mjaxmy1hmjiwmwuzmtc4ndgyota1 Edward Dale, 2015 2 Agenda Define scope
Orbital Mechanics. Angular Momentum
Orbital Mechanics The objects that orbit earth have only a few forces acting on them, the largest being the gravitational pull from the earth. The trajectories that satellites or rockets follow are largely
Affdex SDK for Android. Developer Guide For SDK version 1.0
Affdex SDK for Android Developer Guide For SDK version 1.0 www.affdex.com/mobile-sdk 1 August 4, 2014 Introduction The Affdex SDK is the culmination of years of scientific research into emotion detection,
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
3600 s 1 h. 24 h 1 day. 1 day
Week 7 homework IMPORTANT NOTE ABOUT WEBASSIGN: In the WebAssign versions of these problems, various details have been changed, so that the answers will come out differently. The method to find the solution
EDUH 1017 - SPORTS MECHANICS
4277(a) Semester 2, 2011 Page 1 of 9 THE UNIVERSITY OF SYDNEY EDUH 1017 - SPORTS MECHANICS NOVEMBER 2011 Time allowed: TWO Hours Total marks: 90 MARKS INSTRUCTIONS All questions are to be answered. Use
VELOCITY, ACCELERATION, FORCE
VELOCITY, ACCELERATION, FORCE velocity Velocity v is a vector, with units of meters per second ( m s ). Velocity indicates the rate of change of the object s position ( r ); i.e., velocity tells you how
GRADE 8 SCIENCE INSTRUCTIONAL TASKS. Gravity
GRADE 8 SCIENCE INSTRUCTIONAL TASKS Gravity Grade-Level Expectations The exercises in these instructional tasks address content related to the following science grade-level expectation(s): ESS-M-C3 Relate
Kathy Au Billy Yi Fan Zhou Department of Electrical and Computer Engineering University of Toronto { kathy.au, billy.zhou }@utoronto.
ECE1778 Project Report Kathy Au Billy Yi Fan Zhou Department of Electrical and Computer Engineering University of Toronto { kathy.au, billy.zhou }@utoronto.ca Executive Summary The goal of this project
On Quiz: Change #2 to 9/23
Wednesday, October 1 (!) Objective: SWBAT read and understand speed graphs 1. Pick up something 2. Write HW: Get Test Signed! Everybody!! 3. Warm up quiz today! Folders between you! On Quiz: Change #2
Using the Adafruit Unified Sensor Driver. Created by Kevin Townsend
Using the Adafruit Unified Sensor Driver Created by Kevin Townsend Guide Contents Guide Contents Introduction One Type to Rule Them All Why Is This a Good Thing? Adafruit_Sensor in Detail Standardised
COEFFICIENT OF KINETIC FRICTION
COEFFICIENT OF KINETIC FRICTION LAB MECH 5.COMP From Physics with Computers, Vernier Software & Technology, 2000. INTRODUCTION If you try to slide a heavy box resting on the floor, you may find it difficult
Forces. Definition Friction Falling Objects Projectiles Newton s Laws of Motion Momentum Universal Forces Fluid Pressure Hydraulics Buoyancy
Forces Definition Friction Falling Objects Projectiles Newton s Laws of Motion Momentum Universal Forces Fluid Pressure Hydraulics Buoyancy Definition of Force Force = a push or pull that causes a change
Angular Velocity vs. Linear Velocity
MATH 7 Angular Velocity vs. Linear Velocity Dr. Neal, WKU Given an object with a fixed speed that is moving in a circle with a fixed ius, we can define the angular velocity of the object. That is, we can
C B A T 3 T 2 T 1. 1. What is the magnitude of the force T 1? A) 37.5 N B) 75.0 N C) 113 N D) 157 N E) 192 N
Three boxes are connected by massless strings and are resting on a frictionless table. Each box has a mass of 15 kg, and the tension T 1 in the right string is accelerating the boxes to the right at a
AS COMPETITION PAPER 2008
AS COMPETITION PAPER 28 Name School Town & County Total Mark/5 Time Allowed: One hour Attempt as many questions as you can. Write your answers on this question paper. Marks allocated for each question
ELDERLY SUPPORT - ANDROID APPLICATION FOR FALL DETECTION AND TRACKING TEJITHA RUDRARAJU. B.E, Anna University, India, 2011 A REPORT
ELDERLY SUPPORT - ANDROID APPLICATION FOR FALL DETECTION AND TRACKING By TEJITHA RUDRARAJU B.E, Anna University, India, 2011 A REPORT Submitted in partial fulfillment of the requirements for the degree
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
Centripetal force, rotary motion, angular velocity, apparent force.
Related Topics Centripetal force, rotary motion, angular velocity, apparent force. Principle and Task A body with variable mass moves on a circular path with ad-justable radius and variable angular velocity.
KomliMobile Android SDK
KomliMobile Android SDK Overview Komlimobile Ad banner use a small portion of the screen to entice users to "click through" to a richer, full-screen experience such as a website or app store page. To display
Center of Gravity. We touched on this briefly in chapter 7! x 2
Center of Gravity We touched on this briefly in chapter 7! x 1 x 2 cm m 1 m 2 This was for what is known as discrete objects. Discrete refers to the fact that the two objects separated and individual.
Use the following information to deduce that the gravitational field strength at the surface of the Earth is approximately 10 N kg 1.
IB PHYSICS: Gravitational Forces Review 1. This question is about gravitation and ocean tides. (b) State Newton s law of universal gravitation. Use the following information to deduce that the gravitational
Android and OpenGL. Android Smartphone Programming. Matthias Keil. University of Freiburg
Android and OpenGL Android Smartphone Programming Matthias Keil Institute for Computer Science Faculty of Engineering 16. Dezember 2013 Outline 1 OpenGL Introduction 2 Displaying Graphics 3 Interaction
A DECISION TREE BASED PEDOMETER AND ITS IMPLEMENTATION ON THE ANDROID PLATFORM
A DECISION TREE BASED PEDOMETER AND ITS IMPLEMENTATION ON THE ANDROID PLATFORM ABSTRACT Juanying Lin, Leanne Chan and Hong Yan Department of Electronic Engineering, City University of Hong Kong, Hong Kong,
Making Android Motion Applications Using the Unity 3D Engine
InvenSense Inc. 1197 Borregas Ave., Sunnyvale, CA 94089 U.S.A. Tel: +1 (408) 988-7339 Fax: +1 (408) 988-8104 Website: www.invensense.com Document Number: Revision: Making Android Motion Applications Using
State Newton's second law of motion for a particle, defining carefully each term used.
5 Question 1. [Marks 20] An unmarked police car P is, travelling at the legal speed limit, v P, on a straight section of highway. At time t = 0, the police car is overtaken by a car C, which is speeding
ENGINEERING COUNCIL DYNAMICS OF MECHANICAL SYSTEMS D225 TUTORIAL 1 LINEAR AND ANGULAR DISPLACEMENT, VELOCITY AND ACCELERATION
ENGINEERING COUNCIL DYNAMICS OF MECHANICAL SYSTEMS D225 TUTORIAL 1 LINEAR AND ANGULAR DISPLACEMENT, VELOCITY AND ACCELERATION This tutorial covers pre-requisite material and should be skipped if you are
MMI 2: Mobile Human- Computer Interaction Android
MMI 2: Mobile Human- Computer Interaction Android Prof. Dr. [email protected] Mobile Interaction Lab, LMU München Android Software Stack Applications Java SDK Activities Views Resources Animation
AN APPLYING OF ACCELEROMETER IN ANDROID PLATFORM FOR CONTROLLING WEIGHT
AN APPLYING OF ACCELEROMETER IN ANDROID PLATFORM FOR CONTROLLING WEIGHT Sasivimon Sukaphat Computer Science Program, Faculty of Science, Thailand [email protected] ABSTRACT This research intends to present
Creating a List UI with Android. Michele Schimd - 2013
Creating a List UI with Android Michele Schimd - 2013 ListActivity Direct subclass of Activity By default a ListView instance is already created and rendered as the layout of the activity mylistactivit.getlistview();
Acceleration due to Gravity
Acceleration due to Gravity 1 Object To determine the acceleration due to gravity by different methods. 2 Apparatus Balance, ball bearing, clamps, electric timers, meter stick, paper strips, precision
Experiment 4 ~ Newton s Second Law: The Atwood Machine
xperiment 4 ~ Newton s Second Law: The twood Machine Purpose: To predict the acceleration of an twood Machine by applying Newton s 2 nd Law and use the predicted acceleration to verify the equations of
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
Basic Principles of Inertial Navigation. Seminar on inertial navigation systems Tampere University of Technology
Basic Principles of Inertial Navigation Seminar on inertial navigation systems Tampere University of Technology 1 The five basic forms of navigation Pilotage, which essentially relies on recognizing landmarks
MTw Development Kit WIRELESS MOTION TRACKERS
MTw Development Kit WIRELESS MOTION TRACKERS MTw Development Kit incorporates multiple wireless motion trackers (MTw) with the Awinda Station, dedicated software and a set of full body-click-in straps.
