Application Note: Multipoint Calibration Primer

Size: px
Start display at page:

Download "Application Note: Multipoint Calibration Primer"

Transcription

1 R01- Revised 13Jan04 Application Note: Multipoint Calibration Primer Introduction PNI Corporation s Magneto-Inductive (MI) sensors are based on patented technology that delivers breakthrough, cost-effective magnetic field sensing performance. These sensors change inductance with different applied magnetic fields. This variable inductance property is used in a patented temperature and noise stabilized oscillator/counter circuit to detect field variations. The PNI ASIC is the recommended implementation of this patented circuit, and can be used with the MI sensors to construct a magnetometer with up to 3-axes. PNI Corporation s MI sensors employ a single solenoid winding for each axis and consume roughly an order of magnitude less power than conventional fluxgate or magneto-resistive technologies. The sensor coil serves as the inductive element in a very simple, low-power LR relaxation oscillator, with its effective inductance being influenced by the magnetic field component parallel to the coil axis. The frequency of the oscillation changes with the magnetic field. The ASIC outputs a digital signal that can be fed directly into a microprocessor. This eliminates the need for any signal conditioning or analog/digital interface between the sensor and a microprocessor. The simplicity of the sensor circuit combined with the lack of signal conditioning makes the magneto-inductive sensor easier and less expensive to use in your product design than fluxgate or magneto-resistive sensors. Magneto-inductive sensors and the ASIC are available from PNI Corporation through licensing agreements. Please contact PNI Corporation to discuss the possibility of a license agreement before designing these sensors into your products. This primer will cover the basics if how to determine heading, calibrate out hard iron distortions, and perform sensor gain matching for a compass built with PNI Corporation s sensors and ASIC. More detailed information regarding the use of the ASIC and sensors can be found in their respective data sheets. PNI ASIC PNI Axis Magneto-Inductive Sensor Driver and Controller with SPI Serial Interface (Document Number ) SEN-S65 SEN-S65 Magneto-Inductive Sensor (Document Number ) SEN-L SEN-L Magneto-Inductive Sensor (Document Number ) PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 1

2 Compass Coordinates +X Y X -Y +Y -X Figure 1 Note: The X is the vertical axis while Y is the horizontal axis. Due to this arrangement the heading is the angle from the +X. The formula to compute the heading is as follows: angle = atan (Y / X ) Quadrant Determination Since the arctangent result is only in the range of 0 to 90, care is needed to take note of the sign of X and Y to determine the correct quadrant and to add the proper padding to determine heading. The following table lists the values and the corresponding formula to determine quadrant placement. PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 2

3 X Value Y Value Formula Quadrant Heading = angle +X, +Y (0 90) < 0 Heading = 180 angle -X, +Y (91 180) < 0 < 0 Heading = angle -X, -Y ( ) < 0 Heading = 360 angle +X, -Y ( ) Sensor Orientation In order for the heading computation to be valid, the following points must be made: 1. The sensors are assumed to be at right angles with respect to each other and lie perpendicular with respect to the Earth s gravity. 2. By convention, the positive end of the X-axis points to the North and the positive end of the Y-axis points East. See Figure The compass should be installed into the host system in its intended operating configuration in as level a position as possible. Do not calibrate the compass, and then place it into the host system. Front X Y Figure 2 Compass Calibration Using Multi-Point Method As the name implies, multiple (X, Y) points must be acquired to properly calibrate the compass. When using the PNI ASIC, acquire a (X, Y) point as shown in the PNI ASIC Operation Flow Chart at the end of this document. More detail is available in the PNI Axis Magneto-Inductive Sensor Driver and Controller with SPI Serial Interface data sheet. The sensing circuit is composed of the MI sensors and external bias resistors along with digital gates and a comparator internal to the PNI Only one sensor can be measured at a time. The user sends a command byte to the PNI through the SPI port specifying the sensor axis to be measured. The PNI will return the result of a complete forward - reverse measurement of the sensor in a16-bit 2 s Complement format. (Range: to 32767) The code on the next page shows how the acquisition phase of the calibration is done. PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 3

4 Acquisition Code int Xmax, Xmin, Ymax, Ymin; // where you store max and min X and Ys int Xraw, Yraw; // values you get from the ASIC // The numbers here will be 16-bit signed values. // Positive = 0x0000 to 0x7FFF // Negative = 0x8000 to 0xFFFF Xmax = Ymax = ; Xmin = Ymin = 32767; // start with lowest possible value // start with highest possible value for ( ; ; ) { GetRawXY(); If( Xraw > Xmax ) Xmax = Xraw // acquire a (X,Y) point // now sort it If( Xraw < Xmin ) Xmin = Xraw If( Yraw > Ymax ) Ymax = Yraw If( Yraw < Ymin ) Ymin = Yraw } The above code results in an infinite loop; it can be modified so the loop stops when there are enough points acquired. Figure 3 below shows a possible graph of all the points acquired Figure 3 PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 4

5 The graph in Figure 3 is elliptical with the major axis along the Y. The elliptical figure is due to the Y values having a greater gain than the X values. The center of the ellipse is also off the origin. The next section of code shows how to compute the calibration values based on the maximum and minimum X and Y values acquired. These values will later be used to correct the raw X and Y values acquired when computing the heading. Calibration Values int int Xrange, Yrange; Xoffset, Yoffset; Xoffset = ( Xmax + Xmin ) >> 1; Yoffset = ( Ymax + Ymin ) >> 1; Xrange = ( Xmax Xmin ); Yrange = ( Ymax Ymin ); // calculate offsets // calculate the range Computing the Heading To get the correct heading a graph of the points (X, Y) should show a circle with the center in the origin. The following code shows how the raw (X, Y) point is corrected using the calibration values to get a perfect circle at the origin: Compute Heading float pi = atan( 1 ) * 4; // compute PI int Xvalue, Yvalue; int angle, heading; GetRawXY(); Xvalue = Xraw Xoffset; Yvalue = Yraw Yoffset; // get coordinates // subtract out the offsets if( Xrange > Yrange ) Yvalue = ( Yvalue * Xrange ) / Yrange; // perform gain matching else Xvalue = ( Xvalue * Yrange ) / Xrange; // perform gain matching angle = atan( Yvalue / Xvalue ) * 180 / pi; // compute the angle if( Xvalue >=0 && Yvalue >= 0 ) heading = angle; // quadrant +X, +Y (0 to 90) else if( Xvalue < 0 && Yvalue >= 0 ) heading = 180 angle; // quadrant X, +y (91 to 180) else if( Xvalue < 0 && Yvalue < 0 ) heading = angle; // quadrant X, -Y (181 to 270) else if( Xvalue >= 0 && Yvalue < 0 ) heading = 360 angle; // quadrant +X, -Y (271 to 359) PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 5

6 Figure 4 shows the plot of the corrected X, Y points using the calibration values. The offsets move the center of the circle back to the origin and the ranges are used to match the gain so the graph will become a circle from the original ellipse Figure 4 Notes Declination Declination is the difference between magnetic north and true north. There is a difference between the two directions because the earth s magnetic North Pole is not in the same location as the true North Pole. A compass measures earth s magnetic field, so it always points to magnetic North. An additional complexity is that the difference between magnetic North and true North varies from place to place. Fortunately, there are many ways to obtain declination. Most hiking topographic maps will list declination. Declination can also be found at web pages such as the National Geophysical Data Center s site Declination is defined as "East" if magnetic North falls to the east of true North; and "West" if magnetic North falls to the West of true North. A positive declination is East", and a negative declination is "West". For instance, the NGDC website listed above shows that for Mountain View, CA (37N, 122W) the declination is "15d 25.7m". First, it is positive, so it is Eastward declination. The "d" stands for degrees; the "m" stands for minutes. 60 minutes = 1 degree, so the declination is 15.4º east. Once declination is known, the compass heading can be corrected so that heading can be determined relative to true North. Add the declination value to the compass measurement to get the true heading. For example, if the declination is 15 E, add 15 to the compass measurement. If the declination is 10 W, add -10 to the compass measurement. PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 6

7 Other Disturbances When an EL or other backlight is used in a compass system, it is often observed that turning the backlight on causes a heading change in one or more directions. This is due to the fact that the backlight system often draws enough current during operation to cause the voltage level of a battery based power supply to drop enough to affect the zero offset of the ASIC. In addition, if there is other backlight support circuitry, such as inductors or other current loops, the magnetic fields generated by those components can directly affect the sensor readings to create similar heading changes as well. An algorithmic solution to this problem can be implemented during the user calibration procedure that the user of the compass would normally execute. In addition to obtaining the magnetic offset for each of the X and Y axes (Xoffset and Yoffset), the backlight is turned on for 1/2 second (and then turned off) and an additional reading of the sensors is taken before the user is instructed to start the calibration rotations. The X and Y values taken while the backlight is momentarily on are stored as Xbacklight_offset and Ybacklight_offset. Then, whenever during normal operation, the backlight is turned on, simply take the raw sensor readings, Xraw and Yraw, subtract out Xoffset and Yoffset, and then subtract out Xbacklight_offset and Ybacklight_offset. So it is: X = Xraw - Xoffset - Xbacklight_offset Y = Yraw - Yoffset - Ybacklight_offset. Whenever the backlight is not on, then do not subtract out Xbacklight_offset and Ybacklight_offset for the values to be used in the ArcTan calculations. PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 7

8 START APPLY POWER TO ASIC 1 PNI ASIC Operation Flow Chart Notes: 1 This is optional. Applicable only if the PNI ASIC power is controlled by the microcontroller to reduce power consumption when not in used. 2 *SS is an active low input. *SS 2 <- 3 XXX is the period select settings. It determines the resolution of the 16-bit count. COMMAND BYTE 3 0XXX0001b (X Coil) 4 RESET is an active high input. It is level triggered so the reason for sending a pulse. RESET 4 <- 5 Communications is done by synchronous serial. SEND COMMAND BYTE 5 6 DRDY is an active high output. This can be polled or connected to an external interrupt of the microtroller. DRDY 6 -> YES GET 16-BIT VALUE 7 NO COMMAND BYTE 3 0XXX0010b (Y Coil) 7 If the microcontroller SPI only does 8- bits at a time then you can get the 16-bit value by initiating two 8-bit receptions, one after the other. Y COIL VALUE? NO YES *SS 2 <- REMOVE POWER FROM ASIC 1 END PNI Corporation 5464 Skylane Blvd., Ste. A, Santa Rosa CA USA 8

Local Magnetic Distortion Effects on 3-Axis Compassing

Local Magnetic Distortion Effects on 3-Axis Compassing PNI White Paper Local Magnetic Distortion Effects on 3-Axis Compassing SUMMARY Digital 3-axis compasses from three different manufacturers were tested for heading error when a battery (having magnetic

More information

Technical Document Compensating. for Tilt, Hard Iron and Soft Iron Effects

Technical Document Compensating. for Tilt, Hard Iron and Soft Iron Effects Technical Document Compensating for Tilt, Hard Iron and Soft Iron Effects Published: August 6, 2008 Updated: December 4, 2008 Author: Christopher Konvalin Revision: 1.2 www.memsense.com 888.668.8743 Rev:

More information

Table of Contents 1 COPYRIGHT & WARRANTY INFORMATION INTRODUCTION SPECIFICATIONS DEVICE CHARACTERISTICS

Table of Contents 1 COPYRIGHT & WARRANTY INFORMATION INTRODUCTION SPECIFICATIONS DEVICE CHARACTERISTICS 0755-83376549 User Manual SmartSens 3D MagIC Sensor Controller ASIC 0755-83376549 Table of Contents 1 COPYRIGHT & WARRANTY INFORMATION... 4 2 INTRODUCTION... 5 3 SPECIFICATIONS... 6 3.1 DEVICE CHARACTERISTICS...

More information

MAG3110 Frequently Asked Questions

MAG3110 Frequently Asked Questions Freescale Semiconductor Frequently Asked Questions Document Number: Rev 1, 05/2012 MAG3110 Frequently Asked Questions Applications Collateral for the MAG3110 to Aid Customer Questions Data Sheet, Fact

More information

OPERATING MANUAL AND TECHNICAL REFERENCE

OPERATING MANUAL AND TECHNICAL REFERENCE MODEL WFG-D-130 HIGH SPEED DIGITAL 3 AXIS FLUXGATE MAGNETOMETER OPERATING MANUAL AND TECHNICAL REFERENCE December, 2012 Table of Contents I. Description of the System 1 II. System Specifications.. 2 III.

More information

Fully Integrated Thermal Accelerometer MXC6225XU

Fully Integrated Thermal Accelerometer MXC6225XU Powerful Sensing Solutions for a Better Life Fully Integrated Thermal Accelerometer MXC6225XU Document Version 1.0 page 1 Features General Description Fully Integrated Thermal Accelerometer X/Y Axis, 8

More information

Quadratics Functions: Review

Quadratics Functions: Review Quadratics Functions: Review Name Per Review outline Quadratic function general form: Quadratic function tables and graphs (parabolas) Important places on the parabola graph [see chart below] vertex (minimum

More information

DETERMINING ANGLE POSITION OF AN OBJECT USING ACCELEROMETERS

DETERMINING ANGLE POSITION OF AN OBJECT USING ACCELEROMETERS DETERMINING ANGLE POSITION OF AN OBJECT USING ACCELEROMETERS Marin Berov Marinov*, Marin Hristov Hristov**, Ivan Pavlov Topalov*** Technical University of Sofia, Faculty of Electronics, P.O. Box 43, BG-1756

More information

TLE5xxx(D) Calibration 360

TLE5xxx(D) Calibration 360 About this document Scope and purpose This document describes the calibration algorithm and the correct implementation for GMR/TMR-based analog angle sensors TLE5xxx(D) with a measurement range of 360.

More information

Modern Robotics Inc. Sensor Documentation

Modern Robotics Inc. Sensor Documentation Sensor Documentation Version 1.0.1 September 9, 2016 Contents 1. Document Control... 3 2. Introduction... 4 3. Three-Wire Analog & Digital Sensors... 5 3.1. Program Control Button (45-2002)... 6 3.2. Optical

More information

GSDM110 Three-Axis Digital Magnetometer

GSDM110 Three-Axis Digital Magnetometer Features! 3-axis Hall Effect Magnetometer! Low Profile and Small Footprint! Wide supply Voltage! Independent IOs Supply and Supply Voltage Compatible! Low Power Consumption! I2C/SPI Digital Output Interface!

More information

POINT Gyro-Stabilized Compass Module HMR3601

POINT Gyro-Stabilized Compass Module HMR3601 POINT Gyro-Stabilized Compass Module HMR3601 The HMR3601 POINT compass module is a 3-axis digital compass solution with a unique gyro stabilization to reduce effects of magnetic disturbances. Three magneto-resistive

More information

Rational Numbers: Graphing: The Coordinate Plane

Rational Numbers: Graphing: The Coordinate Plane Rational Numbers: Graphing: The Coordinate Plane A special kind of plane used in mathematics is the coordinate plane, sometimes called the Cartesian plane after its inventor, René Descartes. It is one

More information

Lab 21.1 The Tangent Galvanometer

Lab 21.1 The Tangent Galvanometer Name School Date Lab 21.1 The Tangent Galvanometer Purpose To investigate the magnetic field at the center of a current-carrying loop of wire. To verify the right-hand rule for the field inside a current

More information

EGG 101L INTRODUCTION TO ENGINEERING EXPERIENCE

EGG 101L INTRODUCTION TO ENGINEERING EXPERIENCE EGG 101L INTRODUCTION TO ENGINEERING EXPERIENCE LABORATORY 10: DIGITAL COMPASS DEPARTMENT OF ELECTRICAL AND COMPUTER ENGINEERING UNIVERSITY OF NEVADA, LAS VEGAS OVERVIEW This is a breakout board for Honeywell's

More information

XEN1210 Magnetic Sensor

XEN1210 Magnetic Sensor Features Single axis magnetic measurement One chip solution 15nT resolution Unmatched low offset (Sub-µT) and gain precision Wide magnetic field range (±63mT) No magnetic hysteresis Measurement rate up

More information

Application Report. 1 Hardware Description. John Fahrenbruch... MSP430 Applications

Application Report. 1 Hardware Description. John Fahrenbruch... MSP430 Applications Application Report SLAA309 June 2006 Low-Power Tilt Sensor Using the MSP430F2012 John Fahrenbruch... MSP430 Applications ABSTRACT The MSP430 family of low-power microcontrollers are ideal for low-power

More information

Operation: a) Compass calibration mode 1.When battery is replaced,the device will enter into calibration mode.the LCD will display CAL, indicating the

Operation: a) Compass calibration mode 1.When battery is replaced,the device will enter into calibration mode.the LCD will display CAL, indicating the MULTIFUNCTIONS DIGITAL COMPASS USER MANUAL General description: Your digital compass is using the last electromagnetic sensing technology. It is also a combination of watch, stop-watch, and thermometer.

More information

Inertial Navigation Static Calibration

Inertial Navigation Static Calibration INTL JOURNAL OF ELECTRONICS AND TELECOMMUNICATIONS, 2018, VOL. 64, NO. 2, PP. 243 248 Manuscript received December 2, 2017; revised April, 2018. DOI: 10.24425/119518 Inertial Navigation Static Calibration

More information

+ b. From this we can derive the following equations:

+ b. From this we can derive the following equations: A. GEOMETRY REVIEW Pythagorean Theorem (A. p. 58) Hypotenuse c Leg a 9º Leg b The Pythagorean Theorem is a statement about right triangles. A right triangle is one that contains a right angle, that is,

More information

DIGITAL COMPASS SOLUTION

DIGITAL COMPASS SOLUTION Features 5 Heading Accuracy, 0.5 Resolution 2-axis Capability Small Size (19mm x 19mm x 4.5mm), Light Weight Advanced Hard Iron Calibration Routine for Stray Fields and Ferrous Objects 0 to 70 C Operating

More information

Navigational Aids 1 st Semester/2007/TF 7:30 PM -9:00 PM

Navigational Aids 1 st Semester/2007/TF 7:30 PM -9:00 PM Glossary of Navigation Terms accelerometer. A device that senses inertial reaction to measure linear or angular acceleration. In its simplest form, it consists of a case-mounted spring and mass arrangement

More information

Astromechanics. 12. Satellite Look Angle

Astromechanics. 12. Satellite Look Angle Astromechanics 12. Satellite Look Angle The satellite look angle refers to the angle that one would look for a satellite at a given time from a specified position on the Earth. For example, if you had

More information

MCS-EB1. Technical Documentation. Colour Sensor Evaluation Board. Table of contents 1. INTRODUCTION 2

MCS-EB1. Technical Documentation. Colour Sensor Evaluation Board. Table of contents 1. INTRODUCTION 2 Technical Documentation MCS-EB1 Colour Sensor Evaluation Board Table of contents 1. INTRODUCTION 2 2. STARTUP 3 2.1 INCLUDED IN DELIVERY 3 2.2 SYSTEM REQUIREMENTS 3 2.3 CONNECTION OF COMPONENTS 3 2.4 SOFTWARE

More information

Operation Manual V100. DIGITALVehicleCompass

Operation Manual V100. DIGITALVehicleCompass Operation Manual V100 DIGITALVehicleCompass CONGRATULATIONS! You have acquired one of the most sophisticated compasses available for use in a vehicle. The V100 incorporates patented magnetic sensor technology

More information

3-Axis Compass with Algorithms HMC6343

3-Axis Compass with Algorithms HMC6343 3-Axis Compass with Algorithms HMC6343 Preliminary Information The Honeywell HMC6343 is a fully integrated compass module that includes firmware for heading computation and calibration for magnetic distortions.

More information

CyberAtom X-202 USER MANUAL. Copyrights Softexor 2015 All Rights Reserved.

CyberAtom X-202 USER MANUAL. Copyrights Softexor 2015 All Rights Reserved. CyberAtom X-202 USER MANUAL Copyrights Softexor 2015 All Rights Reserved. X-202 Contents ii Contents About...5 Block Diagram... 5 Axes Conventions...5 System Startup... 6 Hardware Reset...6 LED indicator...

More information

1.1.1 Orientation Coordinate Systems

1.1.1 Orientation Coordinate Systems 1.1.1 Orientation 1.1.1.1 Coordinate Systems The velocity measurement is a vector in the direction of the transducer beam, which we refer to as beam coordinates. Beam coordinates can be converted to a

More information

Compass Module 3-Axis HMC5883L (#29133)

Compass Module 3-Axis HMC5883L (#29133) Web Site: www.parallax.com Forums: forums.parallax.com Sales: sales@parallax.com Technical: support@parallax.com Office: (916) 6248333 Fax: (916) 6248003 Sales: (888) 5121024 Tech Support: (888) 9978267

More information

Lesson 8 - Practice Problems

Lesson 8 - Practice Problems Lesson 8 - Practice Problems Section 8.1: A Case for the Quadratic Formula 1. For each quadratic equation below, show a graph in the space provided and circle the number and type of solution(s) to that

More information

Class IX Mathematics (Ex. 3.1) Questions

Class IX Mathematics (Ex. 3.1) Questions Class IX Mathematics (Ex. 3.1) Questions 1. How will you describe the position of a table lamp on your study table to another person? 2. (Street Plan): A city has two main roads which cross each other

More information

NOTES Linear Equations

NOTES Linear Equations NOTES Linear Equations Linear Parent Function Linear Parent Function the equation that all other linear equations are based upon (y = x) Horizontal and Vertical Lines (HOYY VUXX) V vertical line H horizontal

More information

Question: What are the origins of the forces of magnetism (how are they produced/ generated)?

Question: What are the origins of the forces of magnetism (how are they produced/ generated)? This is an additional material to the one in the internet and may help you to develop interest with the method. You should try to integrate some of the discussions here while you are trying to answer the

More information

Section 7.6 Graphs of the Sine and Cosine Functions

Section 7.6 Graphs of the Sine and Cosine Functions Section 7.6 Graphs of the Sine and Cosine Functions We are going to learn how to graph the sine and cosine functions on the xy-plane. Just like with any other function, it is easy to do by plotting points.

More information

Surface Mount Micromachined Accelerometer

Surface Mount Micromachined Accelerometer Freescale Semiconductor Data Sheet: Technical Data Surface Mount Micromachined Accelerometer The MMA3204 series of dual axis (X and Y) silicon capacitive, micromachined accelerometers features signal conditioning,

More information

VSEW_mk2-8g. Data Sheet. Dec Bruno Paillard

VSEW_mk2-8g. Data Sheet. Dec Bruno Paillard VSEW_mk2-8g Data Sheet Dec 4 2017 Bruno Paillard 1 PRODUCT DESCRIPTION 2 2 APPLICATIONS 2 3 SPECIFICATIONS 3 3.1 Frequency Response 5 3.1.1 Upper Frequency Limit 5 3.1.2 Low-Frequency Limit 6 3.2 Noise

More information

CS602 MCQ,s for midterm paper with reference solved by Shahid

CS602 MCQ,s for midterm paper with reference solved by Shahid #1 Rotating a point requires The coordinates for the point The rotation angles Both of above Page No 175 None of above #2 In Trimetric the direction of projection makes unequal angle with the three principal

More information

DIGISENSOR CO., LTD Tel.: (848) Website :

DIGISENSOR CO., LTD Tel.: (848) Website : MDS-12-0010 COMPASS ALTITER MODULE Pressure range: 300 1100 mbar. 2D Electronic compass Integrated pressure sensor. Integrated 16 bits ADC. Integrated low power 8 bits MCU. 3-wire synchronous serial interface.

More information

Exercise (3.1) Question 1: How will you describe the position of a table lamp on your study table to another person?

Exercise (3.1) Question 1: How will you describe the position of a table lamp on your study table to another person? Class IX - NCERT Maths Exercise (3.1) Question 1: How will you describe the position of a table lamp on your study table to another person? Solution 1: Let us consider the given below figure of a study

More information

Chapter 2 Scatter Plots and Introduction to Graphing

Chapter 2 Scatter Plots and Introduction to Graphing Chapter 2 Scatter Plots and Introduction to Graphing 2.1 Scatter Plots Relationships between two variables can be visualized by graphing data as a scatter plot. Think of the two list as ordered pairs.

More information

UNIT 3 THE 8051-REAL WORLD INTERFACING

UNIT 3 THE 8051-REAL WORLD INTERFACING UNIT 3 THE 8051-REAL WORLD INTERFACING 8031/51 INTERFACING TO EXTERNAL MEMORY The number of bits that a semiconductor memory chip can store is called chip capacity It can be in units of Kbits (kilobits),

More information

Chapter 4. Linear Programming

Chapter 4. Linear Programming Chapter 4 Linear Programming For All Practical Purposes: Effective Teaching Occasionally during the semester remind students about your office hours. Some students can perceive that they are bothering

More information

DIGISENSOR CO., LTD MDS COMPASS DEPTH METER & ALTIMETER MODULE. Description. Application

DIGISENSOR CO., LTD MDS COMPASS DEPTH METER & ALTIMETER MODULE. Description. Application MDS-12-0110 COMPASS DEPTH TER & ALTITER MODULE Pressure range: 0 11 bar. Integrated 2D Compass. Integrated pressure sensor. Integrated 16 bits ADC. Integrated low power 8 bits MCU. 3-wire synchronous serial

More information

[HALL PROBE GRADIOMETRY ]

[HALL PROBE GRADIOMETRY ] 2008 [HALL PROBE GRADIOMETRY ] A novel Scanning Hall probe gradiometer has been developed and a new method to image x, y & z components of the magnetic field on the sample surface has been demonstrated

More information

Computer Hardware Requirements for Real-Time Applications

Computer Hardware Requirements for Real-Time Applications Lecture (4) Computer Hardware Requirements for Real-Time Applications Prof. Kasim M. Al-Aubidy Computer Engineering Department Philadelphia University Real-Time Systems, Prof. Kasim Al-Aubidy 1 Lecture

More information

Vector Addition and Subtraction: Analytical Methods

Vector Addition and Subtraction: Analytical Methods Connexions module: m42128 1 Vector Addition and Subtraction: Analytical Methods OpenStax College This work is produced by The Connexions Project and licensed under the Creative Commons Attribution License

More information

Parallax LSM9DS1 9-axis IMU Module (#28065)

Parallax LSM9DS1 9-axis IMU Module (#28065) Web Site: www.parallax.com Forums: forums.parallax.com Sales: sales@parallax.com Technical:support@parallax.com Office: (916) 624-8333 Fax: (916) 624-8003 Sales: (888) 512-1024 Tech Support: (888) 997-8267

More information

BMM150 Geomagnetic Sensor

BMM150 Geomagnetic Sensor Data sheet BMM150 Geomagnetic Sensor BMM150: Data sheet Document revision 1.0 Document release date April 25 th, 2013 Document number BST-BMM150-DS001-01 Technical reference code(s) 0 273 141 157 Notes

More information

Wireless Digital Compass

Wireless Digital Compass N W E The Leader in Low-Cost, Remote Monitoring Solutions Wireless Digital Compass S COMPASS General Description The wireless compass sensor uses a highly sensitive 3 axis digital compass to return the

More information

User Manual. Mounting the TriSonica Mini

User Manual. Mounting the TriSonica Mini User Manual Overview This is the user s manual for the TriSonica Mini (TSM) family of products from Anemoment. It provides the information that users need to mount, orient, connect, receive data, and configure

More information

Hello, and welcome to this presentation of the STM32 Touch Sensing Controller (TSC) which enables the designer to simply add touch sensing

Hello, and welcome to this presentation of the STM32 Touch Sensing Controller (TSC) which enables the designer to simply add touch sensing Hello, and welcome to this presentation of the STM32 Touch Sensing Controller (TSC) which enables the designer to simply add touch sensing functionality to any application. 1 Over recent years, Touch Sensing

More information

Cross-Domain Development Kit XDK110 Platform for Application Development

Cross-Domain Development Kit XDK110 Platform for Application Development Sensor Guide Cross-Domain Development Kit Platform for Application Development Bosch Connected Devices and Solutions : Data Sheet Document revision 2.1 Document release date 05.10.17 Workbench version

More information

Section 10.1 Polar Coordinates

Section 10.1 Polar Coordinates Section 10.1 Polar Coordinates Up until now, we have always graphed using the rectangular coordinate system (also called the Cartesian coordinate system). In this section we will learn about another system,

More information

CSE 466 Exam 1 Winter, 2010

CSE 466 Exam 1 Winter, 2010 This take-home exam has 100 points and is due at the beginning of class on Friday, Feb. 13. (!!!) Please submit printed output if possible. Otherwise, write legibly. Both the Word document and the PDF

More information

AN 006. Handheld Electronic Compass Applications Using a Kionix MEMS Tri-Axis Accelerometer. Introduction

AN 006. Handheld Electronic Compass Applications Using a Kionix MEMS Tri-Axis Accelerometer. Introduction Handheld Electronic Compass Applications Using a Kionix MEMS Tri-Axis Accelerometer Introduction Today s world is about mobility. The expanded and growing availability of cell phones, PDA s and GPS has

More information

AN 038. Getting Started with the KXTJ2. Introduction

AN 038. Getting Started with the KXTJ2. Introduction Getting Started with the KXTJ2 Introduction This application note will help developers quickly implement proof-of-concept designs using the KXTJ2 tri-axis accelerometer. Please refer to the KXTJ2 data

More information

Solution Notes. COMP 151: Terms Test

Solution Notes. COMP 151: Terms Test Family Name:.............................. Other Names:............................. ID Number:............................... Signature.................................. Solution Notes COMP 151: Terms

More information

WBI Series Mass flow sensors for gases

WBI Series Mass flow sensors for gases FEATURES Flow ranges...2 sccm,...±2 sccm,...1 slpm,...±1 slpm Thermal mass flow sensing Digital I²C bus output RoHS and REACH compliant Quality Management System according to ISO 13485:23 and ISO 91:28

More information

Transducers and Transducer Calibration GENERAL MEASUREMENT SYSTEM

Transducers and Transducer Calibration GENERAL MEASUREMENT SYSTEM Transducers and Transducer Calibration Abstracted from: Figliola, R.S. and Beasley, D. S., 1991, Theory and Design for Mechanical Measurements GENERAL MEASUREMENT SYSTEM Assigning a specific value to a

More information

Angles and Directions

Angles and Directions Angles and Directions Angles and Directions Definitions Systems of Angle Measurement Angle Arithmetic Horizontal and Vertical Angles Angle and Direction Measuring Equipment 1 Angle Definitions A measure

More information

LPMS-B Reference Manual

LPMS-B Reference Manual INTRODUCTION LPMS-B Reference Manual Version 1.0.12 2012 LP-RESEARCH 1 INTRODUCTION I. INTRODUCTION Welcome to the LP-RESEARCH Motion Sensor Bluetooth version (LPMS-B) User s Manual! In this manual we

More information

Circuit Breaker Operation & its load calculations

Circuit Breaker Operation & its load calculations Circuit Breaker Operation & its load calculations Abstract Circuit breaker is very effective protection device in any lighting application. Improper loading of MCB might lead to Nuisance Tripping, damage

More information

1.Overview of X7083/X7043/X7023

1.Overview of X7083/X7043/X7023 1.Overview of X7083/X7043/X7023 11 Introduction X7083/X7043/X7023 is an LSI that generates a pulse for controlling the speed and positioning of pulse train inputtype servo motors and stepping motors. X7083

More information

UM2220. Getting started with MotionFX sensor fusion library in X-CUBE-MEMS1 expansion for STM32Cube. User manual. Introduction

UM2220. Getting started with MotionFX sensor fusion library in X-CUBE-MEMS1 expansion for STM32Cube. User manual. Introduction User manual Getting started with MotionFX sensor fusion library in X-CUBE-MEMS1 expansion for STM32Cube Introduction The MotionFX is a middleware library component of the X-CUBE-MEMS1 software and runs

More information

EGG 101L INTRODUCTION TO ENGINEERING EXPERIENCE

EGG 101L INTRODUCTION TO ENGINEERING EXPERIENCE EGG 101L INTRODUCTION TO ENGINEERING EXPERIENCE LABORATORY 11: DIGITAL COMPASS DEPARTMENT OF ELECTRICAL AND COMPUTER ENGINEERING UNIVERSITY OF NEVADA, LAS VEGAS OVERVIEW This is a breakout board for Honeywell's

More information

Aaronia GPS Logger Programming Guide

Aaronia GPS Logger Programming Guide Aaronia GPS Logger Programming Guide Introduction The Aaronia GPS Logger is a battery-powered mobile device to measure and record location and orientation related information from a multitude of sensors:

More information

DIGITAL COMPASS-RD DIGITAL COMPASS REFERENCE DESIGN KIT USER' S GUIDE. 1. Kit Contents. 2. Introduction. 3. Quick-Start Guide. 4. General Description

DIGITAL COMPASS-RD DIGITAL COMPASS REFERENCE DESIGN KIT USER' S GUIDE. 1. Kit Contents. 2. Introduction. 3. Quick-Start Guide. 4. General Description DIGITAL COMPASS REFERENCE DESIGN KIT USER' S GUIDE 1. Kit Contents The Digital Compass Reference Design Kit contains the following items: C8051F350 Digital Compass Reference Design Board Silicon Laboratories

More information

CyberAtom X-200 USER MANUAL. Copyrights Softexor 2015 All Rights Reserved.

CyberAtom X-200 USER MANUAL. Copyrights Softexor 2015 All Rights Reserved. CyberAtom X-200 USER MANUAL Copyrights Softexor 2015 All Rights Reserved. X-200 Contents ii Contents About...6 Block Diagram... 6 Axes Conventions...6 System Startup... 7 Selecting Power Source...7 Hardware

More information

Vector Decomposition

Vector Decomposition Projectile Motion AP Physics 1 Vector Decomposition 1 Coordinate Systems A coordinate system is an artificially imposed grid that you place on a problem. You are free to choose: Where to place the origin,

More information

Overview for Families

Overview for Families unit: Graphing Equations Mathematical strand: Algebra The following pages will help you to understand the mathematics that your child is currently studying as well as the type of problems (s)he will solve

More information

LPMS-B Reference Manual

LPMS-B Reference Manual INTRODUCTION LPMS-B Reference Manual Version 1.1.0 2013 LP-RESEARCH www.lp-research.com 1 INTRODUCTION I. INTRODUCTION Welcome to the LP-RESEARCH Motion Sensor Bluetooth version (LPMS-B) User s Manual!

More information

Mag High Temperature Three-Axis Magnetic Field Probes

Mag High Temperature Three-Axis Magnetic Field Probes INNOVATION IN MAGNETICS Operation Manual for Mag610-611 High Temperature Three-Axis Magnetic Field Probes www.bartington.com Table of Contents 1. About this Manual 3 1.1. Symbols Glossary 3 2. Safe Use

More information

USB-4303 Specifications

USB-4303 Specifications Specifications Document Revision 1.0, February, 2010 Copyright 2010, Measurement Computing Corporation Typical for 25 C unless otherwise specified. Specifications in italic text are guaranteed by design.

More information

DS5000-IBFS. 5kA rms - 8kA DC Fluxgate current transducer. Features. Description. Application. Precision Innovation /

DS5000-IBFS. 5kA rms - 8kA DC Fluxgate current transducer. Features. Description. Application. Precision Innovation   / 5kA rms - 8kA DC Fluxgate current transducer Features DC 8000A AC 5000A rms Maximum gain error DC to 1kHz - 0.1% Transducer core optimized for high level of immunity against external magnetic fields Operating

More information

Low Voltage, 10-Bit Digital Temperature Sensor in 8-Lead MSOP AD7314

Low Voltage, 10-Bit Digital Temperature Sensor in 8-Lead MSOP AD7314 a FEATURES 10-Bit Temperature-to-Digital Converter 35 C to +85 C Operating Temperature Range 2 C Accuracy SPI and DSP Compatible Serial Interface Shutdown Mode Space-Saving MSOP Package APPLICATIONS Hard

More information

MMC212xMG. Dual-axis Magnetic Sensor, With I 2 C Interface FEATURES. Signal Path X

MMC212xMG. Dual-axis Magnetic Sensor, With I 2 C Interface FEATURES. Signal Path X Dual-axis Magnetic Sensor, With I 2 C Interface MMC212xMG FEATURES Small Low profile package 5.0x5.0x0.9mm Low power consumption: typically 0.4mA@3V with 50 measurements per second RoHS compliant Full

More information

Technical Manual Rev1.1

Technical Manual Rev1.1 Technical Manual Rev1.1 CruizCore R1070P Digital Gyroscope 2015. 06 Copyright Microinfinity Co., Ltd. http://www.minfinity.com Contact Info. EMAIL: support@minfinity.com TEL: +82 31 546 7408 FAX: +82 31

More information

Application Guidelines for MEMS Compass

Application Guidelines for MEMS Compass Application Guidelines for MEMS Compass 12 April 2013 AMS Application Team Application RtM Agenda 2 Educational part: What is compass? How magnetic compass works, MEMS Magnetometer used as a compass ST

More information

AC : THE INERTIAL NAVIGATION UNIT: TEACHING NAVIGATION PRINCIPLES USING A CUSTOM DESIGNED SENSOR PACKAGE

AC : THE INERTIAL NAVIGATION UNIT: TEACHING NAVIGATION PRINCIPLES USING A CUSTOM DESIGNED SENSOR PACKAGE AC 2008-755: THE INERTIAL NAVIGATION UNIT: TEACHING NAVIGATION PRINCIPLES USING A CUSTOM DESIGNED SENSOR PACKAGE Joe Bradshaw, U.S. Naval Academy Electronics Technician at the US Naval Academy for the

More information

ADVANCED MICRO SYSTEMS

ADVANCED MICRO SYSTEMS Overview... 3 Included in the Box:... 3 Pinout... 4 Installation... 5 Power Supply... 6 Stepping Motors... 7 DIP Switch (JP1) Location... 8 Setting the Output Current (JP1)... 8 Microstep Resolution (JP1)...

More information

2nd Year Computational Physics Week 1 (experienced): Series, sequences & matrices

2nd Year Computational Physics Week 1 (experienced): Series, sequences & matrices 2nd Year Computational Physics Week 1 (experienced): Series, sequences & matrices 1 Last compiled September 28, 2017 2 Contents 1 Introduction 5 2 Prelab Questions 6 3 Quick check of your skills 9 3.1

More information

Sensor Toolbox (Part 2): Inertial Sensors

Sensor Toolbox (Part 2): Inertial Sensors November 2010 Sensor Toolbox (Part 2): Inertial Sensors AMF-ENT-T1118 Michael Steffen MCU & Sensor Field Application Engineer Expert Reg. U.S. Pat. & Tm. Off. BeeKit, BeeStack, CoreNet, the Energy Efficient

More information

Dual-axis Electronic Digital Magnetic Compass Module User s Guide

Dual-axis Electronic Digital Magnetic Compass Module User s Guide Dual-axis Electronic Digital Magnetic Compass Module User s Guide 2004-2011 Sure Electronics Inc. MB-SM15114_Ver1.0 Table of Contents Chapter 1. UART Communication Protocol...1 1.1 Parameter Settings...

More information

HMR3200/HMR3300 APPLICATIONS. Features. General Description. Block Diagram. Compassing & Navigation. Attitude Reference. Satellite Antenna Positioning

HMR3200/HMR3300 APPLICATIONS. Features. General Description. Block Diagram. Compassing & Navigation. Attitude Reference. Satellite Antenna Positioning Features 1 Heading Accuracy, 0.1 Resolution 0.5 Repeatability 60 Tilt Range (Pitch and Roll) for Small Size (1.0 x 1.45 x 0.4 ), Light Weight Compensation for Hard Iron Distortions, Ferrous Objects, Stray

More information

Section Graphs and Lines

Section Graphs and Lines Section 1.1 - Graphs and Lines The first chapter of this text is a review of College Algebra skills that you will need as you move through the course. This is a review, so you should have some familiarity

More information

Overvoltage Protection in Automotive Systems

Overvoltage Protection in Automotive Systems HOME PRODUCTS SOLUTIONS DESIGN APPNOTES SUPPORT BUY COMPANY MEMBERS App Notes > CIRCUIT PROTECTION SENSOR SIGNAL CONDITIONERS APP 760: Jun 18, 2001 Keywords: overvoltage, over voltage, protection, automotive,

More information

CHAPTER 6 CONCLUSION AND SCOPE FOR FUTURE WORK

CHAPTER 6 CONCLUSION AND SCOPE FOR FUTURE WORK 134 CHAPTER 6 CONCLUSION AND SCOPE FOR FUTURE WORK 6.1 CONCLUSION Many industrial processes such as assembly lines have to operate at different speeds for different products. Process control may demand

More information

PLUS+1 GUIDE Software. JS6000 PWM Service Tool User Manual

PLUS+1 GUIDE Software. JS6000 PWM Service Tool User Manual PLUS+1 GUIDE Software JS6000 PWM Service Tool TEMP 1 6 1 6 12 7 12 7 About this Manual Organization and Headings To help you quickly find information in this manual, the material is divided into sections,

More information

MIC826. General Description. Features. Applications. Typical Application

MIC826. General Description. Features. Applications. Typical Application Voltage Supervisor with Watchdog Timer, Manual Reset, and Dual Outputs In 1.6mm x 1.6mm TDFN General Description The is a low-current, ultra-small, voltage supervisor with manual reset input, watchdog

More information

JitKit. Operator's Manual

JitKit. Operator's Manual JitKit Operator's Manual March, 2011 LeCroy Corporation 700 Chestnut Ridge Road Chestnut Ridge, NY, 10977-6499 Tel: (845) 578-6020, Fax: (845) 578 5985 Internet: www.lecroy.com 2011 by LeCroy Corporation.

More information

Basic Interface Techniques for the CRD155B

Basic Interface Techniques for the CRD155B Basic Interface Techniques for the CRD155B April 2001, ver. 1.10 Application Note 101 Introduction This application note contains basic information about interfacing external circuitry to computer I/O

More information

Embedded Navigation Solutions. VN-100 User Manual. Firmware v Document Revision UM001 Introduction 1

Embedded Navigation Solutions. VN-100 User Manual. Firmware v Document Revision UM001 Introduction 1 Embedded Navigation Solutions VN-100 User Manual Firmware v2.1.0.0 Document Revision 2.41 UM001 Introduction 1 Document Information Title VN-100 User Manual Subtitle Inertial Navigation Modules Document

More information

Surface Mount Micromachined Accelerometer

Surface Mount Micromachined Accelerometer Freescale Semiconductor Data Sheet: Technical Data Surface Mount Micromachined Accelerometer The MMA3202 series of dual axis (X and Y) silicon capacitive, micromachined accelerometers features signal conditioning,

More information

USER MANUAL. Specifications. 0.1 m/s for wind speed degrees for wind direction -30 C to +80 C for temperature

USER MANUAL. Specifications. 0.1 m/s for wind speed degrees for wind direction -30 C to +80 C for temperature USER MANUAL Overview The TriSonica Mini is a lightweight three-dimensional airflow sensor in a small package, ideal for both fixed and moveable applications. TriSonica Mini uses the properties of sound

More information

Chapter 2: Transformations. Chapter 2 Transformations Page 1

Chapter 2: Transformations. Chapter 2 Transformations Page 1 Chapter 2: Transformations Chapter 2 Transformations Page 1 Unit 2: Vocabulary 1) transformation 2) pre-image 3) image 4) map(ping) 5) rigid motion (isometry) 6) orientation 7) line reflection 8) line

More information

Unit 4 Graphs of Trigonometric Functions - Classwork

Unit 4 Graphs of Trigonometric Functions - Classwork Unit Graphs of Trigonometric Functions - Classwork For each of the angles below, calculate the values of sin x and cos x ( decimal places) on the chart and graph the points on the graph below. x 0 o 30

More information

Plasma Lite USB Module

Plasma Lite USB Module Plasma Lite USB Module DOC No. : 16511 Rev. : A8-100 Date : 6, 2004 Firmware Rev. : 600-100 Beta Innovations (c) 2004 http:\\www.betainnovations.com 1 Table of Contents Main Features...4 Introduction...5

More information

Obsolete Product(s) - Obsolete Product(s)

Obsolete Product(s) - Obsolete Product(s) AN222 APPLICATION NOTE TV Hardware Design Rules: PCB Compatibility with ST9296/86 Introduction The purpose of this application note is to:. Describe how to design a printed circuit board (PCB) with optimum

More information

KCH-B KCH-B. Merits. Application examples. Counters for Display of High-speed Addition and Subtraction. Counters. switches to write settings

KCH-B KCH-B. Merits. Application examples. Counters for Display of High-speed Addition and Subtraction. Counters. switches to write settings for Display of High-speed Addition and Subtraction Maximum operating speed 2kHz Used in industrial machinery, end-measuring devices, and the like, this electronic counter is exclusively for display. It

More information

GSV-6BT GSV-6BT. Description

GSV-6BT GSV-6BT. Description GSV-6BT GSV-6BT The GSV-6BT is a 6-channel measuring amplifier with Bluetooth connection and data logger function, which offers exceptionally many features in the smallest dimensions. The GSV-6BT has 6

More information