ROBOTICS AND AUTONOMOUS SYSTEMS

Size: px
Start display at page:

Download "ROBOTICS AND AUTONOMOUS SYSTEMS"

Transcription

1 ROBOTICS AND AUTONOMOUS SYSTEMS Simon Parsons Department of Computer Science University of Liverpool LECTURE 6

2 PERCEPTION/ODOMETRY

3 comp parsons-lect06 2/43 Today We ll talk about perception and motor control.

4 comp parsons-lect06 3/43 Perception Sensors give important feedback from the environment Without them, robots are blind. percepts Environment sensors effectors actions Perception is all about what can be sensed and what we can do with that sensing.

5 comp parsons-lect06 4/43 Proprioceptive sensors Classification of sensors Measure values internally to the system (robot), (motor speed, wheel load, heading of the robot, battery status) Exteroceptive sensors Information from the robots environment (distances to objects, intensity of the ambient light, unique features.) Passive sensors Energy coming from the environment. Active sensors Emit their own energy and measure the reaction Better performance, but some influence on envrionment

6 comp parsons-lect06 5/43 Proprioceptive sensors Classification of sensors Measure values internally to the system (robot), (motor speed, wheel load, heading of the robot, battery status) Exteroceptive sensors Information from the robots environment (distances to objects, intensity of the ambient light, unique features.) Passive sensors Energy coming from the environment. Active sensors Emit their own energy and measure the reaction Better performance, but some influence on envrionment

7 comp parsons-lect06 6/43 Proprioceptive sensors Classification of sensors Measure values internally to the system (robot), (motor speed, wheel load, heading of the robot, battery status) Exteroceptive sensors Information from the robot s environment (distances to objects, intensity of the ambient light, unique features) Passive sensors Energy coming from the environment. Active sensors Emit their own energy and measure the reaction Better performance, but some influence on envrionment

8 comp parsons-lect06 7/43 Wheel encoders Measure position or speed of the wheels or steering. Wheel movements can be integrated to get an estimate of the robot s position Odometry Optical encoders are proprioceptive sensors Position estimate is only useful for short movements. Typical resolutions: 2000 increments per revolution.

9 comp parsons-lect06 8/43 Count the changes from black to white: Measure light passing through the encoder. Bounce light off the encoder. Simple encoder will give you count/speed. Quadrature encoder will you direction also. Look at phase of signals from the two bands on the encoder.

10 comp parsons-lect06 9/43 Can obtain additional information (Tom Lackamp)

11 comp parsons-lect06 10/43 Differential Pilot Distance information on its own permits a crude form of navigation: Dead reckoning Calculate how far the robot has gone based on wheel rotations. LeJOS provides some of this in the: class DifferentialPilot Though our robot doesn t have a differential drive, this class sort of works with it.

12 comp parsons-lect06 11/43 Constructor: DifferentialPilot( double wheeldiameter, double trackwidth, RegulatedMotor leftmotor, RegulatedMotor rightmotor) wheeldiameter is in any units you like But then you have to use the same units for other Pilot commands. trackwidth is the distance between the left and right wheels.

13 comp parsons-lect06 12/43 Set speed of motion settravelspeed(double speed) speed is in wheel-diameters-units per second. Move a certain amount travel(double distance) distance is in wheel-diameters-units. Rotate: rotate(double angle) rotate through specified angle (in degrees) in a zero-radius turn. Lots of other methods defined in the API.

14 comp parsons-lect06 13/43 From the way it handles wheel diameter, it looks like DifferentialPilot just counts wheel rotations: Since: revolutions = distance π diameter

15 comp parsons-lect06 14/43 A example program import lejos.nxt.*; import lejos.robotics.navigation.differentialpilot; public class SimplePilot{ DifferentialPilot pilot ; public void drawsquare(float length){ for(int i = 0; i<4 ; i++){ pilot.travel(length); // Drive forward pilot.rotate(90); // Turn 90 degrees } } } public static void main(string[] args){ SimplePilot sp = new SimplePilot(); sp.pilot = new DifferentialPilot( 3.25, 19, Motor.B, Motor.C); sp.drawsquare(40); }

16 comp parsons-lect06 15/43 Key lines import lejos.robotics.navigation.differentialpilot; Link the DifferentialPilot class sp.pilot = new DifferentialPilot (3.25, 19, Motor.B, Motor.C); Create a new Pilot object and initialise it. pilot.travel(length); pilot.rotate(90); Call the Pilot to move the robot.

17 comp parsons-lect06 16/43 Calibration When you use DifferentialPilot you will find it doesn t do exactly what you ask it to right away. With robot dimensions Pretty good on distance. Less good on rotation. You will need to callibrate to get it to do what you want it to do. You will need to keep on callibrating.

18 comp parsons-lect06 17/43 Borenstein s experiment

19 comp parsons-lect06 18/43 Borenstein s experiment

20 comp parsons-lect06 19/43 Borenstein s experiment

21 comp parsons-lect06 20/43 Pose Provider When executing a program using the DifferentialPilot, the control loop running the motors knows instantaneously how far the robot has moved. That is what it uses to know when to stop the motors. It is useful to be able to log this information in the control program. The OdometryPoseProvider provides some of this ability.

22 comp parsons-lect06 21/43 Pose Pose objects are manipulated by OdometryPoseProvider. Store a robot pose. Turns out you need to do this a lot. Has no necessary relation to where the robot is. Methods: getx() gety() getheading() Just as you might/should expect. Values returned are floats.

23 comp parsons-lect06 22/43 OPP Methods SetPose(Pose apose) sets the Pose value in the OPP. Note that this does not move the robot, just changes the value that is stored. GetPose() returns a Pose. This is the current pose stored by the OPP. If used correctly, this Pose will tell you something useful.

24 comp parsons-lect06 23/43 OPP Constructor When you create an OPP, you link it to a Pilot object: OdometryPoseProvider opp = new OdometryPoseProvider(dp); where dp is a DifferentialPilot. Then the pose returned by the OPP is updated when the robot moves. Of course, it is updated by the amount that the robot thinks it moves. (Since the robot doesn t actually know how much it is moving.)

25 comp parsons-lect06 24/43 A example program import lejos.nxt.*; import lejos.robotics.navigation.differentialpilot; import lejos.robotics.localization.odometryposeprovider; public class SimplePose { public static void main(string[] args){ DifferentialPilot dp = new DifferentialPilot(3.22, 19, Motor.B, Motor.C); OdometryPoseProvider opp = new OdometryPoseProvider(dp); System.out.println("First pose = " + opp.getpose()); dp.travel(15); System.out.println("Second pose = " + opp.getpose()); } }

26 comp parsons-lect06 25/43 Key lines DifferentialPilot dp = new DifferentialPilot(3.22, 19, Motor.B, Motor.C); OdometryPoseProvider opp = new OdometryPoseProvider(dp); Create the OPP with a reference to the DifferentialPilot System.out.println("First pose = " + opp.getpose()); Access the pose information.

27 comp parsons-lect06 26/43 Heading sensors Heading sensors can be: proprioceptive (gyroscope, inclinometer); or exteroceptive (compass). Used to determine the robot s orientation and/or inclination. Allow, together with an appropriate velocity information, to integrate the movement to an position estimate. A bit more sophisticated than just using odometry.

28 comp parsons-lect06 27/43 Compass Used since before 2000 B.C. Chinese suspended a piece of naturally magnetite from a silk thread and used it to guide a chariot over land. Magnetic field on earth Absolute measure for orientation. Large variety of solutions to measure the earth magnetic field Mechanical magnetic compass Direct measure of the magnetic field (Hall-effect, magnetoresistive sensors)

29 comp parsons-lect06 28/43 Major drawback Weakness of the earth field Easily disturbed by magnetic objects or other sources Not feasible for indoor environments in general. Modern devices can give 3D orientation relative to Earth s magnetic field.

30 comp parsons-lect06 29/43 Gyroscope Heading sensors, that keep the orientation to a fixed frame Provide an absolute measure for the heading of a mobile system. Unlike a compass doesn t measure the outside world. Two categories, mechanical and optical gyroscopes Mechanical Gyroscopes Standard gyro Rate gyro Optical Gyroscopes Rate gyro

31 comp parsons-lect06 30/43 Concept: inertial properties of a fast spinning rotor gyroscopic precession Angular momentum associated with a spinning wheel keeps the axis of the gyroscope inertially stable. No torque can be transmitted from the outer pivot to the wheel axis Spinning axis will therefore be space-stable Quality: 0.1 degrees in 6 hours In rate gyros, gimbals are held by torsional springs. Measuring force gives angular velocity.

32 comp parsons-lect06 31/43 Optical gyroscopes Use two monochromatic light (or laser) beams from the same source. One beam travels clockwise in a cylinder around a fiber, the other counterclockwise. The beam traveling in direction of rotation: Slightly shorter path shows a higher frequency Difference in frequency f of the two beams is proportional to the angular velocity Ω of the cylinder/fiber. Newest optical gyros are solid state.

33 comp parsons-lect06 32/43 Accelerometer Measure acceleration. Mass on a spring. Measure force in spring, gives acceleration of mass. Weight. Any heading or position sensor reading can be differentiated to give acceleration. Difference between two values gives velocity Difference between two velocities gives acceleration Any velocity sensor reading can be handled similarly.

34 comp parsons-lect06 33/43 Sensitivity Sensor performance Ratio of output change to input change In real world environment, the sensor has very often high sensitivity to other environmental changes, e.g. illumination. Cross-sensitivity Sensitivity to environmental parameters that are orthogonal to the target parameters Error / Accuracy Difference between the sensors output and the true value m v accuracy = 1 v where m = measured value and v = true value.

35 comp parsons-lect06 34/43 Sensor performance (more) Systematic error deterministic errors Caused by factors that can (in theory) be modeled prediction e.g. distortion caused by the optics of a camera. Random error non-deterministic No prediction possible However, they can be described probabilistically e.g. error in wheel odometry. Precision Reproducibility of sensor results range σ

36 comp parsons-lect06 35/43 Deterministic sensor errors

37 comp parsons-lect06 36/43 Coping with errors Compensate for systematic errors. Build a probabilistic model of random errors. Obtain a distribution of possible positions.

38 comp parsons-lect06 37/43 A simple error model for straight line motion: (Thrun, Burgard and Fox)

39 comp parsons-lect06 38/43 Which is worse when we turn: (Thrun, Burgard and Fox)

40 comp parsons-lect06 39/43 Coping with errors Compensate for systematic errors. Build a probabilistic model of random errors. Obtain a distribution of possible positions. Know where we are on average.

41 comp parsons-lect06 40/43 Coping with errors Compensate for systematic errors. Build a probabilistic model of random errors. Obtain a distribution of possible positions. Know where we are on average. Don t know where we are in particular

42 comp parsons-lect06 41/43 Coping with errors Compensate for systematic errors. Build a probabilistic model of random errors. Obtain a distribution of possible positions. Know where we are on average. Don t know where we are in particular. Errors accumulate over time.

43 comp parsons-lect06 Possibility of spectacular failure 42/43

44 comp parsons-lect06 43/43 Summary This lecture started to look at sensor data. It concentrated on data that can be used in odometry. Wheel encoders and looked at LeJOS support for doing odometry. Also looked at other kinds of related sensor data: Compass Gyroscope Next time we ll look at range sensor data and cameras as sensors.

Robotics and Autonomous Systems

Robotics and Autonomous Systems Robotics and Autonomous Systems Lecture 6: Perception/Odometry Simon Parsons Department of Computer Science University of Liverpool 1 / 47 Today We ll talk about perception and motor control. 2 / 47 Perception

More information

Robotics and Autonomous Systems

Robotics and Autonomous Systems Robotics and Autonomous Systems Lecture 6: Perception/Odometry Terry Payne Department of Computer Science University of Liverpool 1 / 47 Today We ll talk about perception and motor control. 2 / 47 Perception

More information

Localization, Where am I?

Localization, Where am I? 5.1 Localization, Where am I?? position Position Update (Estimation?) Encoder Prediction of Position (e.g. odometry) YES matched observations Map data base predicted position Matching Odometry, Dead Reckoning

More information

CS283: Robotics Fall 2016: Sensors

CS283: Robotics Fall 2016: Sensors CS283: Robotics Fall 2016: Sensors Sören Schwertfeger / 师泽仁 ShanghaiTech University Robotics ShanghaiTech University - SIST - 23.09.2016 2 REVIEW TRANSFORMS Robotics ShanghaiTech University - SIST - 23.09.2016

More information

Encoder applications. I Most common use case: Combination with motors

Encoder applications. I Most common use case: Combination with motors 3.5 Rotation / Motion - Encoder applications 64-424 Intelligent Robotics Encoder applications I Most common use case: Combination with motors I Used to measure relative rotation angle, rotational direction

More information

Sensor Modalities. Sensor modality: Different modalities:

Sensor Modalities. Sensor modality: Different modalities: Sensor Modalities Sensor modality: Sensors which measure same form of energy and process it in similar ways Modality refers to the raw input used by the sensors Different modalities: Sound Pressure Temperature

More information

Outline Sensors. EE Sensors. H.I. Bozma. Electric Electronic Engineering Bogazici University. December 13, 2017

Outline Sensors. EE Sensors. H.I. Bozma. Electric Electronic Engineering Bogazici University. December 13, 2017 Electric Electronic Engineering Bogazici University December 13, 2017 Absolute position measurement Outline Motion Odometry Inertial systems Environmental Tactile Proximity Sensing Ground-Based RF Beacons

More information

Old View of Perception vs. New View

Old View of Perception vs. New View Old View of Perception vs. New View Traditional ( old view ) approach: Perception considered in isolation (i.e., disembodied) Perception as king (e.g., computer vision is the problem) Universal reconstruction

More information

Navigation and path execution NAVIGATION IN LEJOS ROBOTICS AND AUTONOMOUS SYSTEMS. Today. Digging into the detail of how you do the last two.

Navigation and path execution NAVIGATION IN LEJOS ROBOTICS AND AUTONOMOUS SYSTEMS. Today. Digging into the detail of how you do the last two. ROBOTICS AND AUTONOMOUS SYSTEMS Simon Parsons Department of Computer Science University of Liverpool LECTURE 13 comp329-2013-parsons-lect13 2/43 Today From navigation to motion control. NAVIGATION IN LEJOS

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

Robotics and Autonomous Systems

Robotics and Autonomous Systems Robotics and Autonomous Systems Lecture 13: Navigation in LeJOS Richard Williams Department of Computer Science University of Liverpool 1 / 40 Today From navigation to motion control. 2 / 40 Navigation

More information

Exam in DD2426 Robotics and Autonomous Systems

Exam in DD2426 Robotics and Autonomous Systems Exam in DD2426 Robotics and Autonomous Systems Lecturer: Patric Jensfelt KTH, March 16, 2010, 9-12 No aids are allowed on the exam, i.e. no notes, no books, no calculators, etc. You need a minimum of 20

More information

Localization and Map Building

Localization and Map Building Localization and Map Building Noise and aliasing; odometric position estimation To localize or not to localize Belief representation Map representation Probabilistic map-based localization Other examples

More information

Autonomous Navigation for Flying Robots

Autonomous Navigation for Flying Robots Computer Vision Group Prof. Daniel Cremers Autonomous Navigation for Flying Robots Lecture 3.2: Sensors Jürgen Sturm Technische Universität München Sensors IMUs (inertial measurement units) Accelerometers

More information

Camera Drones Lecture 2 Control and Sensors

Camera Drones Lecture 2 Control and Sensors Camera Drones Lecture 2 Control and Sensors Ass.Prof. Friedrich Fraundorfer WS 2017 1 Outline Quadrotor control principles Sensors 2 Quadrotor control - Hovering Hovering means quadrotor needs to hold

More information

Sensor technology for mobile robots

Sensor technology for mobile robots Laser application, vision application, sonar application and sensor fusion (6wasserf@informatik.uni-hamburg.de) Outline Introduction Mobile robots perception Definitions Sensor classification Sensor Performance

More information

EE565:Mobile Robotics Lecture 3

EE565:Mobile Robotics Lecture 3 EE565:Mobile Robotics Lecture 3 Welcome Dr. Ahmad Kamal Nasir Today s Objectives Motion Models Velocity based model (Dead-Reckoning) Odometry based model (Wheel Encoders) Sensor Models Beam model of range

More information

E80. Experimental Engineering. Lecture 9 Inertial Measurement

E80. Experimental Engineering. Lecture 9 Inertial Measurement Lecture 9 Inertial Measurement http://www.volker-doormann.org/physics.htm Feb. 19, 2013 Christopher M. Clark Where is the rocket? Outline Sensors People Accelerometers Gyroscopes Representations State

More information

ECGR4161/5196 Lecture 6 June 9, 2011

ECGR4161/5196 Lecture 6 June 9, 2011 ECGR4161/5196 Lecture 6 June 9, 2011 YouTube Videos: http://www.youtube.com/watch?v=7hag6zgj78o&feature=p layer_embedded Micro Robotics Worlds smallest robot - Version 1 - "tank" Worlds smallest robot

More information

Line of Sight Stabilization Primer Table of Contents

Line of Sight Stabilization Primer Table of Contents Line of Sight Stabilization Primer Table of Contents Preface 1 Chapter 1.0 Introduction 3 Chapter 2.0 LOS Control Architecture and Design 11 2.1 Direct LOS Stabilization 15 2.2 Indirect LOS Stabilization

More information

Unit 2: Locomotion Kinematics of Wheeled Robots: Part 3

Unit 2: Locomotion Kinematics of Wheeled Robots: Part 3 Unit 2: Locomotion Kinematics of Wheeled Robots: Part 3 Computer Science 4766/6778 Department of Computer Science Memorial University of Newfoundland January 28, 2014 COMP 4766/6778 (MUN) Kinematics of

More information

Collaboration is encouraged among small groups (e.g., 2-3 students).

Collaboration is encouraged among small groups (e.g., 2-3 students). Assignments Policies You must typeset, choices: Word (very easy to type math expressions) Latex (very easy to type math expressions) Google doc Plain text + math formula Your favorite text/doc editor Submit

More information

COMMUNICATION AND OTHER USEFUL THINGS

COMMUNICATION AND OTHER USEFUL THINGS ROBOTICS AND AUTONOMOUS SYSTEMS Simon Parsons Department of Computer Science University of Liverpool LECTURE 14 comp329-2013-parsons-lect14 2/42 Today We will cover things from all parts of robotics COMMUNICATION

More information

EE565:Mobile Robotics Lecture 2

EE565:Mobile Robotics Lecture 2 EE565:Mobile Robotics Lecture 2 Welcome Dr. Ing. Ahmad Kamal Nasir Organization Lab Course Lab grading policy (40%) Attendance = 10 % In-Lab tasks = 30 % Lab assignment + viva = 60 % Make a group Either

More information

Basics of Localization, Mapping and SLAM. Jari Saarinen Aalto University Department of Automation and systems Technology

Basics of Localization, Mapping and SLAM. Jari Saarinen Aalto University Department of Automation and systems Technology Basics of Localization, Mapping and SLAM Jari Saarinen Aalto University Department of Automation and systems Technology Content Introduction to Problem (s) Localization A few basic equations Dead Reckoning

More information

THREADS AND MULTITASKING ROBOTS

THREADS AND MULTITASKING ROBOTS ROBOTICS AND AUTONOMOUS SYSTEMS Simon Parsons Department of Computer Science University of Liverpool LECTURE 10 comp329-2013-parsons-lect10 2/37 Today Some more programming techniques that will be helpful

More information

ROBOTICS AND AUTONOMOUS SYSTEMS

ROBOTICS AND AUTONOMOUS SYSTEMS ROBOTICS AND AUTONOMOUS SYSTEMS Simon Parsons Department of Computer Science University of Liverpool LECTURE 10 THREADS AND MULTITASKING ROBOTS comp329-2013-parsons-lect10 2/37 Today Some more programming

More information

CAMERA GIMBAL PERFORMANCE IMPROVEMENT WITH SPINNING-MASS MECHANICAL GYROSCOPES

CAMERA GIMBAL PERFORMANCE IMPROVEMENT WITH SPINNING-MASS MECHANICAL GYROSCOPES 8th International DAAAM Baltic Conference "INDUSTRIAL ENGINEERING 19-21 April 2012, Tallinn, Estonia CAMERA GIMBAL PERFORMANCE IMPROVEMENT WITH SPINNING-MASS MECHANICAL GYROSCOPES Tiimus, K. & Tamre, M.

More information

Localization, Mapping and Exploration with Multiple Robots. Dr. Daisy Tang

Localization, Mapping and Exploration with Multiple Robots. Dr. Daisy Tang Localization, Mapping and Exploration with Multiple Robots Dr. Daisy Tang Two Presentations A real-time algorithm for mobile robot mapping with applications to multi-robot and 3D mapping, by Thrun, Burgard

More information

Robotics course student reading and in-class presentation

Robotics course student reading and in-class presentation Robotics course student reading and in-class presentation Purpose: Learn how to research for information about robotics projects. Search web, library books and research papers Skim through many pages.

More information

Humanoid Robotics. Monte Carlo Localization. Maren Bennewitz

Humanoid Robotics. Monte Carlo Localization. Maren Bennewitz Humanoid Robotics Monte Carlo Localization Maren Bennewitz 1 Basis Probability Rules (1) If x and y are independent: Bayes rule: Often written as: The denominator is a normalizing constant that ensures

More information

ROBOT SENSORS. 1. Proprioceptors

ROBOT SENSORS. 1. Proprioceptors ROBOT SENSORS Since the action capability is physically interacting with the environment, two types of sensors have to be used in any robotic system: - proprioceptors for the measurement of the robot s

More information

DD2426 Robotics and Autonomous Systems Lecture 4: Robot Sensors and Perception

DD2426 Robotics and Autonomous Systems Lecture 4: Robot Sensors and Perception DD2426 Robotics and Autonomous Systems Lecture 4: Robot Sensors and Perception Patric Jensfelt Kungliga Tekniska Högskolan patric@kth.se April 8,2008 Example: Robots and sensors B21 (Real world interfaces)

More information

PROGRAMMING ROBOTS AN ABSTRACT VIEW

PROGRAMMING ROBOTS AN ABSTRACT VIEW ROBOTICS AND AUTONOMOUS SYSTEMS Simon Parsons Department of Computer Science University of Liverpool LECTURE 3 comp329-2013-parsons-lect03 2/50 Today Before the labs start on Monday, we will look a bit

More information

Lecture 2. Reactive and Deliberative Intelligence and Behavior. Lecture Outline

Lecture 2. Reactive and Deliberative Intelligence and Behavior. Lecture Outline Lecture 2 6.141: Robotics Systems and Science Technical Lecture 2 Introduction to Robot Control Architectures and Sensing Lecture Notes Prepared by Una-May O Reilly CSAIL/MIT Spring 2010 You will learn

More information

EV3 Programming Workshop for FLL Coaches

EV3 Programming Workshop for FLL Coaches EV3 Programming Workshop for FLL Coaches Tony Ayad 2017 Outline This workshop is intended for FLL coaches who are interested in learning about Mindstorms EV3 programming language. Programming EV3 Controller

More information

Robotics and Autonomous Systems

Robotics and Autonomous Systems Robotics and Autonomous Systems Lecture 14: Communication and other useful things Simon Parsons Department of Computer Science University of Liverpool 1 / 43 Today We will cover things from all parts of

More information

Last update: May 6, Robotics. CMSC 421: Chapter 25. CMSC 421: Chapter 25 1

Last update: May 6, Robotics. CMSC 421: Chapter 25. CMSC 421: Chapter 25 1 Last update: May 6, 2010 Robotics CMSC 421: Chapter 25 CMSC 421: Chapter 25 1 A machine to perform tasks What is a robot? Some level of autonomy and flexibility, in some type of environment Sensory-motor

More information

Intro to Programming the Lego Robots

Intro to Programming the Lego Robots Intro to Programming the Lego Robots Hello Byng Roboticists! I'm writing this introductory guide will teach you the basic commands to control your Lego NXT Robots. Keep in mind there are many more commands

More information

Robotics. Lecture 5: Monte Carlo Localisation. See course website for up to date information.

Robotics. Lecture 5: Monte Carlo Localisation. See course website  for up to date information. Robotics Lecture 5: Monte Carlo Localisation See course website http://www.doc.ic.ac.uk/~ajd/robotics/ for up to date information. Andrew Davison Department of Computing Imperial College London Review:

More information

Introduction to Robotics

Introduction to Robotics Introduction to Robotics Ph.D. Antonio Marin-Hernandez Artificial Intelligence Department Universidad Veracruzana Sebastian Camacho # 5 Xalapa, Veracruz Robotics Action and Perception LAAS-CNRS 7, av du

More information

Practical Robotics (PRAC)

Practical Robotics (PRAC) Practical Robotics (PRAC) A Mobile Robot Navigation System (1) - Sensor and Kinematic Modelling Nick Pears University of York, Department of Computer Science December 17, 2014 nep (UoY CS) PRAC Practical

More information

This was written by a designer of inertial guidance machines, & is correct. **********************************************************************

This was written by a designer of inertial guidance machines, & is correct. ********************************************************************** EXPLANATORY NOTES ON THE SIMPLE INERTIAL NAVIGATION MACHINE How does the missile know where it is at all times? It knows this because it knows where it isn't. By subtracting where it is from where it isn't

More information

Motion Capture & Simulation

Motion Capture & Simulation Motion Capture & Simulation Motion Capture Character Reconstructions Joint Angles Need 3 points to compute a rigid body coordinate frame 1 st point gives 3D translation, 2 nd point gives 2 angles, 3 rd

More information

Robotics and Autonomous Systems

Robotics and Autonomous Systems 1 / 38 Robotics and Autonomous Systems Lecture 10: Threads and Multitasking Robots Simon Parsons Department of Computer Science University of Liverpool 2 / 38 Today Some more programming techniques that

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

Lecture 13 Visual Inertial Fusion

Lecture 13 Visual Inertial Fusion Lecture 13 Visual Inertial Fusion Davide Scaramuzza Course Evaluation Please fill the evaluation form you received by email! Provide feedback on Exercises: good and bad Course: good and bad How to improve

More information

navigation Isaac Skog

navigation Isaac Skog Foot-mounted zerovelocity aided inertial navigation Isaac Skog skog@kth.se Course Outline 1. Foot-mounted inertial navigation a. Basic idea b. Pros and cons 2. Inertial navigation a. The inertial sensors

More information

Probabilistic Robotics

Probabilistic Robotics Probabilistic Robotics Probabilistic Motion and Sensor Models Some slides adopted from: Wolfram Burgard, Cyrill Stachniss, Maren Bennewitz, Kai Arras and Probabilistic Robotics Book SA-1 Sensors for Mobile

More information

IMU and Encoders. Team project Robocon 2016

IMU and Encoders. Team project Robocon 2016 IMU and Encoders Team project Robocon 2016 Harsh Sinha, 14265, harshsin@iitk.ac.in Deepak Gangwar, 14208, dgangwar@iitk.ac.in Swati Gupta, 14742, swatig@iitk.ac.in March 17 th 2016 IMU and Encoders Module

More information

CS Project 2 - Experience with More lejos Classes

CS Project 2 - Experience with More lejos Classes CS 444 - Project 2 p. 1 CS 444 - Project 2 - Experience with More lejos Classes Experiment: Can you get a better feel for some of these lejos classes and methods entering pre-written classes as a team,

More information

Project 1 : Dead Reckoning and Tracking

Project 1 : Dead Reckoning and Tracking CS3630 Spring 2012 Project 1 : Dead Reckoning and Tracking Group : Wayward Sons Sameer Ansari, David Bernal, Tommy Kazenstein 2/8/2012 Wayward Sons CS3630 Spring 12 Project 1 Page 2 of 12 CS 3630 (Spring

More information

AMG Series. Motorized Position and Rate Gimbals. Continuous 360 rotation of azimuth and elevation including built-in slip ring

AMG Series. Motorized Position and Rate Gimbals. Continuous 360 rotation of azimuth and elevation including built-in slip ring AMG Series Optical Mounts AMG Series Motorized Position and Rate Gimbals Continuous rotation of azimuth and elevation including built-in slip ring High accuracy angular position and rate capability Direct-drive

More information

Program your face off

Program your face off Program your face off Game plan Basics of Programming Primitive types, loops, and conditionals. What is an Object oriented language? Tips and tricks of WPIlib Iterative and Command Based robots Feedback

More information

Cinematica dei Robot Mobili su Ruote. Corso di Robotica Prof. Davide Brugali Università degli Studi di Bergamo

Cinematica dei Robot Mobili su Ruote. Corso di Robotica Prof. Davide Brugali Università degli Studi di Bergamo Cinematica dei Robot Mobili su Ruote Corso di Robotica Prof. Davide Brugali Università degli Studi di Bergamo Riferimenti bibliografici Roland SIEGWART, Illah R. NOURBAKHSH Introduction to Autonomous Mobile

More information

Robotics (Kinematics) Winter 1393 Bonab University

Robotics (Kinematics) Winter 1393 Bonab University Robotics () Winter 1393 Bonab University : most basic study of how mechanical systems behave Introduction Need to understand the mechanical behavior for: Design Control Both: Manipulators, Mobile Robots

More information

DEAD RECKONING FOR MOBILE ROBOTS USING TWO OPTICAL MICE

DEAD RECKONING FOR MOBILE ROBOTS USING TWO OPTICAL MICE DEAD RECKONING FOR MOBILE ROBOTS USING TWO OPTICAL MICE Andrea Bonarini Matteo Matteucci Marcello Restelli Department of Electronics and Information Politecnico di Milano Piazza Leonardo da Vinci, I-20133,

More information

Mirror positioning on your fingertip. Embedded controller means tiny size plus fast, easy integration. Low power for hand-held systems

Mirror positioning on your fingertip. Embedded controller means tiny size plus fast, easy integration. Low power for hand-held systems SMALL, PRECISE, SMART IN MOTION DK-M3-RS-U-1M-20 Developer s Kit Single-Axis Mirror Positioning System Miniature piezo smart stage with built-in controller for simple, precise point-to-point positioning

More information

Localization and Map Building

Localization and Map Building Localization and Map Building Noise and aliasing; odometric position estimation To localize or not to localize Belief representation Map representation Probabilistic map-based localization Other examples

More information

Inertial Navigation Systems

Inertial Navigation Systems Inertial Navigation Systems Kiril Alexiev University of Pavia March 2017 1 /89 Navigation Estimate the position and orientation. Inertial navigation one of possible instruments. Newton law is used: F =

More information

Today. Robotics and Autonomous Systems. Today. Communication on the NXT. Lecture 14: Communication and other useful things.

Today. Robotics and Autonomous Systems. Today. Communication on the NXT. Lecture 14: Communication and other useful things. Today Robotics and Autonomous Systems Lecture 14: Communication and other useful things Richard Williams Department of Computer Science University of Liverpool We will cover things from all parts of robotics

More information

Testing the Possibilities of Using IMUs with Different Types of Movements

Testing the Possibilities of Using IMUs with Different Types of Movements 137 Testing the Possibilities of Using IMUs with Different Types of Movements Kajánek, P. and Kopáčik A. Slovak University of Technology, Faculty of Civil Engineering, Radlinského 11, 81368 Bratislava,

More information

INTRODUCTION TO ARTIFICIAL INTELLIGENCE

INTRODUCTION TO ARTIFICIAL INTELLIGENCE DATA15001 INTRODUCTION TO ARTIFICIAL INTELLIGENCE THE FINAL EPISODE (11): ROBOTICS TODAY S MENU 1. "GRAND CHALLENGE" 2. LEGO MIND- STORMS 3. ROBO WORKSHOPS ROBOTICS AS A "GRAND CHALLENGE" OF AI actuators:

More information

ADVANTAGES OF INS CONTROL SYSTEMS

ADVANTAGES OF INS CONTROL SYSTEMS ADVANTAGES OF INS CONTROL SYSTEMS Pavol BOŽEK A, Aleksander I. KORŠUNOV B A Institute of Applied Informatics, Automation and Mathematics, Faculty of Material Science and Technology, Slovak University of

More information

MOBILE ROBOT LOCALIZATION. REVISITING THE TRIANGULATION METHODS. Josep Maria Font, Joaquim A. Batlle

MOBILE ROBOT LOCALIZATION. REVISITING THE TRIANGULATION METHODS. Josep Maria Font, Joaquim A. Batlle MOBILE ROBOT LOCALIZATION. REVISITING THE TRIANGULATION METHODS Josep Maria Font, Joaquim A. Batlle Department of Mechanical Engineering Technical University of Catalonia (UC) Avda. Diagonal 647, 08028

More information

Attitude Control for Small Satellites using Control Moment Gyros

Attitude Control for Small Satellites using Control Moment Gyros Attitude Control for Small Satellites using Control Moment Gyros V Lappas a, Dr WH Steyn b, Dr CI Underwood c a Graduate Student, University of Surrey, Guildford, Surrey GU 5XH, UK b Professor, University

More information

7 3-Sep Localization and Navigation (GPS, INS, & SLAM) 8 10-Sep State-space modelling & Controller Design 9 17-Sep Vision-based control

7 3-Sep Localization and Navigation (GPS, INS, & SLAM) 8 10-Sep State-space modelling & Controller Design 9 17-Sep Vision-based control RoboticsCourseWare Contributor 2012 School of Information Technology and Electrical Engineering at the University of Queensland Schedule Week Date Lecture (M: 12-1:30, 43-102) 1 23-Jul Introduction Representing

More information

NAVIGATION SYSTEM OF AN OUTDOOR SERVICE ROBOT WITH HYBRID LOCOMOTION SYSTEM

NAVIGATION SYSTEM OF AN OUTDOOR SERVICE ROBOT WITH HYBRID LOCOMOTION SYSTEM NAVIGATION SYSTEM OF AN OUTDOOR SERVICE ROBOT WITH HYBRID LOCOMOTION SYSTEM Jorma Selkäinaho, Aarne Halme and Janne Paanajärvi Automation Technology Laboratory, Helsinki University of Technology, Espoo,

More information

Me 3-Axis Accelerometer and Gyro Sensor

Me 3-Axis Accelerometer and Gyro Sensor Me 3-Axis Accelerometer and Gyro Sensor SKU: 11012 Weight: 20.00 Gram Description: Me 3-Axis Accelerometer and Gyro Sensor is a motion processing module. It can use to measure the angular rate and the

More information

Getting Started Guide

Getting Started Guide Getting Started Guide 1860 38th St. Boulder, CO 80301 www.modrobotics.com 1. Make Your First Robot The Dimbot Uses a clear Flashlight Action block, black Distance Sense block, and a blueish-gray Battery

More information

4INERTIAL NAVIGATION CHAPTER 20. INTRODUCTION TO INERTIAL NAVIGATION...333

4INERTIAL NAVIGATION CHAPTER 20. INTRODUCTION TO INERTIAL NAVIGATION...333 4INERTIAL NAVIGATION CHAPTER 20. INTRODUCTION TO INERTIAL NAVIGATION...333 4 CHAPTER 20 INTRODUCTION TO INERTIAL NAVIGATION INTRODUCTION 2000. Background Inertial navigation is the process of measuring

More information

Image Composition System Using Multiple Mobile Robot Cameras

Image Composition System Using Multiple Mobile Robot Cameras Image Composition System Using Multiple Mobile Robot Cameras We have developed a high-precision video composition system which integrates a robotic camera able to move like a real cameraman with computer

More information

Probabilistic Localization with the RCX Lloyd Greenwald

Probabilistic Localization with the RCX Lloyd Greenwald Probabilistic Localization with the RCX Lloyd Greenwald (www.cs.drexel.edu/~lgreenwa) Probabilistic Localization with the RCX, Greenwald 1 Outline Overview The localization problem A simplified educational

More information

Mobile Robotics. Mathematics, Models, and Methods. HI Cambridge. Alonzo Kelly. Carnegie Mellon University UNIVERSITY PRESS

Mobile Robotics. Mathematics, Models, and Methods. HI Cambridge. Alonzo Kelly. Carnegie Mellon University UNIVERSITY PRESS Mobile Robotics Mathematics, Models, and Methods Alonzo Kelly Carnegie Mellon University HI Cambridge UNIVERSITY PRESS Contents Preface page xiii 1 Introduction 1 1.1 Applications of Mobile Robots 2 1.2

More information

INTEGRATED TECH FOR INDUSTRIAL POSITIONING

INTEGRATED TECH FOR INDUSTRIAL POSITIONING INTEGRATED TECH FOR INDUSTRIAL POSITIONING Integrated Tech for Industrial Positioning aerospace.honeywell.com 1 Introduction We are the world leader in precision IMU technology and have built the majority

More information

Robot Mapping. A Short Introduction to the Bayes Filter and Related Models. Gian Diego Tipaldi, Wolfram Burgard

Robot Mapping. A Short Introduction to the Bayes Filter and Related Models. Gian Diego Tipaldi, Wolfram Burgard Robot Mapping A Short Introduction to the Bayes Filter and Related Models Gian Diego Tipaldi, Wolfram Burgard 1 State Estimation Estimate the state of a system given observations and controls Goal: 2 Recursive

More information

OFERTA O120410PA CURRENT DATE 10/04//2012 VALID UNTIL 10/05/2012 SUMMIT XL

OFERTA O120410PA CURRENT DATE 10/04//2012 VALID UNTIL 10/05/2012 SUMMIT XL OFERTA O120410PA CURRENT DATE 10/04//2012 VALID UNTIL 10/05/2012 SUMMIT XL CLIENT CLIENT: Gaitech REPRESENTANT: Andrew Pether MAIL: andyroojp@hotmail.com PRODUCT Introduction The SUMMIT XL has skid-steering

More information

Robotics. Haslum COMP3620/6320

Robotics. Haslum COMP3620/6320 Robotics P@trik Haslum COMP3620/6320 Introduction Robotics Industrial Automation * Repetitive manipulation tasks (assembly, etc). * Well-known, controlled environment. * High-power, high-precision, very

More information

Sphero Lightning Lab Cheat Sheet

Sphero Lightning Lab Cheat Sheet Actions Tool Description Variables Ranges Roll Combines heading, speed and time variables to make the robot roll. Duration Speed Heading (0 to 999999 seconds) (degrees 0-359) Set Speed Sets the speed of

More information

Overview. EECS 124, UC Berkeley, Spring 2008 Lecture 23: Localization and Mapping. Statistical Models

Overview. EECS 124, UC Berkeley, Spring 2008 Lecture 23: Localization and Mapping. Statistical Models Introduction ti to Embedded dsystems EECS 124, UC Berkeley, Spring 2008 Lecture 23: Localization and Mapping Gabe Hoffmann Ph.D. Candidate, Aero/Astro Engineering Stanford University Statistical Models

More information

Mobile Robots Locomotion & Sensors

Mobile Robots Locomotion & Sensors Mobile Robots Locomotion & Sensors Institute for Software Technology 1 Robotics is Easy control behavior perception modelling domain model environment model information extraction raw data planning task

More information

Motion Control (wheeled robots)

Motion Control (wheeled robots) Motion Control (wheeled robots) Requirements for Motion Control Kinematic / dynamic model of the robot Model of the interaction between the wheel and the ground Definition of required motion -> speed control,

More information

Introduction to Mobile Robotics

Introduction to Mobile Robotics Introduction to Mobile Robotics Olivier Aycard Associate Professor University of Grenoble Laboratoire d Informatique de Grenoble http://membres-liglab.imag.fr/aycard 1/29 Some examples of mobile robots

More information

A General Framework for Mobile Robot Pose Tracking and Multi Sensors Self-Calibration

A General Framework for Mobile Robot Pose Tracking and Multi Sensors Self-Calibration A General Framework for Mobile Robot Pose Tracking and Multi Sensors Self-Calibration Davide Cucci, Matteo Matteucci {cucci, matteucci}@elet.polimi.it Dipartimento di Elettronica, Informazione e Bioingegneria,

More information

Marker Based Localization of a Quadrotor. Akshat Agarwal & Siddharth Tanwar

Marker Based Localization of a Quadrotor. Akshat Agarwal & Siddharth Tanwar Marker Based Localization of a Quadrotor Akshat Agarwal & Siddharth Tanwar Objective Introduction Objective: To implement a high level control pipeline on a quadrotor which could autonomously take-off,

More information

MULTI-MODAL MAPPING. Robotics Day, 31 Mar Frank Mascarich, Shehryar Khattak, Tung Dang

MULTI-MODAL MAPPING. Robotics Day, 31 Mar Frank Mascarich, Shehryar Khattak, Tung Dang MULTI-MODAL MAPPING Robotics Day, 31 Mar 2017 Frank Mascarich, Shehryar Khattak, Tung Dang Application-Specific Sensors Cameras TOF Cameras PERCEPTION LiDAR IMU Localization Mapping Autonomy Robotic Perception

More information

Calibration of Inertial Measurement Units Using Pendulum Motion

Calibration of Inertial Measurement Units Using Pendulum Motion Technical Paper Int l J. of Aeronautical & Space Sci. 11(3), 234 239 (2010) DOI:10.5139/IJASS.2010.11.3.234 Calibration of Inertial Measurement Units Using Pendulum Motion Keeyoung Choi* and Se-ah Jang**

More information

Strapdown inertial navigation technology

Strapdown inertial navigation technology Strapdown inertial navigation technology D. H. Titterton and J. L. Weston Peter Peregrinus Ltd. on behalf of the Institution of Electrical Engineers Contents Preface Page xiii 1 Introduction 1 1.1 Navigation

More information

SPARTAN ROBOTICS FRC 971

SPARTAN ROBOTICS FRC 971 SPARTAN ROBOTICS FRC 971 Controls Documentation 2015 Design Goals Create a reliable and effective system for controlling and debugging robot code that provides greater flexibility and higher performance

More information

INDOOR AND OUTDOOR LOCALIZATION OF A MOBILE ROBOT FUSING SENSOR DATA. A Thesis Presented. Md Maruf Ibne Hasan

INDOOR AND OUTDOOR LOCALIZATION OF A MOBILE ROBOT FUSING SENSOR DATA. A Thesis Presented. Md Maruf Ibne Hasan INDOOR AND OUTDOOR LOCALIZATION OF A MOBILE ROBOT FUSING SENSOR DATA A Thesis Presented By Md Maruf Ibne Hasan to The Department of Electrical and Computer Engineering in partial fulfillment of the requirements

More information

Selection and Integration of Sensors Alex Spitzer 11/23/14

Selection and Integration of Sensors Alex Spitzer 11/23/14 Selection and Integration of Sensors Alex Spitzer aes368@cornell.edu 11/23/14 Sensors Perception of the outside world Cameras, DVL, Sonar, Pressure Accelerometers, Gyroscopes, Magnetometers Position vs

More information

MTRX 4700 Experimental Robotics

MTRX 4700 Experimental Robotics Course Outline Mtrx 4700: Experimental Robotics Dr. Stefan B. Williams Slide 1 Wk. Date Content Labs Due Dates 1 4 Mar Introduction, history & philosophy of robotics 2 11 Mar Robot kinematics & dynamics

More information

An Intro to Gyros. FTC Team #6832. Science and Engineering Magnet - Dallas ISD

An Intro to Gyros. FTC Team #6832. Science and Engineering Magnet - Dallas ISD An Intro to Gyros FTC Team #6832 Science and Engineering Magnet - Dallas ISD Gyro Types - Mechanical Hubble Gyro Unit Gyro Types - Sensors Low cost MEMS Gyros High End Gyros Ring laser, fiber optic, hemispherical

More information

CS283: Robotics Fall 2017: Sensors

CS283: Robotics Fall 2017: Sensors CS283: Robotics Fall 2017: Sensors Andre Rosendo ShanghaiTech University Robotics ShanghaiTech University - SIST - 27.09.2016 2 REVIEW TRANSFORMS Robotics ShanghaiTech University - SIST - 27.09.2016 3

More information

Major project components: Sensors Robot hardware/software integration Kinematic model generation High-level control

Major project components: Sensors Robot hardware/software integration Kinematic model generation High-level control Status update: Path planning/following for a snake Major project components: Sensors Robot hardware/software integration Kinematic model generation High-level control 2. Optical mouse Optical mouse technology

More information

Inertial Measurement for planetary exploration: Accelerometers and Gyros

Inertial Measurement for planetary exploration: Accelerometers and Gyros Inertial Measurement for planetary exploration: Accelerometers and Gyros Bryan Wagenknecht 1 Significance of Inertial Measurement Important to know where am I? if you re an exploration robot Probably don

More information

1 Differential Drive Kinematics

1 Differential Drive Kinematics CS W4733 NOTES - Differential Drive Robots Note: these notes were compiled from Dudek and Jenkin, Computational Principles of Mobile Robotics. 1 Differential Drive Kinematics Many mobile robots use a drive

More information

Fast Local Planner for Autonomous Helicopter

Fast Local Planner for Autonomous Helicopter Fast Local Planner for Autonomous Helicopter Alexander Washburn talexan@seas.upenn.edu Faculty advisor: Maxim Likhachev April 22, 2008 Abstract: One challenge of autonomous flight is creating a system

More information

Today. Robotics and Autonomous Systems. The scenario (again) Basic control loop

Today. Robotics and Autonomous Systems. The scenario (again) Basic control loop Today Robotics and Autonomous Systems Lecture 3 Programming robots Richard Williams Department of Computer Science University of Liverpool Before the labs start on Monday, we will look a bit at programming

More information

Zürich. Roland Siegwart Margarita Chli Martin Rufli Davide Scaramuzza. ETH Master Course: L Autonomous Mobile Robots Summary

Zürich. Roland Siegwart Margarita Chli Martin Rufli Davide Scaramuzza. ETH Master Course: L Autonomous Mobile Robots Summary Roland Siegwart Margarita Chli Martin Rufli Davide Scaramuzza ETH Master Course: 151-0854-00L Autonomous Mobile Robots Summary 2 Lecture Overview Mobile Robot Control Scheme knowledge, data base mission

More information