Arduino-Based Optical Tachometer

192K14235

Intro: Arduino-Based Optical Tachometer

Over ten years ago, I put up a web page with detailed instructions on building a simple electric motor based on one from the Beakman's World TV show. I called it the "Beakman's Electric Motor" page and over the years it has had hundreds of thousands, if not millions, of hits. Realizing that just building a motor, no matter how cool, wasn't a good science fair project, I added suggestions for using the motor as a science fair project, such as experimenting with different magnets, batteries, and coil constructions and seeing how they affect performance. In order to do this, the speed of the motor should be measured, but I left that as an open-ended question.

I've had dozens of e-mails over the years asking how to measure the speed and I've always suggested using a broken light beam and a counter, but I've never built one myself. I even suggested to one person that they use a slot-car lap counter since I'd seen on one sale at Toys 'R Us for 99 cents and she said that it worked perfectly, but not everyone can find a good deal like that.

It just so happened that I got one of these "how do I measure the motor speed?" e-mails on the same day my new Arduino Diecimila microcontroller board arrived from the Make Store, so I thought that would make a great weekend project.

Here is the result, an optical tachometer for Beakman's Electric Motor using an IR emitter/detector pair and a Arduino board. With a few modifications to the programming, you can use this tachometer for measuring other things such as fan or propeller speed. Notes are included on what to change for different applications.

How to have fun with Arduino is a good source of basics on how to setup and use the Arduino board.

STEP 1: Materials Needed

Arduino Diecimila Board
Available from the Make Store or from several other online resources. Note however that the techniques of this Instructable could be adapted for other microcontrollers and circuits.

Computer with Arduino software and USB cable

IR LED and IR phototransistor
I used a Radio Shack #276-142, but that may be an old part number. Parts selection on this probably isn't too critical.

Visible light LED
I used a high-brightness red one that I had around. Actual selection not too critical.

10K Ohm resistor

220 Ohm resistor

Breadboard (semi-optional), hookup wires, clips

Opaque tape, such as black electrical tape

Framework for holding LED and detector
Use your imagination, I used KNex pieces to build a frame.

Beakman's Electric Motor (or something else to measure)
Original instructions for building the motor are here: Beakman's Motor
Similar plans are available from other places, such as this Instructable:
Simple Electric Motor

STEP 2: Building and Preparing the Motor (if Necessary)

Follow the instructions to build the Beakman's Electric motor. The motor should be mounted on a suitable base so that it can run freestanding a bit off the table. I used some Brio construction set pieces (I have a lot of toys laying around).

The most important thing to ensure reliable motor operation is to make sure the coil is balanced and the tails of the coil are very straight. I drew a diagram using my coil form and a ruler, then laid the completed coil on the paper to align the tails perpendicular to the coil and to make sure they were straight. I then used a drop of superglue where the tails were wrapped around the coil to make sure they couldn't slide.

To enable the coil to break the light-beam, place a piece of opaque tape (I used black electrical tape) across the coil. This might slow it down a tiny bit, but if all of your coils have the same sized piece of tape in the same position, your results between coils should be relatively consistent.

STEP 3: IR Detector Circuit

There are three separate circuits to connect to the Arduino. You can refer to my schematic and notes sketch in the images and to the pictures of the breadboard to see how I hooked it all up. Of course, the critical things to note are the anode/cathode orientation of the LEDs and transistors and the connections to power and ground. The whole circuit is powered from the Arduino board and since the program will communicate with the PC, I'm using the USB connector for power.

IR Detector Circuit
I figured the easiest way to detect breaks in the light path was to use an IR LED and IR phototransistor, configured so that the phototransistor is either "on" or "off" instead of using a photocell with an analog threshold.

I found the configuration in the Forrest Mims circuit notebook "Optoelectronic Circuits" - the excerpt is in the images below. These books are wonderful, by the way. I'm anxious to try many of the other sensors and circuits he describes in them with the Arduino.

A 10K Ohm resistor goes from the +5V connector on the Arduino to the collector on the phototransistor (pin 2). The emitter of the phototransistor (pin 1) is connected to ground (again on the Arduino board). Pin 3 is unused and can be bent out of the way or clipped. The collector (pin 2) is also connected to the digital pin 2 on the Arduino. Input 2 on the Arduino corresponds to interrupt 0, which we will be using to count pulses.

I used alligator clip patch wires to connect the phototransistor and small angled pins on the breadboard to connect to the circuit. The hookups for this project are simple enough that you could probably do point-to-board wiring and just plug the hookup wires into the sockets on the Arduino. I used a small breadboard instead. Of course, if you have the Arduino shield, construction would be even easier.

IR LED Circuit
The Arduino Diecimila has a current limiting resistor on pin 13, so to reduce the parts count, I connected the IR LED to that pin. If you have an older Arduino board, remember to connect an appropriate series resistor to the output pin. The connections for this were also done with a right-angled header on the breadboard and alligator clip patch wires to the LED. Anode to digital pin 13, cathode (flat side) to ground.

Status LED
Since we're dealing with invisible IR light, interrupts, and serial communications for status, I wanted to see something that would tell me the circuit is working, so I connected a RED status LED to digital pin 12 through a 220 Ohm series resistor.

STEP 4: Programming

The program for calculating the RPM of the motor is pretty simple. I adapted it from a Hall Effect motor speed calculator at the excellent Arduino Playground site.

You can download the "sketch" for the program below.

The rpm_fun function is the interrupt function that will be called whenever the data on pin 2 changes from HIGH to LOW (a FALLING pulse). It updates the global rpmcount, then toggles the status LED.

 void rpm_fun() {   //Each rotation, this interrupt    //function is run twice, so take    //that into consideration for    //calculating RPM   //Update count      rpmcount++;         //Toggle status LED      if (status == LOW) {     status = HIGH;   } else {     status = LOW;   }   digitalWrite(statusPin, status);}

Setup initializes the variables, configures the serial parameters, sets the pin modes, and sets up the interrupt function.

void setup() {   Serial.begin(9600);   //Interrupt 0 is digital pin 2, so that is where    //the IR detector is connected   //Triggers on FALLING (change from HIGH to LOW)   attachInterrupt(0, rpm_fun, FALLING);      //Turn on IR LED   pinMode(ledPin, OUTPUT);    digitalWrite(ledPin, HIGH);      //Use statusPin to flash along with interrupts   pinMode(statusPin, OUTPUT);   rpmcount = 0;   rpm = 0;   timeold = 0;   status = LOW; }

The loop function, as the name implies, is the main processing loop that "runs forever" while the board is powered up. The first statement delays for one second (1000 milliseconds), but note that the interrupt function will break in every time the value of pin 2 changes and run the rpm_fun function. After the 1 second delay, the interrupt is temporarily disabled (this may not be necessary, but seems safer) then the RPM is calculated based on the number of interrupts and the elapsed time between now and the last time the calculation occurred. The result is sent back to the computer over the serial port, then the interrupt is restored.
 void loop() {   //Update RPM every second   delay(1000);   //Don't process interrupts during calculations   detachInterrupt(0);   rpm = 30*1000/(millis() - timeold)*rpmcount;   timeold = millis();   rpmcount = 0;      //Write it out to serial port   Serial.println(rpm,DEC);      //Restart the interrupt processing   attachInterrupt(0, rpm_fun, FALLING);  }

Note that the way the motor and the IR detector is configured, each single turn of the coil will result in two transitions, so the calculation takes that into effect. The same would occur for a two bladed fan or propeller. If only one light break per revolution occurred, such as a swinging arm, the calculation would be:

   rpm = 60*1000/(millis() - timeold)*rpmcount;

For a three bladed fan, the calculation would be:

   rpm = 20*1000/(millis() - timeold)*rpmcount;

STEP 5: Putting It All Together

The IR LED should be pointed at the IR detector over a gap of a few inches. While you can tape the detector to the table and hold the IR LED in your hand (as I did during testing), this is pretty awkward. What you want to do is to build a makeshift frame that keeps the emitter and detector aligned, but leaves enough space that the motor coil can rotate between them and break the light path with the strip of tape.

I built a KNex frame where the upper arm can slide up and down and used rubber bands to secure the wires that go to the LED and phototransistor, but you can whatever you can find - LEGO, Popsicle sticks, stiff wire, whatever.

You can test to see if the circuit and program is working by downloading the sketch to the Arudino and using your finger to break the light beam between the LED and photodetector. Every time you break the beam, the status LED should toggle on and off. You can turn on the serial monitor in the Arduino software and you should see a "0" being out every second. If you break the beam a few times, the "0" should change to a small number.

If that is working, you are ready to integrate the motor.

Get the motor spinning with the tape on the coil, make sure the detector circuit is working and the serial monitor is on, then slide the motor in between the LED and detector. If everything is working, the RPM of the motor should show up on the serial monitor on the PC.

The best performance I've got so far was around 1200 RPM. Leave comments if you do better and what you did differently!

STEP 6: Future Steps

The whole point of this was to enable people to measure the motor speed of the Beakman's Motor so they could vary details and measure the effect the changes have on the motor speed and I think this succeeds in providing those measurements.

However two improvements come to mind already. The first would be to easily capture the RPM information so that it could be graphed and averaged. Since it is just numbers coming across a serial port, this shouldn't be hard to do in any language.

The second is to use the Processing language to create a graphical tachometer display, either a big analog dial or a digital display with a graph, to show the data instead of just reading numbers off the serial terminal.

Processing Home Page

Any other ideas?

Here are a few more resources on the motor, including some EE lab handouts where the motor is one of their projects:

Fields and Waves Handout

Comments on Motor Design

A few more pictures are available on my Flickr page.

Another introduction to this project (and other random stuff) can be found on my blog, Avoidance Central.

34 Comments

hi all ,

how im going to read 0 input as a rpm ?

my coding

//these define the pin connections

const int ledPin=13; //the code will flash the LED connected to digital pin 13

const int sensorPin= 0; //Sensor pin connects to analog pin A0

int level; //the variable that will hold the light level reading

const int threshold=150; //this represents the threshold voltage. If voltage is below 800, this triggers the LED to turn on

void setup() {

pinMode (ledPin, OUTPUT); //sets digital pin 13 as output

pinMode (sensorPin, INPUT); //sets the digital pin 0 as input

Serial.begin(9600); //sets the baud rate at 9600 so we can check the values the sensor is obtaining on the Serial Monitor

}

void loop(){

level= analogRead(sensorPin); //the sensor takes readings from analog pin A0

if (level > threshold){

digitalWrite(ledPin, HIGH); //if the light level is below the threshold level, the LED turns on

}

else{

digitalWrite(ledPin, LOW); //otherwise, if the light level is above the threshold level, the LED is off

}

Serial.print("DATA,TIME,");

Serial.println(level);

}

Here's an optical tachometer using an optical proximity sensor, tested to over 50,000RPM. We are using a Schmitt Trigger to make it work.

https://docs.google.com/document/d/1cU-Q1YAXNuakYPTdYbrLNRDndf-OAxwED3ou3WXyczE/edit#

Hi all,

Thanks CMPalmer for this Indestructible. I found it after I plaid with a simpler idea, using the analogread Arduino function at high acquisition rate to follow the analog signal from a QRD 1114 IR proximity sensor, and a simple code to find a transition event (the signal going from low to high for example). Every time the program finds such transition I timestamp and make the difference between two such events, which gives me the period of rotation. For some reason I get some fluctuations in the RPM reading. Here's the design and prototyping document.

https://docs.google.com/document/d/1cU-Q1YAXNuakYP...

That's great! I love that one-DIY project leads to another DIY project.

Hi, I wonder if I can use it in a diesel engine, I mean with all the noise and vibration over there... I want to visualize in a LCD display... thank you... great work
can I use a magnet and a reed switch for example on a bike?
Hello,
I have uploaded the code to my arduino and it works great, up to about 7500RPM then it starts sending random numbers and the occasional 0.
Have I run into a timing limit or what? I really need to read up to about 20,000RPM . I am using a signal generator sending a square wave to the board on the bench and the output goes wierd with a 250hz square wave inout from the sig gen. At 250hz the RPM indicates 7500rpm on the nose. Thanks for your assistance. Great program!!
If you read the fine print on the picture of Mims notebook, he says to use a large value resistor for higher sensitivity, and a smaller value for faster speeds. Maybe this helps?
Hi, what your sugest to i´m use this sketch to measure rotations over 200.000rpm?
please upload a proper program file.
OMG is that the Forest Mimns Book in the back ground? I totally loved them, and learned a bunch from them!
yes it is! I still have all of his "Engineer's Notebook" series he did for Radio Shack (back when they actually sold cool stuff for electronics hackers). The schematic and explanation of Phototransistors, as I recall (I'll have to dust off my collection) was from his fantastic reference book, Getting Started in Electronics which was also sold through Radio Shack. It's still available and I highly recommend it as well as any of his other electronics reference books to anyone interested in electronics at any skill level. They are terrific references and easy to follow.
 for me when i down load the program it comes up as a tmp file so could you post it replying to this comment

Hello. Great Instrucrable; I need the kind of Script for an RC-Car Engine-RPM-Meter (OMG, Creepy Word ;))
And i Found out, That you can also Use a Reed Sensor for Measuring. Or an Hall-Sensor. I Tried out Both and  the Hall sensor worked best for me.
could this be done with a cds cell/photocell/LDR/photoresistor(all the same thing)
I've tried that ... but it is too slow ... LDR + laser ... you could break the beam very fast, an Arduino would not noticed.
What would the upper rpm limit of something like this be?
That would depend on how fast the arduino can run through its loop of code.  It also might depend on how fast the sensor can detect a change of light.
Besides the point, but another way to measure the rotor speed is to hook the two paper clips up to an oscilloscope and count the voltage spikes over a period of time.
According to this source, the fastest coils have a relatively small diameter with many turns of small gauge wire. My coil in the drawings above had 7 or 8 turns wound around a pill bottle and maxed out at 1200 RPM, but usually ran steadily at around 700-800 RPM. At high speeds, imbalances are magnified and the coil would jump around on the paper clip "brushes" and slow down. Using thinner wire would mean that the coil couldn't the rigid shape of the tails.

One alternative is to allow the coil to sit inside a loop of wire (like the design that uses a large safety pin instead of bent paperclips). This wouldn't ensure proper contact all the time, but would minimize jumping.

What I'm thinking of doing is using two straight, rigid pieces of large, bare copper wire or metal tubing with a non-conductive joint in the middle, then winding a coil with a large number of turns out of very thin magnet wire, then inserting the rod through the width of the coil and soldering the bared ends to the tails. Then use paint on one side of one tail to mimic the half-sanded insulation on the magnet wire. This coil should be heavy, very stable, and have a high electromagnetic density. When I get a chance to build it, I will add it to the Instructable in case these instructions aren't too clear.

I estimate that speeds around 2500 RPM shouldn't be impossible. Of course this motor design is inefficient and doesn't provide much torque, so there is no reason to super-optimize it except for fun.

Other things to remember are (a) use a fresh battery - the motor isn't too kind to them and (b) there is a bit of arcing at the contact points, so periodically you need to wipe off the coil tails and the "brush" points as carbon can build up.

The paper clip arms need to be the same height as well (but they are easily - maybe too easily - adjusted).

I've also thought about gluing small craft beads on the coil tails to keep it from "walking" side to side - something else that will slow it down or stop it.

If you look at the Beakman's Motor page, there are some links to other designs of simple motors and you can find a ton of them via Google (there is a cool brushless motor that uses a magnet reed switch where the motor shaft has permanent magnets attached and it rotates beside an electromagnetic coil - I think I'm going to build one of those some day).

Another good Science Fair type project would be to compare the speed and efficiency of the different types of simple motors.
More Comments