Due date: Sunday, December 5 (midnight) Reading: HH section (pgs ), mbed tour

Size: px
Start display at page:

Download "Due date: Sunday, December 5 (midnight) Reading: HH section (pgs ), mbed tour"

Transcription

1 13 Microcontroller Due date: Sunday, December 5 (midnight) Reading: HH section (pgs ), mbed tour A microcontroller is a tiny computer system, complete with microprocessor, memory, and a variety of input/output channels including analog converters. The microcontroller is programmed using a high-level language like C or Basic, via a connection to a standard desktop or laptop computer. Microcontrollers are relatively inexpensive and can be a good solution to an electronics problem that would otherwise involve constructing a complex circuit The mbed Microcontroller There are a wide variety of microcontrollers available, with many different programming requirements. The mbed controller we will be exploring is based on the NXP LPC1768 chip. The emphasis of the mbed system is on ease of use. The controller attaches to a standard breadboard to provide electronic access, it receives power and programming via a USB cable to a host computer, and programs are written an compiled in a simple web-based interface. To set up the controller, carefully install it into your ELVIS breadboard. Make sure you place it so that you have access to the pins on both sides. The mbed board is large and somewhat delicate, so be careful to apply gentle and even pressure while inserting it. Plug the USB cable into the port on the mbed board and one of the ports on the side of your computer monitor. The Status LED on the mbed board should illuminate, another LED should blink, and your computer should interpret the controller as a flash drive (typically E:). To load a program into the controller, it is simply copied or saved onto the flash drive. When the controller is connected, or when the Reset button in the center of the board is pushed, the controller automatically runs the newest program in its memory. The E: drive should currently contain just one program, HelloWorld LPC1768, which is causing the LED to flash. The other file in the drive, MBED.HTM, can be used to set up an account for the web-based compiler. In this case, a generic account for your station has already been set up. To access it, point your web browser to and go to the Login link at the top right. If your station number is X, enter the user name UVA3150X and password physics*x. After logging in, click on the Compiler link, also at the top right. This takes you to the compiler application. The mbed controller is programmed in C++, but the programs we will be writing won t involve any complicated language elements. The Program Workspace panel at the left shows the programs you have written. Right now, there should only be one, HelloWorld. Click on it and go to the main.cpp file. This shows the program listing, which should be fairly self-explanatory. Modify the code to use LED2 rather than LED1, and change the wait times to make the LED blink twice as fast. Compile the new code by pressing the Compile button in the center of the toolbar, and save the resulting file to the E: drive. Once compilation is complete and the Status light returns to steady illumination, push the Reset button. Describe the results in your report. Note that the DigitalOut variable type and the wait command are not standard C++, 75

2 but are included as part of the mbed library. The various special mbed functions are described in the Handbook section of the website. In a separate browser tab, find the Handbook and look up the wait command. What are the units of the wait time, and with what resolution can it be set? 13.2 Digital Inputs and Outputs The HelloWorld program shows one type of digital output, the LED displays. More generally, most of the controller pins can be used as either digital inputs or outputs. The possible uses for the various pins are summarized on the small card included in the controller box, or online under All of the blue pin numbers can be used as digital inputs or outputs. To configure pin 30 as an output, add the line DigitalOut q(p30); to the preamble section immediately prior to the int main declaration. This defines a variable q which is bound to the the stated pin. You can read about the DigitalOut declaration in the Handbook. In the main function of the program, toggle q high and low with the code q = 0; while(1) { q =!q; wait(5e-5); } Download and run the code, and observe the output of pin 30 on your scope. Do you observe a 10 khz square wave as expected? Try removing the wait statement. What is the resulting output period? How does it compare to the maximum speed of a typical TTL gate chip? In general, the main limitation of microcontrollers compared to conventional circuits is reduced speed. To configure a pin as a digital input, add the line DigitalIn fgen(p29); to your preamble. Implement a NOT gate with the simple code while(1) { q =!fgen; } Hook pin 29 up to the Sync output of your function generator, and observe both it and pin 30 on your scope. While you run the program, does pin 30 act as the inversion of pin 29? For a more complicated example, use the wait function to implement a triggered pulse generator: When a rising edge is detected on pin 29, wait 50 µs and then output a 100 µs-long pulse on pin 30. To test your program, set your function generator to 1 khz. What happens if you run at 10 khz and use a 5 µs delay with a 10 µs pulse? Multiple input and output bits can be controlled together with the BusIn and BusOut variables, which are again described in the Handbook. Add such a variable with the declaration 76

3 BusIn nibble(p22,p23,p24,p25); (A nibble is conventionally 4 bits, or half a byte.) Modify your program so that the duration of the triggered output pulse is set to be 10 µs times the decimal value of nibble. In other words, if nibble = 1001 bin = 9 dec, the output pulse should be 90 µs long. Attach pins 22 through 24 to the ELVIS Digital Writer outputs, and verify that you can control the pulse duration as intended. Which pin of the four nibble pins is the most significant bit, and which is the least significant? What do you observe when nibble = 0? This should give you a taste of the capabilities of the microcontroller for digital logic. As long as the speed is sufficient, microcontroller make digital design fairly trivial. Of course, your HelloWorld program no longer has a very appropriate name. In the Compiler, right click on the program and change its name to DigitalFun instead Arbitrary Waveform Generator The mbed microcontroller is also useful for analog applications. As a first example, you will implement an arbitrary waveform generator. This is a device like a function generator, except that the output waveform can be specified as desired. The required program consists of a loop in which the controller first calculates the desired output value according to a mathematical formula, and then outputs the value via the built in DAC. Start by creating a new program. Click the New button in the toolbar of the Compiler. Name the new program Waveform. When you go to the main.cpp listing, you will notice that the HelloWorld program is provided as a default skeleton to start from. The first thing we will need for the waveform generator is a DAC. As the mbed summary card indicates, only one pin can be used for an analog output signal, pin 18. To configure that pin, add the line AnalogOut signal(p18); in the preamble section. This defines a variable signal which is bound to the DAC function of pin 18. You can read about the AnalogOut declaration in the handbook. The AnalogOut variable works similarly to how the digital variables worked. For example, replace the contents of the main function with the line signal = 0.5; Compile and run your program, and monitor the voltage on pin 18 with your DMM. Use the GND pin (at the top left corner) as your ground reference. An AnalogOut variable can be assigned any floating-point value between 0 and 1, and produces a voltage output equal to the variable s value times a reference voltage of 3.3 V. Check and record the DAC output for several values of signal. Does it behave as expected? Is the smallest voltage increment you can produce consistent with the specified 10-bit resolution? Note that the simple code you have been writing masks a rather complicated process. In fact, the signal variable acts in many ways as a function. When you assign a value to signal, you are really calling a routine in the mbed library, which directs the DAC hardware on the chip to output the appropriate value. If you haven t seen this kind of thing before, it is an example of object-oriented programming, and it is what distinguishes C++ from C. 77

4 Properly, signal is an object of the class AnalogOut, and consists of a set of functions and variables that work together to implement the DAC conversion. When done correctly, this type of programming is transparent and easy to use, as you have hopefully seen here. For an arbitrary waveform generator, we wish to implement an output voltage V = f(t) for some specified function f of time t. This requires a way to track and determine the time more accurately that we can do with wait. The easiest way to achieve this is with the mbed Timer class. Declare a Timer object t by adding the line Timer t; to your progam s preamble. Look up the Timer functions in the handbook, and figure out how to start, reset, and read the timer. For your program, assume that the output is a periodic function and introduce a period variable that is assigned a value at the start of the program. A simple way to control the timing is to begin each period by resetting the timer to zero and then updating the output as quickly as possible until the time exceeds the period. This isn t perfect, since the actual period can vary by the time required for one output update, but this is acceptable if the period is long compared to the update time. Implement this scheme using control loops. Start with the simple function f(t) = t or signal = t.read()/period; enclosed in an appropriate while loop. Observe the DAC output on your scope. For convenience, implement a sync-type signal to serve as a trigger. Define pin 30 as a Digital Ouput object sync and toggle its value between high and low at the start of each time period. Set this up and trigger your scope from pin 30 of the controller. Once you have a working program, observe its performance for a range of periods. Does a period of 100 s seem to function correctly? (It might be easier to observe this with a voltmeter.) When you make the period short, you should be able to see discrete steps in the output on your scope. How long is the DAC update time? What is the discrepancy between the specified and actual waveform periods? Try some more complicated mathematical functions, bearing in mind that the signal value must be between zero and one. A list of functions available in the C math library can be found, for instance, at Both the Pre-C99 and C99 functions are available. Craft a few interesting waveforms and note them in your report. For each waveform, find the output update time and deduce the amount of time required to perform the mathematical calculation. You should see that for complex functions, the calculation time becomes a significant burden. Another interesting function is the random number generator rand(). Implement it using the code signal = rand()/(1.0*rand_max); which produces a random value between zero and one. Run this code and note your observations. A device that produces a random signal like this is called a noise generator, and finds a variety of applications. Note that the calculation time limit to the update speed can be remedied by precalculating the required values and storing them in an array. While running, the waveform generator 78

5 LCD pin mbed pin Function 1 GND Ground 2 Vu 5 V supply 3 1k resistor to GND Contrast control 4 p10 Register Select 5 GND R/W 6 p12 Enable p14 Data 12 p15 Data 13 p16 Data 14 p17 Data Table 1: Pin connections for LCD module. The first column gives the LCD pin number, the second column gives the mbed pin, and the third column describes the function. Pins 7 through 10 have no connection. can simply read the values from the array and thus run at its maximum rate. This technique can also be used to make the waveform period more precise. We won t bother to implement this here, however LCD Display The AnalogOut and DigitalOut objects are two ways for the microcontroller to generate output, but text output is also often convenient. Such output can either be displayed on an electronic display module or transmitted to the host computer. We shall investigate the display module first. A typical LCD module is included in the mbed controller box. It is manufactured by Lumex, part number S01602DTR. It can display 2 lines of text with 16 characters per line, and is therefore commonly referred to as a 16 2 display. Functions for handling the display interferace are not built into the mbed compiler. However, a great variety of special-purpose libraries are available through the mbed Cookbook, available through a link at the top of the mbed website. Go to the cookbook and find the Text LCD project. Click on it to find a description. We will modify the wiring setup slightly from that described on the web page. First, identify the pin numbers on the LCD module by looking at the back of the card. Numbers 1 and 14 indicate the corresponding pins. Insert the module into your breadboard and hook it up to the mbed controller as shown in Table 1. Given these pin connections, an LCD object must be declared with the parameters TextLCD lcd(p10, p12, p14, p15, p16, p17); In order to use the TextLCD routines, they must first be imported into your project. Start by creating a new program on the compiler page, and call it MyLCD. Click the Import button in the toolbar. Wait for the Programs tab to load, and then scroll down to the TextLCD project (authored by Simon Ford). Select it and click the Import button above the program list. This creates a new program, TextLCD, in your programs list on the 79

6 left pane. Open it and then drag the files TextLCD.cpp and TextLCD.h into your mylcd program. You can then delete the TextLCD program by selecting it and hitting the Delete key. In the main file of your mylcd program, set up a TextLCD object as described above, and use the cookbook example to display a message on your LCD module. Note that you can use the newline character \n to extend your message across both lines. Convince yourself that the display works as claimed, and describe your observations in your report Voltmeter You can use the LCD display along with the microcontroller s analog input capability to construct a simple digital voltmeter. Create a new program Voltmeter and import the TextLCD code just as you did above. In the preamble to your program, declare an analog input channel using AnalogIn vin(p20); You can read about AnalogIn in the Handbook. It works much like the AnalogOut class you encountered above. In the main routine, set up an infinite loop: while(1) { lcd.printf("v = %f\n\n",3.3*vin); wait(0.5); } This will continually display the measured voltage on the LCD. To test it, hook the pin 20 input up to the ELVIS VPS supply and monitor it with your voltmeter. Tie the ELVIS and mbed grounds together. Bear in mind that maximum readable voltage is 3.3 V, and to avoid damage don t let the input exceed 5 V. What do you observe on the LCD display? You may notice that the displayed voltage looks noisy. To see this more clearly, modify your program to display the digital value obtained from the ADC, rather than the corresponding voltage. The mbed ADC has 12 bits, meaning the range from 0 to 1 corresponds to 2 12 = 4096 different digital values. To display them, modify your code to say lcd.printf("v = %f\n\n",4095*vin); (Why do you multiply by 4095 rather than 4096?) Run your program, again using the VPS input. Describe the variations you see in the displayed value. It will be useful to know how long it takes to acquire an ADC sample. Modify your program to determine this by looping over 10,000 samples and measuring the elapsed time with a timer. Display the elapsed time on the LCD module. If you average all 10,000 samples and display the mean value, are the fluctuations reduced? Leave the LCD display set up, you will use it again below. 80

7 13.6 Communication with PC If you want to acquire a stream of data and save it on a computer, the LCD display is not adequate. Instead, the microcontroller can communicate with a computer through a RS-232 connection. Here RS-232 is a simple serial communications protocol that most computers support. In the mbed system, it has been conveniently implemented through the USB cable, but in general it would require a separate cable hooked up to the computer s serial port. To test the communication routines, create a new program called Communicate. In the preamble, insert a declaration Serial pc(usbtx, USBRX); This establishes serial communication channel pc implemented through the USB connection. Writing to the channel is accomplished with the pc.printf() command and reading from it with pc.scanf(), which behave like the ordinary C functions. Once again, you can find more details in the Handbook. For now, simply add a line pc.printf("hello World\n"); to your program. You also need to set up your computer to listen to the serial channel. This can be done with a variety of terminal programs. Here we will use TeraTerm. Find TeraTerm in the Start menu and run it. It should default to the correct configuration, with a serial connection to the mbed Serial Port (probably COM3). In the Setup Terminal menu, New Line should have Receive set to LF. When you run your program on the controller, does the message display on the TeraTerm terminal? To demonstrate communication from the pc to the controller, scan an input line via the commands char text[16];... pc.scanf("%s",text); and then display it on your LCD module using lcd.printf("%s\n\n",text). (You will of course need to set up a TextLCD object first.) Verify that you can type a line on the pc and have it display on the LCD. Note that the text will not display on the TeraTerm monitor unless you turn on the Local Echo setting in Setup Terminal. Also, the LCD display does not actually clear displayed characters, so if you write a long word followed by a short one, the end of the long word will still be present. This can be fixed by calling the lcd.cls() command prior to lcd.printf. Try writing a few messages, and discuss your observations in your report. This simple functionality can actually be quite convenient. It often occurs that a measurement device is needed for an experiment you are performing, but you need to see the measurement result from several different places around the apparatus as you are setting things up. If the device provides a serial output channel, a microcontroller can read it and echo the result to multiple display modules that can be placed where required. 81

8 5 V k FGEN 47 nf 5 V k 1k 5 V 1 8 1k 5 V 2 3 LM Out 1k 4 5 Figure 1: Pulse generator circuit. Note that wires are drawn following the standard convention that two crossing lines do not indicate an electrical connection. Actual connections occur only at T-shaped intersections Multi-Channel Analyzer The final microcontroller project that we will implement is a multi-channel analyzer. This is a device commonly used in nuclear physics experiments in which a particle collision produces a pulse of electricity or light. The intensity of the pulse is related to the energy released in the collision. By analyzing the distribution of pulse intensities, information about the structure of the colliding particles can be obtained. The multichannel analyzer (MCA) facilitates this process. At the simplest level, an MCA is an analog-to-digital converter that constantly monitors its input signal. When it detects a significant input pulse, it measures the pulse amplitude and converts the amplitude to a digital value. It sorts the amplitudes into a set of bins, each corresponding to a narrow spread of values, and keeps count of how many pulses are observed for each bin. After running for some length of time, the number of counts per bin is output or displayed. Since we don t have a nuclear experiment to generate pulses, construct the pulse generator circuit seen in Fig. 1. Here the 7555 chip produces 250 µs pulses at a rate of about 330 Hz. How does this pulse duration compare to the sample time of the ADC? The comparator uses the signal from the function generator to set the amplitude of the pulses, so that various amplitude distributions can be achieved. Initially, set the function generator to a 1 Vpp amplitude sine wave with a 2 V dc offset, and a frequency of 40 Hz. On your scope, you should see the output (pin 3) of the 7555 timer consists of a high signal that periodically drops low. At the output of the comparator, you should see a low signal that periodically rises up to a fluctuating level. The pulse high should be approximately constant during an individual pulse. Once you verify that the circuit is working, measure the actual pulse duration and frequency. Briefly describe the signals you see for a square wave, triangle wave, sine wave, and constant (amplitude = 0) function generator signal. Can the sine wave and triangle wave signals be easily distinguished? 82

9 You have seen already all the tools needed to write an MCA program on the microcontroller. To start, define an array of 100 integer values, which will store the numbers of counts in each bin. Also set up an AnalogIn object bound to a convenient pin. The program should continuously check the input, but not do anything until the signal rises above a specified trigger level, which you can set to 0.2. When a trigger does occur, continue sampling the input until it drops below the trigger level, and compute an average pulse height. For instance, the code: sum = navg = 0; x = vin; while(x>0.2) { sum += x; ++navg; x = vin; } avg = sum/navg; will work. Note that the sample value is stored in the variable x so that a new sample isn t taken every time the value is used. After the pulse is complete, determine which amplitude bin it belongs to and increment the number of counts in that bin. The program should continue running until it receives a specified number of pulses. It will probably be convenient to turn on an LED while the program is acquiring data, and turn it off when acquistion is done. At first, acquire about 100 pulses so that the program runs quickly while debugging. After the run is complete, print out the bin values to the serial channel. It useful to also output a header line to the serial port so that you can find the begining of the data stream. On your computer, you can copy and paste the values into Excel to make a graph. Once you have everything working, increase the number of pulses to 2000, and plot the amplitude distributions you observe for a constant function generator signal, a sine wave, a triangle wave, and a square wave. Do the distibutions appear as you expect? How easy is it to distinguish the triangle and sine waves? 13.8 Wrap Up In addition to you lab report, your online programs will be checked, so make sure that the programs are all present in the online compiler directory. There should be six: DigitalFun, Waveform, MyLCD, Voltmeter, Communicate, and MCA. Comments in the program files are useful in places where you did anything interesting or tricky. To turn the mbed module off, just unplug the USB cable. Remove the LCD module, USB cable, and mbed card and put them back in the controller box. Be particularly careful when removing the mbed card to avoid stressing it. If necessary, ask the instructor for help. Since this is the final lab of the semester, make sure to clean up your station and put all electrical components away. 83

Lab experience 1: Introduction to LabView

Lab experience 1: Introduction to LabView Lab experience 1: Introduction to LabView LabView is software for the real-time acquisition, processing and visualization of measured data. A LabView program is called a Virtual Instrument (VI) because

More information

Analog input and output

Analog input and output Analog input and output DRAFT VERSION - This is part of a course slide set, currently under development at: http://mbed.org/cookbook/course-notes We welcome your feedback in the comments section of the

More information

ME EN 363 ELEMENTARY INSTRUMENTATION Lab: Basic Lab Instruments and Data Acquisition

ME EN 363 ELEMENTARY INSTRUMENTATION Lab: Basic Lab Instruments and Data Acquisition ME EN 363 ELEMENTARY INSTRUMENTATION Lab: Basic Lab Instruments and Data Acquisition INTRODUCTION Many sensors produce continuous voltage signals. In this lab, you will learn about some common methods

More information

Spectrum Analyser Basics

Spectrum Analyser Basics Hands-On Learning Spectrum Analyser Basics Peter D. Hiscocks Syscomp Electronic Design Limited Email: phiscock@ee.ryerson.ca June 28, 2014 Introduction Figure 1: GUI Startup Screen In a previous exercise,

More information

TV Character Generator

TV Character Generator TV Character Generator TV CHARACTER GENERATOR There are many ways to show the results of a microcontroller process in a visual manner, ranging from very simple and cheap, such as lighting an LED, to much

More information

Experiment # 4 Counters and Logic Analyzer

Experiment # 4 Counters and Logic Analyzer EE20L - Introduction to Digital Circuits Experiment # 4. Synopsis: Experiment # 4 Counters and Logic Analyzer In this lab we will build an up-counter and a down-counter using 74LS76A - Flip Flops. The

More information

Analog Discovery Scope and Waveform Generator Edited 11/15/2016 by Eric Scotti & DGH

Analog Discovery Scope and Waveform Generator Edited 11/15/2016 by Eric Scotti & DGH Analog Discovery Scope and Waveform Generator Edited 11/15/2016 by Eric Scotti & DGH Specifications The Analog Discovery contains several devices but we will likely only use the 2 channel oscilloscope

More information

Lab 1 Introduction to the Software Development Environment and Signal Sampling

Lab 1 Introduction to the Software Development Environment and Signal Sampling ECEn 487 Digital Signal Processing Laboratory Lab 1 Introduction to the Software Development Environment and Signal Sampling Due Dates This is a three week lab. All TA check off must be completed before

More information

Lab 2: A/D, D/A, and Sampling Theorem

Lab 2: A/D, D/A, and Sampling Theorem Lab 2: A/D, D/A, and Sampling Theorem Introduction The purpose of this lab is to explore the principles of analog-to-digital conversion, digital-to-analog conversion, and the sampling theorem. It will

More information

PB-507. Advanced Analog & Digital Electronic Design Workstation Instruction Manual. Revision: 2/2014

PB-507. Advanced Analog & Digital Electronic Design Workstation Instruction Manual. Revision: 2/2014 PB-507 Advanced Analog & Digital Electronic Design Workstation Instruction Manual Revision: 2/2014 Test Equipment Depot - 800.517.8431-99 Washington Street Melrose, MA 02176 TestEquipmentDepot.com 1 1

More information

The Micropython Microcontroller

The Micropython Microcontroller Please do not remove this manual from the lab. It is available via Canvas Electronics Aims of this experiment Explore the capabilities of a modern microcontroller and some peripheral devices. Understand

More information

LabView Exercises: Part II

LabView Exercises: Part II Physics 3100 Electronics, Fall 2008, Digital Circuits 1 LabView Exercises: Part II The working VIs should be handed in to the TA at the end of the lab. Using LabView for Calculations and Simulations LabView

More information

Analyzing and Saving a Signal

Analyzing and Saving a Signal Analyzing and Saving a Signal Approximate Time You can complete this exercise in approximately 45 minutes. Background LabVIEW includes a set of Express VIs that help you analyze signals. This chapter teaches

More information

Session 1 Introduction to Data Acquisition and Real-Time Control

Session 1 Introduction to Data Acquisition and Real-Time Control EE-371 CONTROL SYSTEMS LABORATORY Session 1 Introduction to Data Acquisition and Real-Time Control Purpose The objectives of this session are To gain familiarity with the MultiQ3 board and WinCon software.

More information

Table of Contents Introduction

Table of Contents Introduction Page 1/9 Waveforms 2015 tutorial 3-Jan-18 Table of Contents Introduction Introduction to DAD/NAD and Waveforms 2015... 2 Digital Functions Static I/O... 2 LEDs... 2 Buttons... 2 Switches... 2 Pattern Generator...

More information

Experiment 9 Analog/Digital Conversion

Experiment 9 Analog/Digital Conversion Experiment 9 Analog/Digital Conversion Introduction Most digital signal processing systems are interfaced to the analog world through analogto-digital converters (A/D) and digital-to-analog converters

More information

Digital input and output

Digital input and output Digital input and output DRAFT VERSION - This is part of a course slide set, currently under development at: http://mbed.org/cookbook/course-notes We welcome your feedback in the comments section of the

More information

SigPlay User s Guide

SigPlay User s Guide SigPlay User s Guide . . SigPlay32 User's Guide? Version 3.4 Copyright? 2001 TDT. All rights reserved. No part of this manual may be reproduced or transmitted in any form or by any means, electronic or

More information

IRIG-B PTP Clock Converter Output Module Hardware Installation Manual

IRIG-B PTP Clock Converter Output Module Hardware Installation Manual IRIG-B PTP Clock Converter Output Module Hardware Installation Manual Kyland Technology Co., LTD. Publication Date: May 2012 Version: V1.2 Customer Service Hotline: (+8610) 88796676 FAX: (+8610) 88796678

More information

SWITCH: Microcontroller Touch-switch Design & Test (Part 2)

SWITCH: Microcontroller Touch-switch Design & Test (Part 2) SWITCH: Microcontroller Touch-switch Design & Test (Part 2) 2 nd Year Electronics Lab IMPERIAL COLLEGE LONDON v2.09 Table of Contents Equipment... 2 Aims... 2 Objectives... 2 Recommended Timetable... 2

More information

Basic LabVIEW Programming Amit J Nimunkar, Sara Karle, Michele Lorenz, Emily Maslonkowski

Basic LabVIEW Programming Amit J Nimunkar, Sara Karle, Michele Lorenz, Emily Maslonkowski Introduction This lab familiarizes you with the software package LabVIEW from National Instruments for data acquisition and virtual instrumentation. The lab also introduces you to resistors, capacitors,

More information

NanoGiant Oscilloscope/Function-Generator Program. Getting Started

NanoGiant Oscilloscope/Function-Generator Program. Getting Started Getting Started Page 1 of 17 NanoGiant Oscilloscope/Function-Generator Program Getting Started This NanoGiant Oscilloscope program gives you a small impression of the capabilities of the NanoGiant multi-purpose

More information

Working with a Tektronix TDS 3012B Oscilloscope EE 310: ELECTRONIC CIRCUIT DESIGN I

Working with a Tektronix TDS 3012B Oscilloscope EE 310: ELECTRONIC CIRCUIT DESIGN I Working with a Tektronix TDS 3012B Oscilloscope EE 310: ELECTRONIC CIRCUIT DESIGN I Prepared by: Kyle Botteon Questions? kyle.botteon@psu.edu 2 Background Information Recall that oscilloscopes (scopes)

More information

The Measurement Tools and What They Do

The Measurement Tools and What They Do 2 The Measurement Tools The Measurement Tools and What They Do JITTERWIZARD The JitterWizard is a unique capability of the JitterPro package that performs the requisite scope setup chores while simplifying

More information

MODULAR DIGITAL ELECTRONICS TRAINING SYSTEM

MODULAR DIGITAL ELECTRONICS TRAINING SYSTEM MODULAR DIGITAL ELECTRONICS TRAINING SYSTEM MDETS UCTECH's Modular Digital Electronics Training System is a modular course covering the fundamentals, concepts, theory and applications of digital electronics.

More information

PRELIMINARY INFORMATION. Professional Signal Generation and Monitoring Options for RIFEforLIFE Research Equipment

PRELIMINARY INFORMATION. Professional Signal Generation and Monitoring Options for RIFEforLIFE Research Equipment Integrated Component Options Professional Signal Generation and Monitoring Options for RIFEforLIFE Research Equipment PRELIMINARY INFORMATION SquareGENpro is the latest and most versatile of the frequency

More information

ET-REMOTE DISTANCE. Manual of ET-REMOTE DISTANCE

ET-REMOTE DISTANCE. Manual of ET-REMOTE DISTANCE ET-REMOTE DISTANCE ET-REMOTE DISTANCE is Distance Measurement Module by Ultrasonic Waves; it consists of 2 important parts. Firstly, it is the part of Board Ultrasonic (HC-SR04) that includes sender and

More information

W0EB/W2CTX DSP Audio Filter Operating Manual V1.12

W0EB/W2CTX DSP Audio Filter Operating Manual V1.12 W0EB/W2CTX DSP Audio Filter Operating Manual V1.12 Manual and photographs Copyright W0EB/W2CTX, March 13, 2019. This document may be freely copied and distributed so long as no changes are made and the

More information

R5 RIC Quickstart R5 RIC. R5 RIC Quickstart. Saab TransponderTech AB. Appendices. Project designation. Document title. Page 1 (25)

R5 RIC Quickstart R5 RIC. R5 RIC Quickstart. Saab TransponderTech AB. Appendices. Project designation. Document title. Page 1 (25) Appendices 1 (25) Project designation R5 RIC Document title CONTENTS 2 (25) 1 References... 4 2 Dimensions... 5 3 Connectors... 6 3.1 Power input... 6 3.2 Video I... 6 3.3 Video Q... 6 3.4 Sync... 6 3.5

More information

Data Acquisition Using LabVIEW

Data Acquisition Using LabVIEW Experiment-0 Data Acquisition Using LabVIEW Introduction The objectives of this experiment are to become acquainted with using computer-conrolled instrumentation for data acquisition. LabVIEW, a program

More information

Quick Reference Manual

Quick Reference Manual Quick Reference Manual V1.0 1 Contents 1.0 PRODUCT INTRODUCTION...3 2.0 SYSTEM REQUIREMENTS...5 3.0 INSTALLING PDF-D FLEXRAY PROTOCOL ANALYSIS SOFTWARE...5 4.0 CONNECTING TO AN OSCILLOSCOPE...6 5.0 CONFIGURE

More information

Lab #10 Hexadecimal-to-Seven-Segment Decoder, 4-bit Adder-Subtractor and Shift Register. Fall 2017

Lab #10 Hexadecimal-to-Seven-Segment Decoder, 4-bit Adder-Subtractor and Shift Register. Fall 2017 University of Texas at El Paso Electrical and Computer Engineering Department EE 2169 Laboratory for Digital Systems Design I Lab #10 Hexadecimal-to-Seven-Segment Decoder, 4-bit Adder-Subtractor and Shift

More information

Digital Signal Processing Laboratory 7: IIR Notch Filters Using the TMS320C6711

Digital Signal Processing Laboratory 7: IIR Notch Filters Using the TMS320C6711 Digital Signal Processing Laboratory 7: IIR Notch Filters Using the TMS320C6711 Thursday, 4 November 2010 Objective: To implement a simple filter using a digital signal processing microprocessor using

More information

A 400MHz Direct Digital Synthesizer with the AD9912

A 400MHz Direct Digital Synthesizer with the AD9912 A MHz Direct Digital Synthesizer with the AD991 Daniel Da Costa danieljdacosta@gmail.com Brendan Mulholland firemulholland@gmail.com Project Sponser: Dr. Kirk W. Madison Project 11 Engineering Physics

More information

TV Synchronism Generation with PIC Microcontroller

TV Synchronism Generation with PIC Microcontroller TV Synchronism Generation with PIC Microcontroller With the widespread conversion of the TV transmission and coding standards, from the early analog (NTSC, PAL, SECAM) systems to the modern digital formats

More information

2 MHz Lock-In Amplifier

2 MHz Lock-In Amplifier 2 MHz Lock-In Amplifier SR865 2 MHz dual phase lock-in amplifier SR865 2 MHz Lock-In Amplifier 1 mhz to 2 MHz frequency range Dual reference mode Low-noise current and voltage inputs Touchscreen data display

More information

Burlington County College INSTRUCTION GUIDE. for the. Hewlett Packard. FUNCTION GENERATOR Model #33120A. and. Tektronix

Burlington County College INSTRUCTION GUIDE. for the. Hewlett Packard. FUNCTION GENERATOR Model #33120A. and. Tektronix v1.2 Burlington County College INSTRUCTION GUIDE for the Hewlett Packard FUNCTION GENERATOR Model #33120A and Tektronix OSCILLOSCOPE Model #MSO2004B Summer 2014 Pg. 2 Scope-Gen Handout_pgs1-8_v1.2_SU14.doc

More information

Implementing a Rudimentary Oscilloscope

Implementing a Rudimentary Oscilloscope EE-3306 HC6811 Lab #4 Implementing a Rudimentary Oscilloscope Objectives The purpose of this lab is to become familiar with the 68HC11 on chip Analog-to-Digital converter. This lab builds on the knowledge

More information

Getting Started with the LabVIEW Sound and Vibration Toolkit

Getting Started with the LabVIEW Sound and Vibration Toolkit 1 Getting Started with the LabVIEW Sound and Vibration Toolkit This tutorial is designed to introduce you to some of the sound and vibration analysis capabilities in the industry-leading software tool

More information

E X P E R I M E N T 1

E X P E R I M E N T 1 E X P E R I M E N T 1 Getting to Know Data Studio Produced by the Physics Staff at Collin College Copyright Collin College Physics Department. All Rights Reserved. University Physics, Exp 1: Getting to

More information

Rack-Mount Receiver Analyzer 101

Rack-Mount Receiver Analyzer 101 Rack-Mount Receiver Analyzer 101 A Decade s Worth of Innovation No part of this document may be circulated, quoted, or reproduced for distribution without prior written approval from Quasonix, Inc. Copyright

More information

ECE-320 Lab 5: Modeling and Controlling a Pendulum

ECE-320 Lab 5: Modeling and Controlling a Pendulum ECE-320 Lab 5: Modeling and Controlling a Pendulum Overview: In this lab we will model a pendulum using frequency response (Bode plot) methods, plus some intuition about the form of the transfer function.

More information

Integration of Virtual Instrumentation into a Compressed Electricity and Electronic Curriculum

Integration of Virtual Instrumentation into a Compressed Electricity and Electronic Curriculum Integration of Virtual Instrumentation into a Compressed Electricity and Electronic Curriculum Arif Sirinterlikci Ohio Northern University Background Ohio Northern University Technological Studies Department

More information

Application Note AN-708 Vibration Measurements with the Vibration Synchronization Module

Application Note AN-708 Vibration Measurements with the Vibration Synchronization Module Application Note AN-708 Vibration Measurements with the Vibration Synchronization Module Introduction The vibration module allows complete analysis of cyclical events using low-speed cameras. This is accomplished

More information

medlab One Channel ECG OEM Module EG 01000

medlab One Channel ECG OEM Module EG 01000 medlab One Channel ECG OEM Module EG 01000 Technical Manual Copyright Medlab 2012 Version 2.4 11.06.2012 1 Version 2.4 11.06.2012 Revision: 2.0 Completely revised the document 03.10.2007 2.1 Corrected

More information

Introduction To LabVIEW and the DSP Board

Introduction To LabVIEW and the DSP Board EE-289, DIGITAL SIGNAL PROCESSING LAB November 2005 Introduction To LabVIEW and the DSP Board 1 Overview The purpose of this lab is to familiarize you with the DSP development system by looking at sampling,

More information

Laboratory 10. Required Components: Objectives. Introduction. Digital Circuits - Logic and Latching (modified from lab text by Alciatore)

Laboratory 10. Required Components: Objectives. Introduction. Digital Circuits - Logic and Latching (modified from lab text by Alciatore) Laboratory 10 Digital Circuits - Logic and Latching (modified from lab text by Alciatore) Required Components: 1x 330 resistor 4x 1k resistor 2x 0.F capacitor 1x 2N3904 small signal transistor 1x LED 1x

More information

BER MEASUREMENT IN THE NOISY CHANNEL

BER MEASUREMENT IN THE NOISY CHANNEL BER MEASUREMENT IN THE NOISY CHANNEL PREPARATION... 2 overview... 2 the basic system... 3 a more detailed description... 4 theoretical predictions... 5 EXPERIMENT... 6 the ERROR COUNTING UTILITIES module...

More information

Laboratory 9 Digital Circuits: Flip Flops, One-Shot, Shift Register, Ripple Counter

Laboratory 9 Digital Circuits: Flip Flops, One-Shot, Shift Register, Ripple Counter page 1 of 5 Digital Circuits: Flip Flops, One-Shot, Shift Register, Ripple Counter Introduction In this lab, you will learn about the behavior of the D flip-flop, by employing it in 3 classic circuits:

More information

DIGITAL ELECTRONICS: LOGIC AND CLOCKS

DIGITAL ELECTRONICS: LOGIC AND CLOCKS DIGITL ELECTRONICS: LOGIC ND CLOCKS L 6 INTRO: INTRODUCTION TO DISCRETE DIGITL LOGIC, MEMORY, ND CLOCKS GOLS In this experiment, we will learn about the most basic elements of digital electronics, from

More information

Noise Detector ND-1 Operating Manual

Noise Detector ND-1 Operating Manual Noise Detector ND-1 Operating Manual SPECTRADYNAMICS, INC 1849 Cherry St. Unit 2 Louisville, CO 80027 Phone: (303) 665-1852 Fax: (303) 604-6088 Table of Contents ND-1 Description...... 3 Safety and Preparation

More information

Synchronous Sequential Logic

Synchronous Sequential Logic Synchronous Sequential Logic Ranga Rodrigo August 2, 2009 1 Behavioral Modeling Behavioral modeling represents digital circuits at a functional and algorithmic level. It is used mostly to describe sequential

More information

Installation / Set-up of Autoread Camera System to DS1000/DS1200 Inserters

Installation / Set-up of Autoread Camera System to DS1000/DS1200 Inserters Installation / Set-up of Autoread Camera System to DS1000/DS1200 Inserters Written By: Colin Langridge Issue: Draft Date: 03 rd July 2008 1 Date: 29 th July 2008 2 Date: 20 th August 2008 3 Date: 02 nd

More information

Solutions to Embedded System Design Challenges Part II

Solutions to Embedded System Design Challenges Part II Solutions to Embedded System Design Challenges Part II Time-Saving Tips to Improve Productivity In Embedded System Design, Validation and Debug Hi, my name is Mike Juliana. Welcome to today s elearning.

More information

SQTR-2M ADS-B Squitter Generator

SQTR-2M ADS-B Squitter Generator SQTR-2M ADS-B Squitter Generator Operators Manual REVISION A B C D E F G H J K L M N P R S T U V W X Y Z December 2011 KLJ Instruments 15385 S. 169 Highway Olathe, KS 66062 www.kljinstruments.com NOTICE:

More information

Operating Instructions

Operating Instructions Operating Instructions HAEFELY TEST AG KIT Measurement Software Version 1.0 KIT / En Date Version Responsable Changes / Reasons February 2015 1.0 Initial version WARNING Introduction i Before operating

More information

VIDEO GRABBER. DisplayPort. User Manual

VIDEO GRABBER. DisplayPort. User Manual VIDEO GRABBER DisplayPort User Manual Version Date Description Author 1.0 2016.03.02 New document MM 1.1 2016.11.02 Revised to match 1.5 device firmware version MM 1.2 2019.11.28 Drawings changes MM 2

More information

Writing Programs INTRODUCING THE BASIC STAMP EDITOR 2 SCRIBBLER HARDWARE PROGRAMMING CONNECTIONS 8 BLINKING THE LIGHTS WITH PROGRAM LOOPS 9

Writing Programs INTRODUCING THE BASIC STAMP EDITOR 2 SCRIBBLER HARDWARE PROGRAMMING CONNECTIONS 8 BLINKING THE LIGHTS WITH PROGRAM LOOPS 9 Writing Programs 1 Writing Programs Inside the Scribbler Robot is a small computer called a BASIC Stamp microcontroller. It performs a list of instructions that make the Scribbler operate. With the BASIC

More information

Auxiliary states devices

Auxiliary states devices 22 Auxiliary states devices When sampling using multiple frame states, Signal can control external devices such as stimulators in addition to switching the 1401 outputs. This is achieved by using auxiliary

More information

PulseCounter Neutron & Gamma Spectrometry Software Manual

PulseCounter Neutron & Gamma Spectrometry Software Manual PulseCounter Neutron & Gamma Spectrometry Software Manual MAXIMUS ENERGY CORPORATION Written by Dr. Max I. Fomitchev-Zamilov Web: maximus.energy TABLE OF CONTENTS 0. GENERAL INFORMATION 1. DEFAULT SCREEN

More information

SPI Serial Communication and Nokia 5110 LCD Screen

SPI Serial Communication and Nokia 5110 LCD Screen 8 SPI Serial Communication and Nokia 5110 LCD Screen 8.1 Objectives: Many devices use Serial Communication to communicate with each other. The advantage of serial communication is that it uses relatively

More information

SC26 Magnetic Field Cancelling System

SC26 Magnetic Field Cancelling System SPICER CONSULTING SYSTEM SC26 SC26 Magnetic Field Cancelling System Makes the ambient magnetic field OK for electron beam tools in 300 mm wafer fabs Real time, wideband cancelling from DC to > 9 khz fields

More information

SREV1 Sampling Guide. An Introduction to Impulse-response Sampling with the SREV1 Sampling Reverberator

SREV1 Sampling Guide. An Introduction to Impulse-response Sampling with the SREV1 Sampling Reverberator An Introduction to Impulse-response Sampling with the SREV Sampling Reverberator Contents Introduction.............................. 2 What is Sound Field Sampling?.....................................

More information

SXGA096 DESIGN REFERENCE BOARD

SXGA096 DESIGN REFERENCE BOARD SXGA096 DESIGN REFERENCE BOARD For Use with all emagin SXGA096 OLED Microdisplays USER S MANUAL VERSION 1.0 TABLE OF CONTENTS D01-501152-01 SXGA096 Design Reference Board User s Manual i 1. INTRODUCTION...

More information

Decade Counters Mod-5 counter: Decade Counter:

Decade Counters Mod-5 counter: Decade Counter: Decade Counters We can design a decade counter using cascade of mod-5 and mod-2 counters. Mod-2 counter is just a single flip-flop with the two stable states as 0 and 1. Mod-5 counter: A typical mod-5

More information

Part No. ENC-LAB01 Users Manual Introduction EncoderLAB

Part No. ENC-LAB01 Users Manual Introduction EncoderLAB PCA Incremental Encoder Laboratory For Testing and Simulating Incremental Encoder signals Part No. ENC-LAB01 Users Manual The Encoder Laboratory combines into the one housing and updates two separate encoder

More information

4.9 BEAM BLANKING AND PULSING OPTIONS

4.9 BEAM BLANKING AND PULSING OPTIONS 4.9 BEAM BLANKING AND PULSING OPTIONS Beam Blanker BNC DESCRIPTION OF BLANKER CONTROLS Beam Blanker assembly Electron Gun Controls Blanker BNC: An input BNC on one of the 1⅓ CF flanges on the Flange Multiplexer

More information

Ocean Sensor Systems, Inc. Wave Staff, OSSI F, Water Level Sensor With 0-5V, RS232 & Alarm Outputs, 1 to 20 Meter Staff

Ocean Sensor Systems, Inc. Wave Staff, OSSI F, Water Level Sensor With 0-5V, RS232 & Alarm Outputs, 1 to 20 Meter Staff Ocean Sensor Systems, Inc. Wave Staff, OSSI-010-002F, Water Level Sensor With 0-5V, RS232 & Alarm Outputs, 1 to 20 Meter Staff General Description The OSSI-010-002E Wave Staff is a water level sensor that

More information

with Carrier Board OSD-232+ TM Version 1.01 On-screen composite video character and graphic overlay Copyright 2010 Intuitive Circuits, LLC

with Carrier Board OSD-232+ TM Version 1.01 On-screen composite video character and graphic overlay Copyright 2010 Intuitive Circuits, LLC OSD-232+ TM with Carrier Board On-screen composite video character and graphic overlay Version 1.01 Copyright 2010 Intuitive Circuits, LLC D escription OSD-232+ is a single channel on-screen composite

More information

DX-10 tm Digital Interface User s Guide

DX-10 tm Digital Interface User s Guide DX-10 tm Digital Interface User s Guide GPIO Communications Revision B Copyright Component Engineering, All Rights Reserved Table of Contents Foreword... 2 Introduction... 3 What s in the Box... 3 What

More information

Experiment 7: Bit Error Rate (BER) Measurement in the Noisy Channel

Experiment 7: Bit Error Rate (BER) Measurement in the Noisy Channel Experiment 7: Bit Error Rate (BER) Measurement in the Noisy Channel Modified Dr Peter Vial March 2011 from Emona TIMS experiment ACHIEVEMENTS: ability to set up a digital communications system over a noisy,

More information

Manual Supplement. This supplement contains information necessary to ensure the accuracy of the above manual.

Manual Supplement. This supplement contains information necessary to ensure the accuracy of the above manual. Manual Title: 9500B Users Supplement Issue: 2 Part Number: 1625019 Issue Date: 9/06 Print Date: October 2005 Page Count: 6 Version 11 This supplement contains information necessary to ensure the accuracy

More information

User Guide & Reference Manual

User Guide & Reference Manual TSA3300 TELEPHONE SIGNAL ANALYZER User Guide & Reference Manual Release 2.1 June 2000 Copyright 2000 by Advent Instruments Inc. TSA3300 TELEPHONE SIGNAL ANALYZER ii Overview SECTION 1 INSTALLATION & SETUP

More information

Booya16 SDR Datasheet

Booya16 SDR Datasheet Booya16 SDR Radio Receiver Description The Booya16 SDR radio receiver samples RF signals at 16MHz with 14 bits and streams the sampled signal into PC memory continuously in real time. The Booya software

More information

NOTICE: This document is for use only at UNSW. No copies can be made of this document without the permission of the authors.

NOTICE: This document is for use only at UNSW. No copies can be made of this document without the permission of the authors. Brüel & Kjær Pulse Primer University of New South Wales School of Mechanical and Manufacturing Engineering September 2005 Prepared by Michael Skeen and Geoff Lucas NOTICE: This document is for use only

More information

SUBSYSTEMS FOR DATA ACQUISITION #39. Analog-to-Digital Converter (ADC) Function Card

SUBSYSTEMS FOR DATA ACQUISITION #39. Analog-to-Digital Converter (ADC) Function Card SUBSYSTEMS FOR DATA ACQUISITION #39 Analog-to-Digital Converter (ADC) Function Card Project Scope Design an ADC function card for an IEEE 488 interface box built by Dr. Robert Kolbas. ADC card will add

More information

PHYSICS 5620 LAB 9 Basic Digital Circuits and Flip-Flops

PHYSICS 5620 LAB 9 Basic Digital Circuits and Flip-Flops PHYSICS 5620 LAB 9 Basic Digital Circuits and Flip-Flops Objective Construct a two-bit binary decoder. Study multiplexers (MUX) and demultiplexers (DEMUX). Construct an RS flip-flop from discrete gates.

More information

Choosing an Oscilloscope

Choosing an Oscilloscope Choosing an Oscilloscope By Alan Lowne CEO Saelig Company (www.saelig.com) Post comments on this article at www.nutsvolts.com/ magazine/article/october2016_choosing-oscilloscopes. All sorts of questions

More information

Introduction to Digital Electronics

Introduction to Digital Electronics Introduction to Digital Electronics by Agner Fog, 2018-10-15. Contents 1. Number systems... 3 1.1. Decimal, binary, and hexadecimal numbers... 3 1.2. Conversion from another number system to decimal...

More information

PQ-Box 100 Quick Start Instructions

PQ-Box 100 Quick Start Instructions PQ-Box 100 Quick Start Instructions These instructions are provided for the purpose on providing a quick start to PQ-Box 100 installation and operation. Please refer to the user handbook for full details.

More information

Welch Allyn CardioPerfect Workstation Tango+ Interface Notes

Welch Allyn CardioPerfect Workstation Tango+ Interface Notes Welch Allyn CardioPerfect Workstation Tango+ Interface Notes To setup Tango+ with the CardioPerfect stress system, simply follow the directions below. 1. Verify Correct RS-232 and ECG Trigger Cables RS-232

More information

Using the HDCV Data Acquisition Program

Using the HDCV Data Acquisition Program Using the HDCV Data Acquisition Program This manual describes HDCV.exe, the data acquisition portion of the HDCV (High Definition Cyclic Voltammetry) program suite from the University of North Carolina

More information

Digital Circuits I and II Nov. 17, 1999

Digital Circuits I and II Nov. 17, 1999 Physics 623 Digital Circuits I and II Nov. 17, 1999 Digital Circuits I 1 Purpose To introduce the basic principles of digital circuitry. To understand the small signal response of various gates and circuits

More information

Data Conversion and Lab (17.368) Fall Lecture Outline

Data Conversion and Lab (17.368) Fall Lecture Outline Data Conversion and Lab (17.368) Fall 2013 Lecture Outline Class # 11 November 14, 2013 Dohn Bowden 1 Today s Lecture Outline Administrative Detailed Technical Discussions Lab Microcontroller and Sensors

More information

Chapter 5 Flip-Flops and Related Devices

Chapter 5 Flip-Flops and Related Devices Chapter 5 Flip-Flops and Related Devices Chapter 5 Objectives Selected areas covered in this chapter: Constructing/analyzing operation of latch flip-flops made from NAND or NOR gates. Differences of synchronous/asynchronous

More information

PLASMA MONITOR (PT20 UVVis) USER GUIDE

PLASMA MONITOR (PT20 UVVis) USER GUIDE Thin Film Measurement solution Software, sensors, custom development and integration PLASMA MONITOR (PT20 UVVis) USER GUIDE August 2012 Plasma monitor with VFT probe. INTRODUCTION Plasma Monitor includes

More information

Oscilloscopes, logic analyzers ScopeLogicDAQ

Oscilloscopes, logic analyzers ScopeLogicDAQ Oscilloscopes, logic analyzers ScopeLogicDAQ ScopeLogicDAQ 2.0 is a comprehensive measurement system used for data acquisition. The device includes a twochannel digital oscilloscope and a logic analyser

More information

Ultra 4K Tool Box. Version Release Note

Ultra 4K Tool Box. Version Release Note Ultra 4K Tool Box Version 2.1.43.0 Release Note This document summarises the enhancements introduced in Version 2.1 of the software for the Omnitek Ultra 4K Tool Box and related products. It also details

More information

Mortara X-Scribe Tango+ Interface Notes

Mortara X-Scribe Tango+ Interface Notes Mortara X-Scribe Tango+ Interface Notes To setup Tango+ with the X-Scribe stress system, simply follow the directions below. 1. Verify Correct RS-232 and ECG Trigger Cables RS-232 Cable used to communicate

More information

DALHOUSIE UNIVERSITY Department of Electrical & Computer Engineering Digital Circuits - ECED 2200

DALHOUSIE UNIVERSITY Department of Electrical & Computer Engineering Digital Circuits - ECED 2200 DALHOUSIE UNIVERSITY Department of Electrical & Computer Engineering Digital Circuits - ECED 2200 Tutorial 1. Xilinx Integrated Software Environment (ISE) Tools Objectives: 1. Familiarize yourself with

More information

SignalTap Plus System Analyzer

SignalTap Plus System Analyzer SignalTap Plus System Analyzer June 2000, ver. 1 Data Sheet Features Simultaneous internal programmable logic device (PLD) and external (board-level) logic analysis 32-channel external logic analyzer 166

More information

SC24 Magnetic Field Cancelling System

SC24 Magnetic Field Cancelling System SPICER CONSULTING SYSTEM SC24 SC24 Magnetic Field Cancelling System Makes the ambient magnetic field OK for the electron microscope Adapts to field changes within 100 µs Touch screen intelligent user interface

More information

Microcontrollers and Interfacing week 7 exercises

Microcontrollers and Interfacing week 7 exercises SERIL TO PRLLEL CONVERSION Serial to parallel conversion Microcontrollers and Interfacing week exercises Using many LEs (e.g., several seven-segment displays or bar graphs) is difficult, because only a

More information

Manual of Operation for WaveNode Model WN-2m. Revision 1.0

Manual of Operation for WaveNode Model WN-2m. Revision 1.0 Manual of Operation for WaveNode Model WN-2m. Revision 1.0 TABLE OF CONTENTS 1. Description of Operation 2. Features 3. Installation and Checkout 4. Graphical Menus 5. Information for Software Expansion

More information

Ocean Sensor Systems, Inc. Wave Staff III, OSSI With 0-5V & RS232 Output and A Self Grounding Coaxial Staff

Ocean Sensor Systems, Inc. Wave Staff III, OSSI With 0-5V & RS232 Output and A Self Grounding Coaxial Staff Ocean Sensor Systems, Inc. Wave Staff III, OSSI-010-008 With 0-5V & RS232 Output and A Self Grounding Coaxial Staff General Description The OSSI-010-008 Wave Staff III is a water level sensor that combines

More information

KNX Dimmer RGBW - User Manual

KNX Dimmer RGBW - User Manual KNX Dimmer RGBW - User Manual Item No.: LC-013-004 1. Product Description With the KNX Dimmer RGBW it is possible to control of RGBW, WW-CW LED or 4 independent channels with integrated KNX BCU. Simple

More information

imso-104 Manual Revised August 5, 2011

imso-104 Manual Revised August 5, 2011 imso-104 Manual Revised August 5, 2011 Section 1 Getting Started SAFETY 1.10 Quickstart Guide 1.20 SAFETY 1.30 Compatibility 1.31 Hardware 1.32 Software Section 2 How it works 2.10 Menus 2.20 Analog Channel

More information

WaveMaker III Gartech Enterprises Inc. 12/17/2012

WaveMaker III Gartech Enterprises Inc. 12/17/2012 WaveMaker III Gartech Enterprises Inc. 12/17/2012 1 Preface: WaveMaker III standalone unit is produced for those desiring a flexible wave form generator. This unit is capable of providing selectable waveform

More information

On-site reprogrammable beacon keyer

On-site reprogrammable beacon keyer On-site reprogrammable beacon keyer Includes Analogue Version Andy Talbot G4JNT/G8IMR March 2011 - New QRSS version. See Annex 1 Overview The beacon keyer is a small module that generates pre-stored CW

More information

ADC Peripheral in Microcontrollers. Petr Cesak, Jan Fischer, Jaroslav Roztocil

ADC Peripheral in Microcontrollers. Petr Cesak, Jan Fischer, Jaroslav Roztocil ADC Peripheral in s Petr Cesak, Jan Fischer, Jaroslav Roztocil Czech Technical University in Prague, Faculty of Electrical Engineering Technicka 2, CZ-16627 Prague 6, Czech Republic Phone: +420-224 352

More information