Introduction
The Core Motion module provides support for monitoring various hardware sensors on iOS devices, such as the accelerometer, gyroscope, and magnetometer. The Core Motion module allows you to access the measurements provided by these sensors.
Requirements
Not all devices have the same hardware sensors, so all features may not be available for all devices. Be sure to use the API to check the device for the existence of a feature.
You can only test the Core Motion module on a device. The Core Motion API cannot be tested on the iOS simulator.
Some features may require permission to use "Motion Activity". iOS requires the user's approval to use the "Motion Activity" permission. When the application uses the Core Motion API for the first time, iOS prompts the user to either approve or deny access to the Core Motion features of the device. The user can change the permission settings with Settings > Privacy.
Concepts
An iOS device contains various sensors on it to measure and collect different measurements. Most modern devices contain an accelerometer, gyroscope and magnetometer:
- Accelerometer: The accelerometer measures the instantaneous g-force acceleration acting on the device along the three spatial axes. The accelerometer measures each force in G's (gravitational force or 9.81 m/s^2). An accelerometer allows the software to know the orientation of the device.
- Gyroscope: The gyroscope measures the instantaneous rotation rate of the device. The gyroscope measures the rotation rate of each individual axis in radians (360 degrees = 2 * pi radians). The gyroscope improves the accuracy of recognizing movement in 3D space.
- Magnetometer: The magnetometer measures the strength and direction of magnetic fields in microteslas. The device uses the magnetometer as a digital compass.
The measurement from these three sensors provide raw data that is used to calculate other useful measurements of the device:
- Activity: The activity indicates the motion activity the user is currently doing with the device, such as walking, running or if the device is in an automobile.
- Attitude: Measurement of the orientation of the device relative to a frame of reference, represented as either Euler angles (roll, pitch and yaw), a rotation matrix, or a quaternion.
- Pedometer: Measures the number of steps the user has taken with the device.
- User Acceleration: Instantaneous acceleration force the user applies to the device.
Coordinate system
The accelerometer and magnetometer measure forces along the three spatial axes. If you hold the device in portrait mode with the screen facing you:
- The X-axis runs along the width of the screen in the center of the device. Positive values are to the right and negative values are to the left. For example, landscape left reports positive values and landscape right reports negative values. Note that the left and right names come from the location of the home button, not the edge of the device.
- The Y-axis runs along the height of the screen in the center of the device. Positive values are up and negative values are down. For example, upside down mode reports positive values and portrait mode reports negative values.
- The Z-axis runs through the screen and back of the device in the center of the device. Positive values are towards the screen and negative values are behind the device. For example, face down reports positive values and face up reports negative values.
 
              The gyroscope measures forces along the three spatial axes. If you hold the device in portrait mode with the screen facing you:
- The X-axis runs along the width of the screen in the center of the device. Rotating the screen down indicates a positive rotation direction.
- The Y-axis runs along the height of the screen in the center of the device. Rotating the screen to the right indicates a positive rotation direction.
- The Z-axis runs through the screen and back of the device in the center of the device. Rotating the device to right landscape mode (left edge down) indicates a positive rotation direction.
Getting started
The Core Motion module is available as part of the Titanium SDK. To use core motion services in your application, add the module as a dependency to your application.
- 
                Modify the modules section of your tiapp.xmlfile to include theti.coremotionmodule or add the module with Studio's TiApp Editor (see Using a Module):<modules><moduleplatform="iphone">ti.coremotion</module></modules>
- 
                Require in the module in your JavaScript code. Use the reference to make API calls to the module. 1234567891011varCoreMotion = require('ti.coremotion');varPedometer = CoreMotion.createPedometer();if(Pedometer.isSupported()) {Pedometer.startPedometerUpdates({start:newDate(newDate().getTime() - 60 * 60 * 1000)// 1 hr ago},function(e) {Ti.API.info(JSON.stringify(e));});}else{Ti.API.warn('This device does not support the pedometer.');}
Using the Core Motion API
The Core Motion API breaks down in to the following six features:
- Device Motion: access the device's data for attitude and user acceleration as well as the raw data sent by the accelerometer, gyroscope and magnetometer
- Activity: access the device's motion activity functionality
- Pedometer: access the device's step counting functionality (replaced the in iOS 7 deprecated Step Counter by covering the same API and additional features)
- Accelerometer: access the device's accelerometer measurements
- Gyroscope: access the device's rotation rate measurements
- Magnetometer: access the device's magnetic field measurements
Each core motion feature follows a basic sequence. To use a core motion feature:
- 
                Create a new accelerometer instance and query the device to see if the feature is available. Use the feature's "is available" method. 12345varAccelerometer = CoreMotion.createAccelerometer();if(Accelerometer.isAccelerometerAvailable()) {// Start the serviceaccelerometer_state =true;}
- Start the service with or without a callback function to start collecting
                data. Use the feature's "start" method.
 - 
                  If you start the service with a callback, use the feature's "set interval" method to determine how often the device sends data to the application. Note that pushing data from the device to the application requires a lot of CPU cycles. The application may not be able to keep up with the data rate if the device moves rapidly. 1234567891011// Send data at 1 s (1000 ms) intervalsAccelerometer.setAccelerometerUpdateInterval(1000);// Start with a callbackAccelerometer.startAccelerometerUpdates(updateAccelData);functionupdateAccelData (e) {data = e.acceleration;xLabel.text = data.x;yLabel.text = data.y;zLabel.text = data.z;}
- 
                  If you start the service without a callback, you need to periodically check for data with the feature's "get" or "query" method. 1234567891011121314// Start without a callback and get dataAccelerometer.startAccelerometerUpdates();// The user manually polls for databutton.addEventListener('click',function(e) {updateAccelData(Accelerometer.getAccelerometerData());});functionupdateAccelData (e) {data = e.acceleration;xLabel.text = data.x;yLabel.text = data.y;zLabel.text = data.z;}
 
- 
                  
- 
                Stop the service when the application does not need to collect data. Use the feature's "stop" method. if(acceleratormeter_state) {Accelerometer.stopAccelerometerUpdates();acceleratormeter_state =false;}
Callbacks
The Core Motion API performs asynchronous calls and relies on callback functions for responses. The callbacks are passed a dictionary as its only argument. The dictionary contains the following common properties:
- code: Returns an error code if the method failed. The value can be one of the following constants:- <CoreMotion>.ERROR_DEVICE_REQUIRES_MOVEMENT: The device must move for a sampling of motion data to occur.
- <CoreMotion>.ERROR_INVALID_PARAMETER: An invalid parameter was specified.
- <CoreMotion>.ERROR_MOTION_ACTIVITY_NOT_AUTHORIZED: The app is not currently authorized to use motion activity support.
- <CoreMotion>.ERROR_MOTION_ACTIVITY_NOT_AVAILABLE: Motion activity support is not available on the current device.
- <CoreMotion>.ERROR_MOTION_ACTIVITY_NOT_ENTITLED: The app is missing a required entitlement.
- <CoreMotion>.ERROR_NULL: No error.
- <CoreMotion>.ERROR_TRUE_NORTH_NOT_AVAILABLE: True north is not available on this device. This usually indicates that the device's location is not yet available.
- <CoreMotion>.ERROR_UNKNOWN: An unknown error occurred.
 
- error: Error message if any.
- success: Returns true if the method succeeded.
- timestamp: Logged time of the measurement. (Only for the "get" methods).
The dictionary also contains properties specific to each feature, reporting different measurements.
Device motion
The Device Motion API captures data from the accelerometer, gyroscope and magnetometer to calculate the attitude of the device and the acceleration applied by the user to the device.
The Device Motion API provides the same interface as the other Core Motion
              APIs except the application can initialize the service with a specific
              reference frame for attitude calculations. Use the availableAttitudeReferenceFrames  method to retrieve a bitmask indicating the available
              reference frames. Use the bitmask to bitwise-AND with a reference frame
              constant to check its availability. The Device Motion API uses the following
              constants:
- <CoreMotion>.ATTITUDE_REFERENCE_FRAME_X_ARBITRARY_CORRECTED_Z_VERTICAL: Describes the same reference frame as- ATTITUDE_REFERENCE_FRAME_X_ARBITRARY_Z_VERTICALexcept that the magnetometer, when available and calibrated, is used to improve long-term yaw accuracy. Using this constant instead of- ATTITUDE_REFERENCE_FRAME_X_ARBITRARY_Z_VERTICALresults in increased CPU usage.
- <CoreMotion>.ATTITUDE_REFERENCE_FRAME_X_ARBITRARY_Z_VERTICAL: Describes a reference frame in which the Z axis is vertical and the X axis points in an arbitrary direction in the horizontal plane.
- <CoreMotion>.ATTITUDE_REFERENCE_FRAME_X_MAGNETIC_NORTH_Z_VERTICAL: Describes a reference frame in which the Z axis is vertical and the X axis points toward magnetic north. Note that using this reference frame may require device movement to calibrate the magnetometer.
- <CoreMotion>.ATTITUDE_REFERENCE_FRAME_X_TRUE_NORTH_Z_VERTICAL: Describes a reference frame in which the Z axis is vertical and the X axis points toward true north. Note that using this reference frame may require device movement to calibrate the magnetometer. It also requires the location to be available in order to calculate the difference between magnetic and true north.
| 1 2 3 4 5 | // Check to see if the true north reference frame is availablevarDeviceMotion = CoreMotion.createDeviceMotion();varframes = DeviceMotion.availableAttitudeReferenceFrames();return(frames & CoreMotion.ATTITUDE_REFERENCE_FRAME_X_TRUE_NORTH_Z_VERTICAL); | 
To retrieve the default reference frame, call the  getAttitudeReferenceFrame method.
If the application gets a valid reference frame, use the startDeviceMotionUpdatesUsingReferenceFrame method to initialize the Device Motion API with the reference frame.
              Pass a dictionary with one key-value pair as the first argument. Set the referenceFrame property to the reference frame constant you want to use. Pass an
              optional callback as the second parameter to the method.
The Device Motion API uses five extra dictionaries to report the motion state of the device:
- attitude: Reports the orientation device in relation to a reference frame. The attitude is reported as either a quaternion, rotation matrix; or the pitch, roll and yaw of the device. The dictionary contains the following properties:
 - pitch: Rotation of the device in radians along the X-axis.
- roll:Rotation of the device in radians along the Y-axis.
- yaw: Rotation of the device in radians along the Z-axis.
- quaternion: Quaternion representing the attitude of the device. Contains four properties:- w,- x,- yand- z, which provides the values along the W-, X-, Y- and Z-axes, respectively.
- rotationMatrix: 2D matrix representing the attitude of the device. Contains nine properties:- m11to- m33, representing the values of the matrix.
 
- gravity: Same dictionary of values returned by the Accelerometer API. Contains three properties: x, y and z, which provides the acceleration values in G's along the X-, Y- and Z-axes, respectively.
- magneticField: Same dictionary of values returned by the Magnetometer API. Contains three properties:- x,- yand- z, which provides the magnetic field values in microteslas along the X-, Y- and Z-axes, respectively.
- rotationRate:Same dictionary of values returned by the Gyroscope API. Contains three properties:- x,- yand- z, which provides the rotational rates in radian along the X-, Y- and Z-axes, respectively.
- userAcceleration: Reports the acceleration applied by the user to the device. Contains three properties:- x,- yand- z, which provides the acceleration values in G's along the X-, Y- and Z-axes, respectively.
Example
The sample below initializes the Device Motion API with the specified reference frame. If the frame is not available, the application falls back to the default frame or no frame. If the user shakes the device for about 3 s, the application determines the direction the user is shaking, based on the user acceleration data. The application outputs the attitude data to the display.
| 1 2 3 4 5 6 7 8 9 10 | <Alloy>    <WindowbackgroundColor="white"layout="vertical">        <Label>Pitch:</Label>        <ProgressBarid="pitch"/>        <Label>Roll:</Label>        <ProgressBarid="roll"/>        <Label>Yaw:</Label>        <ProgressBarid="yaw"/>    </Window></Alloy> | 
| 1 2 3 4 5 6 7 8 9 10 11 12 13 | "ProgressBar": {    "top": 10,    "width": 200,    "min": 0,    "max": 3.1415927},"Label": {    "font": {        textStyle: Ti.UI.TEXT_STYLE_SUBHEADLINE    },    "top": 50,    "left": 10}  | 
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 | varaccelX = accelY = accelZ = 0;varlastX = lastY = lastZ = 0;varACCEL_THRESHOLD = 2;varSHAKE_THRESHOLD = 5;varCoreMotion = require('ti.coremotion');varDeviceMotion = CoreMotion.createDeviceMotion();if(DeviceMotion.isDeviceMotionAvailable()) {    DeviceMotion.setDeviceMotionUpdateInterval(500);    varframes = DeviceMotion.availableAttitudeReferenceFrames();    varref_frame = CoreMotion.ATTITUDE_REFERENCE_FRAME_X_TRUE_NORTH_Z_VERTICAL;    if(frames & ref_frame) {        // Use the True North Frame if available        Ti.API.debug('REFERENCE FRAME: True North');        DeviceMotion.startDeviceMotionUpdatesUsingReferenceFrame(            {referenceFrame: ref_frame},            updateMotionData            );    } elseif(ref_frame = DeviceMotion.getAttitudeReferenceFrame()) {        // Use the default frame if it exists        Ti.API.debug('REFERENCE FRAME: Default '+ ref_frame);        DeviceMotion.startDeviceMotionUpdatesUsingReferenceFrame(            {referenceFrame: ref_frame},            updateMotionData            );            } else{        // Do not use a reference frame        Ti.API.debug('REFERENCE FRAME: None');        DeviceMotion.startDeviceMotionUpdates(updateMotionData);    }}functionupdateMotionData (e) {        if(e.success) {             vardata = e.userAcceleration;        if(Math.abs(lastX - data.x) > ACCEL_THRESHOLD) {            accelX++;        }        if(Math.abs(lastY - data.y) > ACCEL_THRESHOLD) {            accelY++;        }        if(Math.abs(lastZ - data.z) > ACCEL_THRESHOLD) {            accelZ++;        }        analyzeResults();        lastX = data.x;        lastY = data.y;        lastZ = data.z;                data = e.attitude;        $.pitch.message = data.pitch;        $.pitch.value = Math.abs(data.pitch);        $.roll.message = data.roll;        $.roll.value = Math.abs(data.roll);        $.yaw.message = data.yaw;        $.yaw.value = Math.abs(data.yaw);    } else{        if(e.error) Ti.API.error(e.error);    }}functionanalyzeResults() {    if(accelX > SHAKE_THRESHOLD || accelY > SHAKE_THRESHOLD || accelZ >
                              SHAKE_THRESHOLD) {        varerr = SHAKE_THRESHOLD * 0.5;        if(accelX > SHAKE_THRESHOLD && (accelY < err && accelZ
                              < err)) {            alert('Quit shaking me back and forth!');        } elseif(accelY > SHAKE_THRESHOLD && (accelX < err && accelZ
                              < err)) {            alert('Quit shaking me up and down!');        } elseif(accelZ > SHAKE_THRESHOLD && (accelX < err && accelY
                              < err)) {            alert('Why are you shaking me like that?!');        } else{            alert('Quit shaking me!');        }                accelX = accelY = accelZ = 0;    }}$.pitch.show();$.roll.show();$.yaw.show();$.index.open(); | 

Activity
The Activity API determines what the motion-related activity the user is doing with the device and keeps a log of the activities.
The Activity API provides the same basic interface as the other Core Motion APIs except:
- Use the queryActivitymethod to retrieve a log of activities within a time period. Pass a dictionary with two key-value pairs as the first parameter. Set thestartproperty to a JavaScript Date object indicating the start time of the period and theendproperty to a JavaScript Date object indicating the end of the period. Neither of these properties can be left undefined. Pass a callback to handle the query response as the second parameter. Check theactivitiesproperty, which returns an array ofactivitydictionaries, for the query results.
- The dictionary object passed to the callback only contains the activityproperty. The dictionary does not contain thecode,error,successortimestampproperties.
- The Activity API does not have a "set interval" method.
The Activity API uses an  activity dictionary to report the motion state of the device. The  activity dictionary contains the following properties:
- automotive: indicates whether the device is in an automobile.
- running: indicates whether the device is on a running person.
- stationary: indicates whether the device is stationary.
- unknown: indicates whether the type of motion is unknown.
- walking: indicates whether the device is on a walking person.
- confidence: confidence in the assessment of the motion type reported as one of the following constants:
 - <CoreMotion>.MOTION_ACTIVITY_CONFIDENCE_LOW
- <CoreMotion>.MOTION_ACTIVITY_CONFIDENCE_MEDIUM
- <CoreMotion>.MOTION_ACTIVITY_CONFIDENCE_HIGH
 
- startDate: The time at which the change in motion occurred.
The first five properties indicate a possible motion-related activity that
              can be logged. Only one of these properties may be set to true. If you
              passed a callback to the startActivity method, check the activity property for the current results.
Example
The following Alloy application captures the activity log of the device and displays it as a list to the user. The application checks the confidence level of the captured data and see if the activity changed. The application adds the activity data to the collection, which updates the list in the application.
| 1 2 3 4 5 6 7 8 9 10 11 12 | <Alloy>    <Collectionsrc="activities"/>    <Windowclass="container">        <ListViewtop="25">            <ListSectiondataCollection="activities">                <ListItemtitle="{activity}"                    subtitle="{timestamp}"                    template="Ti.UI.LIST_ITEM_TEMPLATE_SUBTITLE"/>            </ListSection>        </ListView>    </Window></Alloy> | 
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 | varactivities = Alloy.Collections.activities;varmodel = Backbone.Model.extend();varCoreMotion = require('ti.coremotion');varMotionActivity = CoreMotion.createMotionActivity();varlast_activity = 'unknown';MotionActivity.startActivityUpdates(updateActivity);functionupdateActivity(e) {    vardata = e.activity;    vardict = {};    // Only capture data if the confidence is medium or high    if(data.confidence != CoreMotion.MOTION_ACTIVITY_CONFIDENCE_LOW) {        dict.timestamp = data.startDate;        if(data.automotive) {            dict.activity = 'automotive';        } elseif(data.running) {            dict.activity = 'running';        } elseif(data.stationary) {            dict.activity = 'stationary';        } elseif(data.walking) {            dict.activity = 'walking';        } else{            return;        }                if(dict.activity === last_activity) {            return;        } else{            activities.add(newmodel(dict));            last_activity = dict.activity;        }        }}$.index.open(); | 
| 1 2 3 4 5 6 7 8 | exports.definition = {    config: {        adapter: {            type: "properties",            collection_name: "activities"        }    }};  | 

Pedometer
The Pedometer API keeps track of how many steps a user takes with the device. The Pedometer API provides the same basic interface as the other Core Motion APIs except:
- The startPedometerUpdatesmethod requires an additional parameter. Pass a dictionary with one key-value pair. Set thestartproperty to a valid date to use when gathering pedometer data. Pedometer API starts counting steps from this date. Pass an optional callback function as the second parameter. Check thenumberOfStepsproperty for the current results.
- The Pedometer API does not have a "set interval" method.
Example
The sample code below uses the Pedometer API to measure the number of steps
              a user takes. The device displays the measurement on screen. The user presses
              the button to retrieve the number of steps taken within the last hour.
              The application calls the queryStepCount method to retrieve the number of steps taken within the last minute.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 | varCoreMotion = require('ti.coremotion');varPedometer = CoreMotion.createPedometer();varwin = Ti.UI.createWindow({ backgroundColor: 'white', layout: 'vertical'});varstep_label = Ti.UI.createLabel({ text: 0, top: 25 });win.add(step_label);varstep_history_label = Ti.UI.createLabel({ text: 'Press the button for step history.', top: 25 });win.add(step_history_label);if(Pedometer.isStepCountingAvailable()) {    Pedometer.startPedometerUpdates({        start: newDate(newDate().getTime() - 60 * 60 * 1000)    }, function(e) {        step_label.text = e.numberOfSteps;    });}varbutton = Ti.UI.createButton({ title: 'Last Minute', top: 25 });button.addEventListener('click', function(e) {    Pedometer.queryPedometerData({        start: newDate(newDate().getTime() - 60*1000),         end: newDate()    }, function(e) {            step_history_label.text = "You walked "+ e.numberOfSteps + " steps in the last minute.";    });});win.add(button);win.open(); | 
Accelerometer
The accelerometer measures the instantaneous g-force acceleration acting on the device along each spatial axis.
The Accelerometer API uses a acceleration dictionary to report the measurements of the device. The dictionary contains
              three properties: x, y and z, which provides the acceleration values in G's along the X-, Y- and Z-axes,
              respectively. If you passed a callback to the setAccelerometerUpdates method, check the acceleration property for these values.
If you want to measure acceleration force the user applies to the phone, use the Device Motion API.
Example
The sample code below use the Accelerometer API to send acceleration data at 1 s intervals. The device displays the data on screen.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 | varCoreMotion = require('ti.coremotion');varAccelerometer = CoreMotion.createAccelerometer();if(Accelerometer.isAccelerometerAvailable()) {    Accelerometer.setAccelerometerUpdateInterval(1000);    Accelerometer.startAccelerometerUpdates(updateAccelData);} else{    alert('Device does not have an accelerometer.');} // GUI to display measurementsvarwin = Ti.UI.createWindow({ backgroundColor: 'white', layout: 'vertical'});varprogress_bar_args = {    max: 1,    min: 0,    value: 0,    width: 200,    top: 50 };varaccelX = Ti.UI.createProgressBar(progress_bar_args);varaccelY = Ti.UI.createProgressBar(progress_bar_args);varaccelZ = Ti.UI.createProgressBar(progress_bar_args);win.add(accelX);win.add(accelY);win.add(accelZ);accelX.show();accelY.show();accelZ.show();functionupdateAccelData (e) {    data = e.acceleration;    accelX.message = "X: "+ data.x;    accelX.value = Math.abs(data.x);    accelY.message = "Y: "+ data.y;    accelY.value = Math.abs(data.y);    accelZ.message = "Z: "+ data.z;    accelZ.value = Math.abs(data.z);}win.open(); | 
Gyroscope
The gyroscope measures the instantaneous rotational rate of the device along each spatial axis.
The Gyroscope API uses a rotationRate dictionary to report the measurements of the device. The dictionary
              contains three properties: x, y and z, which provides the rotational rates in radian along the X-, Y- and Z-axes,
              respectively. If you passed a callback to the setGyroUpdates method, check the rotationRate property for these values.
Example
The sample code below use the Gyroscope API to send rotation rate data at 1s intervals. The device displays the data on screen.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 | varCoreMotion = require('ti.coremotion');varGyroscope = CoreMotion.createGyroscope(); if(Gyroscope.isGyroAvailable()) {    Gyroscope.setGyroUpdateInterval(1000);    Gyroscope.startGyroUpdates(updateGyroData);} else{    alert("Device does not have an gyroscope.");} // GUI to display measurementsvarwin = Ti.UI.createWindow({ backgroundColor: 'white', layout: 'vertical'});varprogress_bar_args = {    max: 1,    min: 0,    value: 0,    width: 200,    top: 50 };vargyroX = Ti.UI.createProgressBar(progress_bar_args);vargyroY = Ti.UI.createProgressBar(progress_bar_args);vargyroZ = Ti.UI.createProgressBar(progress_bar_args);win.add(gyroX);win.add(gyroY);win.add(gyroZ);gyroX.show();gyroY.show();gyroZ.show();functionupdateGyroData (e) {    if(e.success) {        data = e.rotationRate;        gyroX.message = 'X: '+ data.x;        gyroX.value = Math.abs(data.x);        gyroY.message = 'Y: '+ data.y;        gyroY.value = Math.abs(data.y);        gyroZ.message = 'Z: " + data.z;        gyroZ.value = Math.abs(data.z);    } else{        if(e.error) {            Ti.API.error(e.error);        }    }}win.open(); | 
Magnetometer
The magnetometer measures the strength and direction of magnetic fields along each spatial axis.
The Magnetometer API uses a magneticField dictionary to report the measurements of the device. The dictionary contains
              three properties: x, y and z, which provides the magnetic field values in microteslas along the X-,
              Y- and Z-axes, respectively. If you passed a callback to the setMagnetometerUpdates method, check the magnetField property for these values.
Example
The sample code below uses the Magnetometer API to take magnetic field measurements. The user must manually press the button to update the data on the display.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 | varCoreMotion = require('ti.coremotion');varMagnetometer = CoreMotion.createMagnetometer(); if(Magnetometer.isMagnetometerAvailable()) {    Magnetometer.startMagnetometerUpdates();} else{    alert("Device does not have a magnetometer.");}varwin = Ti.UI.createWindow({backgroundColor: 'white', layout: 'vertical'});varxMag = Ti.UI.createLabel({ text: 'X: 0', top: 50 });varyMag = Ti.UI.createLabel({ text: 'Y: 0', top: 50 });varzMag = Ti.UI.createLabel({ text: 'Z: 0', top: 50 });vartotalMag = Ti.UI.createLabel({ text: 'TOTAL: 0', top: 50 });win.add(xMag);win.add(yMag);win.add(zMag);win.add(totalMag);varbutton = Ti.UI.createButton({ title: "Update Values", top: 25 });button.addEventListener('click', function(e) {    updateMagnetometerData(Magnetometer.getMagnetometerData());});win.add(button);functionupdateMagnetometerData (e) {    data = e.magneticField;    xMag.text = "X: "+ data.x;    yMag.text = "Y: "+ data.y;    zMag.text = "Z: "+ data.z;    totalMag.text = "Total: "+ Math.sqrt(data.x * data.x + data.y * data.y + data.z * data.z);}win.open(); |