Monday, December 21, 2009

How to track the lost mobile?

Each mobile carries a unique IMEI i.e. International Mobile Identity No

Which can be used to track your mobile anywhere in the world?

This is how it works!!!!!!

1. Dial *#06# from your mobile.

2. Your mobile shows a unique 15 digit.

3.Note down this no anywhere but except your mobile as this is the no which will help trace your mobile in case of a theft.

4. Once stolen you just have to mail this 15 digit IMEI no. tocop@vsnl.net

5. No need to go to police.

6. Your Mobile will be traced within next 24 hrs via a complex system of GPRS and internet.

7. You will find where your hand set is being operated even in case your no is being changed.

Wednesday, December 16, 2009

Engineering VHDL LAB programs

1. PROGRAM FOR REALIZATION OF GATES

LIBRARY IEEE;
USE IEEE..STD_LOGIC_1164.ALL;
USE IEEE..STD_LOGIC_ARITH.ALL;
USE IEEE..STD_LOGIC_UNSIGNED.ALL;

ENTITY GATES IS
PORT ( AIN : IN STD_LOGIC;
BIN : IN STD_LOGIC;
OP_NOT : OUT STD_LOGIC;
OP_OR : OUT STD_LOGIC;
OP_AND : OUT STD_LOGIC;
OP_NOR : OUT STD_LOGIC;
OP_NAND : OUT STD_LOGIC;
OP_XOR : OUT STD_LOGIC;
OP_XNOR : OUT STD_LOGIC);
END GATES;



ARCHITECTURE BEHAVIORAL OF GATES IS
BEGIN
OP_NOT <= NOT AIN;
OP_OR <= AIN OR BIN;
OP_AND <= AIN AND BIN;
OP_NOR <= AIN NOR BIN;
OP_NAND <= AIN NAND BIN;
OP_XOR <= AIN XOR BIN;
OP_XNOR <= AIN XNOR BIN;
END BEHAVIORAL;









2. PROGRAM FOR 2:4 DECODERS

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;

entity Decoder is
Port ( En : in STD_LOGIC;
D_in : in STD_LOGIC_VECTOR (1 downto 0);
D_out : out STD_LOGIC_VECTOR (3 downto 0));
end Decoder;

architecture Behavioral of Decoder is
begin
PROCESS (En,D_IN)
BEGIN
IF (En = '1') THEN
D_OUT <= "0000";
ELSE
CASE D_IN IS
WHEN "00" => D_OUT <= "0001";
WHEN "01" => D_OUT <= "0010";
WHEN "10" => D_OUT <= "0100";
WHEN "11" => D_OUT <= "1000";
WHEN OTHERS => NULL;
END CASE;
END IF;
END PROCESS;


end Behavioral;
Result:










3. PROGRAM FOR 8:3 ENCODERS (WITHOUT PRIORITY)

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;

entity encoder is
Port ( Enable : in STD_LOGIC;
D_in : in STD_LOGIC_VECTOR (7 downto 0);
D_out : out STD_LOGIC_VECTOR (2 downto 0));
end encoder;

architecture Behavioral of encoder is

begin
PROCESS(ENABLE,D_IN)
BEGIN
IF( ENABLE = '1') THEN
D_OUT <= "000";
ELSE
CASE D_IN IS
WHEN "00000001" => D_OUT <= "000";
WHEN "00000010" => D_OUT <= "001";
WHEN "00000100" => D_OUT <= "010";
WHEN "00001000" => D_OUT <= "011";
WHEN "00010000" => D_OUT <= "100";
WHEN "00100000" => D_OUT <= "101";
WHEN "01000000" => D_OUT <= "110";
WHEN "10000000" => D_OUT <= "111";
WHEN OTHERS => NULL;
END CASE;
END IF;
END PROCESS;


end Behavioral;











4. Program for 8:3 encoder (with Priority)

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity encoder2 is
Port ( Enable : in STD_LOGIC;
D_in : in STD_LOGIC_VECTOR (7 downto 0);
D_out : out STD_LOGIC_VECTOR (2 downto 0));
end encoder2;

architecture Behavioral of encoder2 is
begin
PROCESS(ENABLE,D_IN)
BEGIN
IF ( ENABLE = '1') THEN
D_OUT <= "000";
ELSE
CASE D_IN IS
WHEN "00000001" => D_OUT <= "000";
WHEN "00000010" => D_OUT <= "001";
WHEN "00000100" => D_OUT <= "010";
WHEN "00001000" => D_OUT <= "011";
WHEN "00010000" => D_OUT <= "100";
WHEN "00100000" => D_OUT <= "101";
WHEN "01000000" => D_OUT <= "110";
WHEN "10000000" => D_OUT <= "111";
WHEN OTHERS => NULL;
END CASE;
END IF;
END PROCESS;
end Behavioral;








Result:






5. PRORAM FOR 8:1 MUX

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity Multiplexer is
Port ( Sel : in STD_LOGIC_VECTOR (2 downto 0);
A : in STD_LOGIC;
B : in STD_LOGIC;
C : in STD_LOGIC;
D : in STD_LOGIC;
E : in STD_LOGIC;
F : in STD_LOGIC;
G : in STD_LOGIC;
H : in STD_LOGIC;
D_OUT : out STD_LOGIC);
end Multiplexer;

architecture Behavioral of Multiplexer is

begin

PROCESS (SEL,A,B,C,D,E,F,G,H)
BEGIN
CASE SEL IS
WHEN "000" => D_OUT <= A;
WHEN "001" => D_OUT <= B;
WHEN "010" => D_OUT <= C;
WHEN "011" => D_OUT <= D;
WHEN "100" => D_OUT <= E;
WHEN "101" => D_OUT <= F;
WHEN "110" => D_OUT <= G;
WHEN "111" => D_OUT <= H;
WHEN OTHERS => NULL;
END CASE;
END PROCESS;

end Behavioral;

Result:









6. PROGRAM TO CONVERT 4 BIT BINARY NO TO GRAY CODE.

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity converter is
Port ( B : in STD_LOGIC_VECTOR (3 downto 0);
G : out STD_LOGIC_VECTOR (3 downto 0));
end converter;

architecture Behavioral of converter is

begin
G(3)<= B(3);
G(2)<= B(3) XOR B(2);
G(1)<= B(2) XOR B(1);
G(0)<= B(1) XOR B(0);


end Behavioral;





















7. PROGRAM TO CONVERT 4 BIT GRAY CODE TO BINARY

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity converter is
Port ( G : in STD_LOGIC_VECTOR (3 downto 0);
B : inout STD_LOGIC_VECTOR (3 downto 0));
end converter;

architecture Behavioral of converter is

begin
B(3)<= G(3);
B(2)<= B(3) XOR G(2);
B(1)<= B(2) XOR G(1);
B(0)<= B(1) XOR G(0);


end Behavioral;



















8. N-BIT COMPARATOR

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;

entity Comparator is
GENERIC (N: INTEGER := 3);
Port (A,B: IN STD_LOGIC_VECTOR(N DOWNTO 0);
ALB : out STD_LOGIC;
AEB : out STD_LOGIC;
AGB : out STD_LOGIC);
end Comparator;

architecture Behavioral of Comparator is

begin
PROCESS(A,B)
BEGIN
ALB<='0'; AGB<='0'; AEB<='0';
IF A=B THEN
AEB<='1';
ELSIF A>B THEN
AGB<='1';
ELSE
ALB<='1';
END IF;
END PROCESS;


end Behavioral;





RESULT:










9. PROGRAM FOR HALF ADDER

ibrary IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity HALFADDER is
Port ( A : in STD_LOGIC;
B : in STD_LOGIC;
S : out STD_LOGIC;
C : out STD_LOGIC);
end HALFADDER;

architecture Behavioral of HALFADDER is

begin
S <= A XOR B;
C<= A AND B;

end Behavioral;















RESULT:










10. PROGRAM FOR FULL ADDER

Library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity HALFADDER is
Port ( A : in STD_LOGIC;
B : in STD_LOGIC;
CIN:in std_logic;
S : out STD_LOGIC;
COUT : out STD_LOGIC);
end HALFADDER;

architecture Behavioral of HALFADDER is

begin
PROCESS(A,B,CIN)
BEGIN
S<= A XOR B XOR CIN;
COUT<= (A AND B) OR (B AND CIN) OR (CIN AND A);
END PROCESS;


end Behavioral;










RESULT:










11. SR FLIP FLOP

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity SRFF is
Port ( S : in STD_LOGIC;
R : in STD_LOGIC;
CLK : in STD_LOGIC;
Q: BUFFER STD_LOGIC);
end SRFF;

architecture Behavioral of SRFF is

begin
PROCESS(CLK)
BEGIN
IF CLK='1' AND CLK'EVENT THEN
IF(S='0' AND R='0')THEN Q<=Q;
ELSIF(S='0' AND R='1')THEN Q<='0';
ELSIF(S='1' AND R='0')THEN Q<='1';
ELSIF (S='1' AND R='1')THEN Q<='Z';
END IF;
END IF;
END PROCESS;


end Behavioral;






RESULT:




















12. D FLIP FLOP

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity dff is
Port ( D : in STD_LOGIC;
CLK : in STD_LOGIC;
Q : out STD_LOGIC);
end dff;

architecture Behavioral of dff is

begin
PROCESS(CLK)
BEGIN
IF(CLK'EVENT AND CLK='1')THEN
Q<=D;
END IF;
END PROCESS;

end Behavioral;












RESULT:










13. T FLIP FLOP

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity TFF is
Port ( CLK,T : in STD_LOGIC;
RST : in STD_LOGIC;
Q : out STD_LOGIC;
QB : out STD_LOGIC);
end TFF;

architecture Behavioral of TFF is
SIGNAL TEMP:STD_LOGIC;
begin
PROCESS(CLK,RST)
BEGIN
IF(RST='1')THEN
TEMP<='0';
ELSIF(CLK='1' AND CLK'EVENT)THEN
IF(T='1')THEN
TEMP<=NOT TEMP;
END IF;
END IF;
END PROCESS;
Q<=TEMP;
QB<=NOT TEMP;

end Behavioral;





RESULT:










14. JK FILPFLOP

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;

entity JKFF is
Port ( CLK : in STD_LOGIC;
RST : in STD_LOGIC;
J : in STD_LOGIC;
K : in STD_LOGIC;
Q : out STD_LOGIC;
QB : out STD_LOGIC);
end JKFF;

architecture Behavioral of JKFF is
SIGNAL TEMP :STD_LOGIC;
begin
PROCESS(CLK,RST)
VARIABLE JK:STD_LOGIC_VECTOR(1 DOWNTO 0);
BEGIN
IF(RST='1')THEN
TEMP<='0';
ELSIF(CLK='1' AND CLK'EVENT)THEN
JK:=J & K;
CASE JK IS
WHEN "01"=>TEMP<='0';
WHEN "10"=>TEMP<='1';
WHEN "11"=>TEMP<=NOT TEMP;
WHEN OTHERS=>TEMP<=TEMP;
END CASE;
END IF;
END PROCESS;
Q<=TEMP;
QB<=NOT TEMP;
end Behavioral;












14. 4-BIT BINARY UP COUNTER

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity BINARYUPCOUNTER is
Port ( CLK : in STD_LOGIC;
RST : in STD_LOGIC;
BINCOUNT : out STD_LOGIC_VECTOR (3 downto 0));
end BINARYUPCOUNTER;

architecture Behavioral of BINARYUPCOUNTER is
SIGNAL BINCOUNT1:STD_LOGIC_VECTOR(3 DOWNTO 0);
begin
PROCESS(CLK,RST)
BEGIN
IF(RST='1')THEN
BINCOUNT1<=(OTHERS=>'0');
ELSIF(CLK='1' AND CLK'EVENT)THEN
IF(BINCOUNT1="1111")THEN
BINCOUNT1<="0000";
ELSE
BINCOUNT1<=BINCOUNT1+1;
END IF;
END IF;
END PROCESS;
BINCOUNT<=BINCOUNT1;


end Behavioral;










RESULT:









15 .4-BIT BINARY DOWN COUNTER

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;


entity BINARYDOWNCOUNTER is
Port ( CLK : in STD_LOGIC;
RST : in STD_LOGIC;
BINCOUNT : out STD_LOGIC_VECTOR (3 downto 0));
end BINARYDOWNCOUNTER;

architecture Behavioral of BINARYDOWNCOUNTER is
SIGNAL BINCOUNT1:STD_LOGIC_VECTOR(3 DOWNTO 0);
begin
PROCESS(CLK,RST)
BEGIN
IF(RST='1')THEN
BINCOUNT1<=(OTHERS=>'0');
ELSIF(CLK='1' AND CLK'EVENT)THEN
IF(BINCOUNT1="0000")THEN
BINCOUNT1<="1111";
ELSE
BINCOUNT1<=BINCOUNT1-1;
END IF;
END IF;
END PROCESS;
BINCOUNT<=BINCOUNT1;

end Behavioral;





RESULT:





16. BCD down counter

library IEEE;
use IEEE.STD_LOGIC_1164.ALL;
use IEEE.STD_LOGIC_ARITH.ALL;
use IEEE.STD_LOGIC_UNSIGNED.ALL;

entity BCDUPCOUNTER is
Port ( CLK : in STD_LOGIC;
RST : in STD_LOGIC;
BCDCOUNT : out STD_LOGIC_VECTOR (3 downto 0));
end BCDUPCOUNTER;

architecture Behavioral of BCDUPCOUNTER is
SIGNAL BCDCOUNT1:STD_LOGIC_VECTOR(3 DOWNTO 0);
begin
PROCESS(CLK,RST)
BEGIN
IF(RST='1')THEN
BCDCOUNT1<=(OTHERS=>'0');
ELSIF(CLK='1' AND CLK'EVENT)THEN
IF(BCDCOUNT1="0000")THEN
BCDCOUNT1<="1111";
ELSE
BCDCOUNT1<=BCDCOUNT1-1;
END IF;
END IF;
END PROCESS;
BCDCOUNT<=BCDCOUNT1;


end Behavioral;





Result:

Monday, December 14, 2009

Former Chief Minister H D Kumaraswamy and Kannada actress Radhika’s relationship finally out


Former Chief Minister H D Kumaraswamy and Kannada actress Radhika’s relationship seems to be finally out in the open with the two making their first public appearance together — and what better day to acknowledge the association than V-day eve?

The two spent more than five hours in each other’s company on Friday at the Ashta Pavithra Nagamandalotsava, a religious ceremony organised by the actress’ family.

The ceremony was held at Paltaje in Salethoor village near Vittla, about 50 km away from Mangalore on Friday. Kumaraswamy stayed all through the ceremony which went on till late night and stood very close to Radhika. But neither of them smiled or looked at each other.

HDK arrived at Radhika’s farm house, where the function was being held, at around 5.30 pm and after meeting her family members, he joined in the ceremony at about 6.15 pm.

Mediapersons were kept out of the function till late in the night. Radhika came to the function an hour after Kumaraswamy arrived.

The former CM had removed his shirt and was seen participating in the ceremony with a shawl wrapped around him and Radhika was wearing a black churidar.

Till date, Kumaraswamy has never been seen at any public function with Radhika or her family, though he often visits her house.

Later, he delivered a speech expressing his displeasure over the communal tension prevailing in the district. He also urged the government to improve the roads for the benefit of pilgrims visiting the district.

Radhika’s family had organised the ceremony on the advice of priests as their newly purchased property was supposed to be under “Naga Dosha.”

Saturday, December 12, 2009

What goes better with Whisky - Water or Soda?

Whisky is preferred with water more than soda as soda is carbonated water and it kills the taste
of whisky. But real connoisseurs of whisky like to have it neat or with water on side or with two
cubes of ice.

What's the difference between WHISKY & WHISKEY?

Alcohol, malted or not, made from grain which is produced in Scotland is called WHISKY,
while it is called WHISKEY if it is produced in USA or Ireland. American whiskey is called
Bourbon and is made from grain.
Bourbon is at least 51 per cent corn or maize. Scotch whisky is generally double distilled, while
Irish whiskey is generally distilled three times.
It is is whisky that has been distilled and matured in Scotland for at least three hours in oak
casks. Wheat whisky is the rarest whisky. Rye whiskies are mostly popular within the US.

WHAT IS COGNAC?

The wines of Poitou, La Rochelle and Angoumois, produced from high quality vineyards , were
shipped to Northern Europe where they were enjoyed by the English, Dutch and Scandinavians
as early as the 13th century. In the 16th century, they were transformed into eaude-vie , then
matured in oak casks to become Cognac.
That was the start of the adventure for a town, which was to become the capital of a world
famous trade. Cognac is a living thing. During its time in the oak casks it is in permanent contact
with the air. This allows it to extract the substances from the wood that give both its colour and
its final bouquet.
Ageing is indispensable if an eau-de-vie is to become Cognac. It takes place in casks or barrels
that hold between 270 and 450 litres. The natural humidity of the cellars, in which the casks are
stored is one of the determining factors in the maturing process.

Does drinking water before or between drinks help you hold your drink better?

Dehydration causes your blood volume to go down and alcohol even more.
So make it a habit to drink enough water before a hard drink. Experts say in case of alcohol
consumption, the bigger you are the better it is.
Big people have a larger quantity of blood, so alcohol they take in is more diluted as it mixes
with blood. Women are generally smaller than men.
They also have proportionately more fat and less water in their bodies and so the entration of
alcohol in their blood is higher for the same amount drunk.

WHAT IS VODKA?

Vodka is distilled from one of the following: corn, wheat, rye or potatoes . It is usually clear,
perhaps tinted (by fruit or herbal additives etc), but always clear, never cloudy. Vodka is very
rarely aged in barrels . Usually it goes from distillery to bottle to store and bar shelves.
The exact history of vodka is unknown, though it most likely originated somewhere in the region
of Poland or Russia between the 14th and 16th centuries. The word is thought to derive from
Russian, meaning roughly “little water” .
Although vodka is traditionally drunk neat in the vodka belt — Eastern Europe and the Nordic
countries — its popularity, elsewhere, derives from its neutral spirit usefulness in cocktails and
mixed drinks, such as the Bloody Mary, the Screwdriver, the White Russian, the vodka tonic,
and the vodka martini.
Stolichnaya, Smirnoff, Grey goose and Absolut are the more well-known brands.

WHAT IS BLENDED WHISKY?

Blended whisky is a mixture of single malt whiskys and ethanol derived from grains. Developed
for those who could not stomach the strong taste of whisky, it is a combination of malt and grain
whiskys.
First distilled and bottled by Andrew Usher in Edinburgh in the early 1860s, it turned out to be
softer, lighter and more palatable. The character of the whisky is determined not only by the
proportions of malt and grain whisky, but also by the ages of the individual whiskies and the
manner in which they are combined to bring out the finest qualities in each other.
Most whisky drunk across the world is blended whisky. Famous Grouse, Bells, Teacher's ,
Whyte & Mackay and Johnnie Walker are a few that are well-known .

WHAT IS GIN?

Gin is a hard alcohol flavoured with the seeds of the juniper bush. Gin is a rather dry alcohol and
is rarely drunk on its own, but used instead as a base for many different types of drinks.
Good gin is very smooth, with a strong juniper flavour exciting the senses. Gin made its way to
England with the ascension of William of Orange to the British throne. And a new style of gin
evolved. Dutch gin is distilled from barley and is somewhat nearer whiskey than the London Dry
style, which evolved in the 19th century.
One difference today is that the London style, since it uses column stills, rather than the pot stills
preferred by the Dutch, tends to have a higher alcohol concentration. The famous brands include
Beefeater London Dry gin, Bombay Sapphire, Plymouth and Tanqueray.

WHAT IS SINGLE MALT?

Single malt is so-called because the malt comes from a
single distillery. It is a whisky refined by a single distillery, using malted barley as the
only grain ingredient.
Each distillery has its own distinct taste, flavour and style and single malts bear that.
Some world-renowned single malts are Glenfiddich, Glenmorangie, Glenlivet,
Glenkinchie and if you move into the rare varieties, PortEllen, Dalmore , Glenfarclas,
IsleofJura, Knocdhu, Lagavulin, Laphroig, Macallan, Oban,Taliskar, Cragganmore.
Enjoying a single malt is a connoissseur’s job and you have to learn to be one.
A single grain, as distinct from a single malt, is a grain whisky made at one distillery,
while the single malt is made with barley.

Why should you never drink on an empty stomach?

Experts say eating food before drinking
retains alcohol in the system where it is
absorbed slowly into the blood stream.
This gives the liver more time to break the
alcohol down. Otherwise , it is directly
absorbed without being broken down into
simpler compounds.
This can be harmful for the liver and
general health. The kick comes when the
alcohol is absorbed into the bloodstream
directly and slows down the central
nervous system; hence the reflexes and reactions are slower.

WHAT IS CHAMPAGNE?

WHAT IS CHAMPAGNE?
Technically speaking, champagne is sparkling wine made in the
Champagne region of France. But it is often mistakenly used as a
generic description of sparkling white wines in the style of the
wines of Champagne.
Champagne is produced as a blend between the Pinot Noir, Pinot
Meunier, and Chardonnay grapes. Champagne is designed to be
drunk upon purchase, and in nearly all cases is not meant to be
collectible.
A non-vintage Champagne will begin losing quality within only
three or four years, while prestige champagne may last up to 15 years without degrading.
Champagne is normally drunk from either a flute or tulip glass, both of which are skinny and tall.
This shape allows the scents of the champagne to reach their full potential, and helps the bubbles
last for longer than in flatter, larger-bowled glasses. The bigger brands include Moet & Chandon,
Laurent Perrier and Krug.
Why

WHAT IS RUM?

WHAT IS RUM?
Rum is distilled from sugar cane juice and/or molasses.
It is aged in barrels to impart additional flavours. The first true
rums were made in the Caribbean during the early 17th century
by fermenting the molasses left over from refining sugar into a
heady liquor.
Barbados is held by many to be the birthplace of rum. Rum is
one of the major liquors in the world, with a history steeped in
the myths of piracy, the Caribbean, and slavery.
Others include Bacardi and Captain Morgan.
Rum is distilled from sugar cane juice and/or molasses.
It is aged in barrels to impart additional flavours. The first true rums were made in the Caribbean
during the early 17th century by fermenting the molasses left over from refining sugar into a
heady liquor.
Barbados is held by many to be the birthplace of rum. Rum is one of the major liquors in the
world, with a history steeped in the myths of piracy, the Caribbean, and slavery.
Others include Bacardi and Captain Morgan.

WHAT IS ALCOHOL?

Alcohol is obtained after breaking
down natural sugar of grain into CO2,
ethanol or ethyl alcohol and residual
content. Yeast from grains and
vegetables changes the sugar into
alcohol.
From the cheapest beer to the most expensive wine or after dinner liqueur,
all alcohol is made with the same fermentation process.
The different colours, tastes, potencies and flavours come from the different
fruits or vegetables used and the additives, by-products and diluting
substances employed during the fermentation process.

Engineering IIT MTech Projects based on embeded and robotics and GSM technology

AUTOMATION

1. DISTRIBUTED SENSOR FOR STEERING WHEEL GRIP FORCE MEASUREMENT IN DRIVER FATIGUE DETECTION

Abstract:
This paper presents a low-cost and simple distributed force sensor that is particularly suitable for measuring grip force and hand position on a steering wheel. The sensor can be used in automotive active safety systems that aim at detecting driver’s fatigue, which is a major issue to prevent road accidents. The key point of our approach is to design a prototype of sensor units, so that it can serve as platform for integrating different kinds of sensors into the steering wheel. The CAN controller is used to communicate the values to the main master controller in order to monitor the levels.


Proposed System
In this system the driver’s fatigue is going to detect with the help of touch sensors. The sensors are placed in the steering wheel. The steering wheel is connected with the master controller. The master controller is going to give the intimation with the help of the buzzer. The Master controller here we used to design the system is 8051. The 8051 based microcontroller is interfaced with the LCD for user interface.




2. THE INTEGRATED UNIT FOR MEMS BASED PRESSURE MEASUREMENT


Abstract
The area of physical quantity processing in recent sensoric applications demands for high accuracy, low distortion, fast response and low power consumption. The pressure processing is one of the most important issues for designers. There exist many problems, which have to be solved i.e. how to measure relative and absolute pressure, how to process signal from sensor with low amplitude, how to withdraw noise and Parasitic and so on.
The project deals with a custom based integrated measurement unit (IMU), which serves as processing device for MEMS based pressure measurement. The IMU consists of the three elementar stages, measurement stage, processing stage and communication stage. For the pressure measurement.
Proposed system:
There also exists one method, which is relatively new. In this method we use MEMS sensor for pressure measurement. The MEMS sensor is interfaced with the 8051 microcontroller via ADC. The value of the MEMS is converted and is transmitted to a PC via UART protocol. We use VB as a GUI to see the pressure values.



3. RESEARCH ON EMBEDDED DATA DISPLAY UNIT BASED ON CAN BUS

Abstract

The application development of embedded display terminal based on ARM microprocessor is studied, by applying 32 bit RISC key microprocessor technique, embedded software technology, embedded User Interface technology, CAN bus communication technology, information storage and management technology etc.. The design of embedded hardware platform, of which the core is LPC2129CPU, is completed.
Proposed system:
The Proposed system involves the CAN Protocol to communicate the data. The data is retrieved from the sensor and forwarded to a microcontroller. The Microcontroller establish a CAN Protocol and transfers the data to the ARM Processor. In ARM Processor the keys and LCD Displays are interfaced to view the sensor data.





4. Research and Development of the Remote I/O Data Acquisition System Based on Embedded ARM Platform

Abstract
With the rapid development of the field of industrial process control and the fast popularization of embedded ARM processor, it has been a trend that ARM processor can substitute the single-chip to realize data acquisition and control. A new kind of remote I/O data acquisition system based on embedded ARM platform has been researched and developed in this paper, whose hardware platform use 32-bit embedded ARM microprocessor. This system can measure all kinds of electrical and thermal parameters such as voltage, current, temperature. The measured data can be displayed on LCD of the system, and at the same time can be transmitted through RS485 to remote System.

Proposed system:
The Proposed system involves the RS485 Protocol to communicate the data. The data is retrieved from the sensor and forwarded to a microcontroller. The ARM Processor establishes a RS485 protocol to a system in order to maintain the database.






5. MICROCONTROLLER BASED STANDALONE PV SYSTEM FOR WIRELESS SENSOR NODE

Abstract:
This paper puts forth a study integrating the Solar panel power monitoring, the charge controller as well as switching options for remote monitoring applications. To increase the life time of a battery node, recharge cycle is optimized in such a way that the battery is not charged randomly even though sunlight is available on solar panel, rather it is charged while discharge reaches to a certain predefined limit. Thus, it increases the storage battery life time by reducing the recharge cycle. Here, an AT 89C51 microcontroller is used for future enhancement of a complete battery node solution in a wireless sensor node for environmental monitoring application. However, cost-efficiency can be obtained by selecting optimum hardware for particular device of specific applications with the same methodology described in this paper.

The Proposed System:
The system proposed here presents a refined battery charging control system. Current designs did not meet our goals in terms of cost, ease-of-use, and remote monitoring. Ideally, system design should have the least components from an ease-of-use and integration in cost standpoint. Solar harvesting technology provides the ability to extract energy from the environment; it should be efficiently integrated into an embedded system to translate that harvested energy into increased application performance and system lifetime.




6.CAN bus-Based Distributed Fuel System with Smart
Components

Abstract:
A new distributed control system for fuel management and other avionics applications is introduced. The system consists of a network of smart components such as sensors, valves, and pump actuators which are connected via a controlled area network bus (CAN). Thus, no central fuel management computer is required, wiring is simplified, and the weight decreases. The heart of each smart component is a CAN-enabled microcontroller. All smart components share a copy of the same code inside its microcontroller, for easier certification. A distribution methodology has been developed based on a set of automata and on the employment of CAN bus.
The Proposed System:
The main target of the project is to work out a new distributed control system, on the basis of a field bus and smart components. A specific objective of the project is to propose a new distributed fuel management system. Conventional fuel management systems have a centralized architecture, with a main computer which is connected, point-to-point, to sensors and actuators.






7. A Low-cost Intelligent Gas Sensing Device for Military Applications

Abstract:
The field of electronic noses and gas sensing has been developing rapidly since the introduction of the silicon based sensors. There are numerous systems that can detect and indicate the level of a specific gas. We introduce here a system that is low power, small and cheap enough to be used in mobile robotic platforms while still being accurate and reliable enough for confident use.

The design is based around a small circuit board mounted in a plastic case with holes to allow the sensors to protrude through the top and allow the natural flow of gas evenly across them. The main control board consists of a microcontroller PCB with surface mount components for low cost and power consumption. The firmware of the device is based on an algorithm that it uses on receiving input from gas sensor .The Testing of the device involves the training of the controller with a number of different target gases to determine the weightings for the algorithm. Accuracy and reliability of the algorithm is validated through testing in a specific gas filled environment.
The Proposed System:
The Gas Sensor Module design involves the use of a lightweight plastic case with holes in the lid to allow the sensors to fit with the top of the sensor exposed to allow the gas to flow easily over them. The main small surface-mount PCB is designed for lower power consumption and this is achieved by the microcontroller switching the analog circuits off during low power sleep mode. The sensor sub board is connected to the main board with a simple quick connect header on each side of the board. The sensors can be mounted directly to this PCB.

8. Study on ARM Processor Based Embedded Intelligent Yield System Controller

Abstract:
The yield and its distribution are a key to the adjustment of crop planting and appraising, so, obtain the yield data and the difference between the spatial distributions is crucial to the implementation of digital agriculture. Much research has been down on yield distribution information detection technology in developed countries, and the yield detection system developed by Chinese Academy of Agricultural Mechanization Sciences had proved to be feasible in experiments, but not applied generally yet because of the expensive on-board computer, which was used as central controller. With the development of embedded technology and electronics science, the usage of high-powered embedded processors in intelligent control is becoming more practical and implementable.



Proposed System:
In this thesis, the circuit board based on ARM7 kernel was used to develop the intelligent yield controller, which has the character of stable capability, low price, etc, and is suitable to be used on combine. One serial port together with CAN bus was also used to detect the moisture sensors. The corresponding drivers were developed to insure the compatibility of peripheral equipment with the LPC 2XXX processor.




9. A SIMPLE CAPACITIVE SECURITY CARD
SYSTEM


Abstract:
A simple and reliable capacitive security card system is designed, fabricated and tested. It consists of capacitive card reader system, an integrator, rectifying circuit, an 8051 microcontroller and LED indicators. Initially rectangular patterns of different lengths are being recognized successfully. The patterns on the security card are scanned with a thin conducting plate, which is the part of the reading system, when card is inserted in the reading system. The variations in the heights of the patterns are being converted into voltages with the help of an integrator. Output of the integrator, after rectification, is converted to digital form and fed to the microcontroller. These data are compared with the data stored in the memory of the microcontroller.
The Proposed System:
The system proposed comprises of a sensible capacitive sensor. Capacitive sensors are widely used in the industry to measure various parameters like position, angular speed, liquid level and pressure. Work on the design of highly reliable capacitive sensors and now these are available in the form of small, reliable, robust and low cost smart sensors are being undertaken.. These drawbacks are overcome by capacitive data system. The hardware for a capacitive card system is generally low in cost, requires fairly low power to operate and provides a non rechargeable memory card .Each card plays their critical role in storing required data for certain entries, besides their high level of data protection. However, there may not be a best card technology for every one. The selection should be made on the basis of the requirements of the individual customer and on the factors such as cost, reliability, ease of use, and environment.



10. Research and Design of Industrial RF Based on ARM

Abstract:
The paper introduces a novel design idea of intelligent industrial RF, which is based on embedded micro-controller with a 32-bit ARM core. In this paper, it makes a detailed briefing on the CAN, RS- 232 and RF interface hardware circuit design and real-time multi-tasks software process based on an RTOS. The intelligent RF solves data transmission between the instrumentation; it also could achieve the remote access control for instrument, and provide a powerful data reference and analysis on the abnormal condition of the remote instruments. The application practice has proved that the RF based on ARM is greatly worthy of use and spreading.

The Proposed System:
The paper puts forward the design ideas about the intelligent industrial RF, which is based on embedded micro-controller with a 32-bit ARM core). An event-driven real-time operating system (RTOS) can be transplanted in ARM core, which has the characters of better real-time, flexibility and reliability.








11. VITAL BODY SIGNS MEASUREMENT USING MEMS SENSOR

Abstracts

With advancement in technology and science electronics have been getting smaller and smaller, which enables researchers and scientist to weave the electronics and interconnections into the fabrics. In this project, the main idea is monitoring vital body signs by placing the electronics device into a garment in a compact way. Among many vital body signs, posture, respiration rate and body activities like walking running have been monitored. The measurements have been performed with a MEMS based technology. The electronic components have been placed in to the fabric to form the ARF-shirt to monitor body signs and collect data from various subjects with ARF-Shirt system have been transmitted by RF transmission and monitored in real-time.
The MEMS based sensor is interfaced to PIC micro controller MCU and the sensor data is stored in the MCU. The MCU has all RF protocol and drive commands to communicate the data to remote receiver. Transmitter is powered by small battery. The system is the latest development in RF and electronics system which utilize SMD and MEMS miniature technology. The transmitter has PIC based 16 F 690 MCU and 2.4 GHz low power DSSS (Direct Sequence spread spectrum) RF system. Using the system person’s body activity can be monitored in real time.
The reader also has Same RF receiver with 2.4 GHz protocol and PIC MCU. The MCU is connected to a PC through RS 232 level converter. The read information is feed in to the PC and processed using software. The reader can communicate 500 transmitters at a time.

12. ASSIST – AUTOMATED SYSTEM FOR SURGICAL INSTRUMENTAL AND SPONGE TRACKING

Abstract
One dangerous medical error that can occur during surgery is unintentionally leaving a surgical instrument or sponge inside a patient. Every surgical item used during surgery (e.g, sponges) must be accounted for after surgery to ensure that none of these items is left inside the patient. Despite the numerous precautions in place, in approximately 1 to 1500 cases, something gets left inside the patient’s body. This project presents ASSIT, an Automated System for Surgical Instrument and Sponge tracking that increases the safety of surgical procedures. ASSIST utilizes special RFID technology to aid in accounting for all items used during surgery. The design takes in to account safety, simplicity, ease of deployment, and ease of use.

Our approach is to develop an electronic inventory that can keep track of every surgical item used during surgery. RFID is used for non-line-of-sight identification (a unique serial number for each sponge can be received by wireless means). A check-in station, a check-out station, and a patient scanner are used by OR personnel to track and/or find sponges throughout the surgery. All of these components are controlled via a software system that utilizes a color-coded interface for easy and fast assessment of the location of the items during surgery.
Proposed system:
In the Proposed system, ASSIST provides a reliable and accurate record of the status of each surgical item throughout the surgical procedure. Human error is minimized as the system eliminates false-positive (mistakenly complete count) and reduces false-negatives (the mistaken belief that a sponge is missing). Also, Sources of error were identified, and the system was evaluated under realistic surgical conditions.
13. Embedded System Used for One Biomedical Application

Abstract:
In the society, there permanently increases number of people whose state of health requires relatively frequent medical check or examinations. The solution could be the continuous remote monitoring of certain patients’ functions important for their life with possible providing the help. Under the remote monitoring the sensing of important data about a person’s health anywhere they just are and transmission of these data into the technological centre where they will evaluated are understood. The applicability of this idea has a great potential. This can be also a question of active or recreation sportsmen, rescuers or various special units where it is necessary to know the basic health parameters of a person. In this paper considers non-invasive sensors for monitoring of some physiologic parameters, data transport and their processing, archiving and visualization at a supervising place using computing equipment.

14. Using the CAN Protocol and Reconfigurable Computing Technology for Web-Based Smart House Automation

Abstract:

This paper presents the hardware implementation of a multiplatform control system for house automation using ARM processor. Such a system belongs to a domain usually named domotics or smart house systems. The approach combines hardware and software technologies. The system is controlled through the Internet and the home devices being connected use the CAN control protocol. Users can remotely control their houses using a web browser (Client). Locally, instructions received from the Client are translated by the Server, which distributes the commands to the domestic appliances.

The implemented system has the following characteristics, which distinguish it from existing approaches:

(i) The client interface is automatically updated;
(ii) A standard communication protocol (CAN) is used in the hardware implementation, providing reliability and error control;
(iii) New appliances are easily inserted in the system;
(iv) System security is provided by user authentication;
(v) User rights can be set up by an administration interface.

16. SPI PROTOCOL ENABLED SD/MMC CARD CONFIGURED WIRELESS PARAMETER DEVICE LIMIT SETTING AND ALERT SYSTEM



ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.


An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

PROPOSED SYSTEM
This system uses SPI protocol to write data in SD/MMC card we have used. The values from the sensor are continuously transferred to the Microcontroller and the data are written to the card using SPI protocol. The values are displayed in LCD and an alarm unit is attached to the controller to indicate if any abnormal condition occurs.

17. CAN PROTOCOL IMPLEMENTATION TO ENABLE ROBUST SERIAL COMMUNICATION FOR AUTOMOTIVE APPLICATIONS


ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.


An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

18. A ROBUST INDUSTRIAL PARAMETER READING AND FILE GENERATION ON MMC/SD CARD USING RF


ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.


An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.
PROPOSED SYSTEM
This system uses SPI protocol to write data in SD/MMC card we have used. The values from the sensor are continuously transferred from the slave microcontroller to the master and the data are written to the card using SPI protocol. The values are displayed in LCD.

19. ECONOMICAL SMART CARD TICKETIN SYSTEM
USING MMC/SD AND SPI
Abstract:
This paper presents a MMC card is used for credit storage and used as a smart card on an SPI interfaced Card reader chip. The MMC card is credited with balance and is used as credit card for shopping purpose. The MMC card is inserted inside the card reader and the amount can be read by RF card reader and passes the signal to microcontroller and the corresponding amount can be displayed in LCD Display.

PROPOSED SYSTEM:
The proposed system consists of MMC card which is used as credit storage for shopping purpose. The RF card reader can be used to read a value from MMC card and it passes the signal to microcontroller and the corresponding amount can be displayed in the LCD.





20. SPI PROTOCOL BASED REAL TIME DATA ACQUISITION STORAGE SYSTEM ON SD/MMC CARD USING ARM7 TDMI PROCESSOR


ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.


An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.


PROPOSED SYSTEM
This system uses SPI protocol to write data in SD/MMC card we have used. The values from the sensor are continuously transferred to the ARM Microprocessor and the data are written to the card using SPI protocol. The values are displayed in LCD and an alarm unit is attached to the controller to indicate if any abnormal condition occurs.
21. AUTOMOTIVE BRAKING SYSTEM
ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.
An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

PROPOSED SYSTEM
This system uses ultrasonic sensor. By use of the sensors the distance between the object and the vehicle is calculated. Motor speed control is done by using PWM. By proper setting of values to the registers the PWM duty cycle cam be varied and also the duration of the pulses are also varied. In accordance to the distance the speed of the motor is varied.
22. DTMF BASED REMOTE APPLIANCE CONTROL SYSTEM USING MOBILE PHONE


ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.


PROPOSED SYSTEM
This system uses DTMF Decoder to control the applications. Every key will be having a unique tone, which is decided by combination of keypad‘s column frequency and row frequency. On the receiver end the set of frequency are spitted in accordance to their row and column frequencies from which the key pressed is found. In accordance to the key pressed the appliances are controlled.




23. CAN BASE AUTOMATED CAR MANEUVERING SYSTEM
ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.
An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

PROPOSED SYSTEM
This system uses SPI protocol to communicate with CAN controller (MCP 2515). CAN controller is used to provide the CAN frame and CAN transceiver (MCP2551) is used to provide the corresponding voltage levels for transmission of signals. The data’s from sensor are fed to slave micro controller and these values are transferred to master through CAN protocol and speed is controlled in accordance to it.




24. CAR A.C CONTROL SYSTEM USING LM35 SENSOR
ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.
An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

PROPOSED SYSTEM
This system uses ADC for interfacing micro controller with temperature sensor. The value from the temperature sensor is given to the controller which will be compared with the setpoint values. If the value exceeds the setpoint, then vent will be opened till the value meets the setpoint. If the value is less than the setpoint value then the vent will be closed inorder to maintain the temperature consatant.



25. RESERVOIR WATER FILLING SYSTEM AUTOMATION USING 8051 MCU

ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.
An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

PROPOSED SYSTEM
This system uses ADC for interfacing micro controller with level sensor. The value from the level sensor is given to the controller which will be compared with the set point values. If the value exceeds the set point, then actuator will be opened till the value meets the set point. If the value is less than the set point value then the actuator will be closed in order to maintain the level constant.


26. RESIDENTIAL SECURITY AND VOICE INTIMATION


ABSTRACT
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.
An automation system is one whose function deals with the automated working and control of electrical and electronic devices widely used today. The heart of the automation system is a programmable chip being able to carry out the respective tasks instructed to it without any human intervention.

PROPOSED SYSTEM
This system intimates about the fire and smoke through voice. The smoke and gas value will be measured and will be converted to digital signal through analog to digital converter and will be given to micro controller. The micro controller will monitor the strength of smoke and gas values and will intimate the signals in terms of voice.



ROBOTICS:
1. Navigation of Mobile Robot Using Global Positioning System (GPS) and Obstacle Avoidance System with Commanded Loop Daisy Chaining Application Method
Abstract:
Mobile robot has been a major role to the application in military, industrial and agricultural purposes. Mobile robot should navigate through desire route and avoid the obstacle within the path. Many researcher come with the solution by using the various type of control and instrumentation system. The complexity of mobile robot system can make the system cost intensive and high risk. Proposed is a mobile robot equipped with GPS navigation system and obstacle avoidance system with low cost mobile structure, GPS module and IR sensor. The combination GPS and IR will determine the position and obstacle avoidance for the mobile robot. Mobile robot should navigate according to waypoint that preset to the GPS module and IR sensor detects the obstacle during mobile robot navigation by triggering the sonar sensor in sequence by using a preprogrammed command application method. Mobile Robot can navigate through desired waypoint and at the same time apply the obstacle avoidance rules.
Proposed System:
This project used low cost equipment and instrumentation. A robotic platform along with an 8051 MCU, GPS navigation and obstacle avoidance IR sensors are being used. The GPS receiver used is a UART interfacial module. TSOP1738 IR Sensor is being used for obstacle avoidance. The 8051 MCU is a CISC architecture based controller with 128 Bytes on-chip RAM, 4K on-chip Flash. This robot is suitable on semi-rugged terrain such a football field and outdoor application. The system was designed as a prototype for small vehicle and it can be implemented to larger vehicle for various type of application.
2. Visual Servo Control of a Three Degree of Freedom
Robotic Arm System
Abstract:
The Remote Controlled Weapon Station (RCWS) is found to be very useful for close enemy engagement or long term surveillance activities; such as MOUT or border surveillance application, etc. Currently, many researches have been focused on improving the intelligence capability such as automatic targeting to partially alleviate the human burden. Not much redesign has been seen for the turret. The concepts of integrate machine vision and motion control are widely used for military and industry application, and categorized as visual servo control.
Proposed System:
This system uses CCTV camera for watching the desired location, it has five motors, one for moving the Robot, second one for changing the direction, others for freely rotating the robotic arm. The motors are able to run with the help of Driver circuitry, the CCTV camera monitors the location and the data is sent to the control station. The data’s can be seen with the help of video display unit or monitor. According to the image from the CCTV we can control the position of the arms.







3. Design and Implementation of a Stair Climbing Robot


Abstract
The developed countries have being experienced an emergence of a growing aging population. Home caring robot is an excellent candidate capable of supporting such an aging society. In the paper, a robot is designed to move up and-down stairs to provide service for the elders. The robot consists of a main body for moving, a front arm and a rear arm for moving up and down stairs. The main body is equipped with two brushless dc motors (BLDCMs) and their drives for locomotion, worm gears for torque amplification, two dc motors to control two arms. The robot is equipped with roller chains attached with rubber blocks used to generate friction with ground and stairs for moving. The distance between any two rubber blocks is properly arranged to fix the stair brink. The moving direction of the robot is steered based on the speed difference of two BLDCMs and the information from ultrasonic sensors.










4. A New Method of Infrared Sensor Measurement for Micromouse Control for Drug Delivery

Abstract:
International Institute of Electrical and Electronic Engineering (IEEE) holds an international micromouse competition each year, it is a competition full of challenge. It is needed that the competitors must master hardware circuit designs, High efficiency shortest path algorithm, searching way algorithm and controlling system. Turning function is one of the serious problems in the control of micromouse, especially to control it when it is right-angle turn. This paper describes a new method for the value margin of the black and white part of its wheel is widened and the noise margin is increased by enlarging the relative distance between black and white stripes and infrared sensor and then the measurement accuracy of the sensor for coding wheel and reliability of the measurement are greatly improved. This method has some practical value and can be realized easily.
5. Development of a Module Based Platform for
Mobile Robots
Abstract:
The paper develops a module based intelligent mobile robot system that has uniform interface. The core of these modules is a PIC microchip. The system contains many modules that are communication with master module using I2C interface. The master module is communication with main controller of the mobile robot using RS232 interface. The main controller of the robot system is industry personal computer (IPC). It can display status of these modules on the monitor. The user can add or remove the sensor module in any time, and the main controller can acquires sensor signals from these modules on real-time. Finally, we integrate these modules in the robot system that executes some scenario for the user.



6. Remote RC5 Protocol Controlled Pick and Place Robot.

Abstract:
An embedded system is a special-purpose computer system designed to perform a dedicated function. Unlike a general-purpose computer, such as a personal computer, an embedded system performs one or a few pre-defined tasks, usually with very specific requirements. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product.
As the technology develops, security becomes a major concern. The security not only means securing the important things but also the data’s. Using simple home appliances for this security purpose will be very much useful to solve the problem.

Proposed System:
As the name implies “Remote RC5 Protocol Controlled Pick and Place Robot.” we use a simple TV remote as a door opener. We, here use a low cost 8-bit microcontroller and a pre-defined key which is burnt in the microcontroller. In the receiver section we use an IR receiver attached to the controller. The controller checks the output of IR receiver and compares it with pre stored key. If it matches, the controller switches on the relay and in turn controls the robot movement through a motor connected to it. Here we just use a display unit to find the values returned by the remote for each button. We are going to check the obstacles using IR sensors and we are going to switch different keys in the remote to vary the picking and placing operations.
7. An autonomous security characteristics robot with wireless video monitoring using CCTV


Abstract:

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

A robot is an apparently human automation, intelligent and obedient but impersonal machine. It is relatively, that robots have started to employ a degree of Artificial Intelligence (AI) in their work and many robots required human operators, or precise guidance throughout their missions. Slowly, robots are becoming more and more autonomous.

Proposed System:

This project presents the construction of an autonomous spy robot which has a wireless CCTV on it. The robot is capable to maneuver and scout a given particular area safely by avoiding obstructions across its path and streaming the wires video data onto a TV screen.
8. IIT Contesting Micro mouse Robot design with Flood fills Algorithm Implementation
Abstract:

International Institute of Electrical and Electronic Engineering (IEEE) holds an international micromouse competition each year, it is a competition full of challenge. It is needed that the competitors must master hardware circuit designs, High efficiency shortest path algorithm, searching way algorithm and controlling system. Turning function is one of the serious problems in the control of micromouse, especially to control it when it is right-angle turn. This paper describes a new method for the value margin of the black and white part of its wheel is widened and the noise margin is increased by enlarging the relative distance between black and white stripes and infrared sensor and then the measurement accuracy of the sensor for coding wheel and reliability of the measurement are greatly improved. This method has some practical value and can be realized easily.

9. Flood Fill Algorithm Based Line follower Robot


Abstract:

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

A robot is an apparently human automation, intelligent and obedient but impersonal machine. It is relatively, that robots have started to employ a degree of Artificial Intelligence (AI) in their work and many robots required human operators, or precise guidance throughout their missions. Slowly, robots are becoming more and more autonomous.

Proposed system:
This project presents the construction of an automated robot with a B/W color sensing proximity detector and powered with DC motor mechanism body, which can follow a black line in a white floor and also displays the current Date and Time in Display with RTC based on I2C Protocol.

10. Wireless Robot with bidirectional communication for temperature monitoring

Abstract:

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

A robot is an apparently human automation, intelligent and obedient but impersonal machine. It is relatively, that robots have started to employ a degree of Artificial Intelligence (AI) in their work and many robots required human operators, or precise guidance throughout their missions. Slowly, robots are becoming more and more autonomous.
11. Voice operated atomic plant monitoring Robot

Abstract:

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

A robot is an apparently human automation, intelligent and obedient but impersonal machine. It is relatively, that robots have started to employ a degree of Artificial Intelligence (AI) in their work and many robots required human operators, or precise guidance throughout their missions. Slowly, robots are becoming more and more autonomous.
Proposed System:
This project presents the construction and design of an autonomous robot whose movements can be controlled by voice commands on a pc and sending the control commands wirelessly. The robot is also composed of an LM 35 temperature sensor to indicate the temperature of the surrounding area. We can measure the temperature values and can transmit the temperature values in wireless to a remote place.

12. Sovereign robot for light density measurement

Abstract:


An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.
A robot is an apparently human automation, intelligent and obedient but impersonal machine. It is relatively, that robots have started to employ a degree of Artificial Intelligence (AI) in their work and many robots required human operators, or precise guidance throughout their missions. Slowly, robots are becoming more and more autonomous.
13. Autonomous surveillance robot with DTMF navigation

Abstract
An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

A robot is an apparently human automation, intelligent and obedient but impersonal machine. Basically, a robot is a machine designed to do a human job (excluding research robots) that is tedious, slow or hazardous. It is relatively, that robots have started to employ a degree of Artificial Intelligence (AI) in their work and many robots required human operators, or precise guidance throughout their missions. Slowly, robots are becoming more and more autonomous.

GSM-GPS

1. GSM AND GPS BASED ACCIDENT LOCATION AND INTENSITY INFORMATION SYSTEM.
ABSTRACT:

The main aim of this project is to map the vehicles and find out the speed of the vehicles; this system uses GPS receiver/transmitter, GSM receiver/transmitter with a micro controller.

Imagine the vehicle has left Bangalore at 6 o clock in the morning. If the officer in charge for that vehicle wants to know where this bus is, he will send an SMS to that particular bus number. The SMS, which has sent, by the officer will reach the vehicle, which is traveling and there it will compare the password and the command. If every thing matches then it will perform the request required by the officer. In this way we can easily map the vehicle position or speed of the vehicle from the place where they are sitting.
In our project the PCB is designed by using Express PCB & the circuit is designed by using Proteus software.

2. SHORT MESSAGE SERVICE LINK AUTOMATIC VEHICLE REPORTING SYSTEM INTEGRATION USING GPS, SMS AND CONTROL AREA NETWORK SYSTEM FOR REAL TIME APPLICATION SYSTEM.
ABSTRACT:

The main aim of this project is to map the vehicles and find out the speed of the vehicles; this system uses GPS receiver/transmitter, GSM receiver/transmitter with a micro controller.

Imagine the vehicle has left Bangalore at 6 o clock in the morning. If the officer in charge for that vehicle wants to know where this bus is, he will send an SMS to that particular bus number. The SMS, which has sent, by the officer will reach the vehicle, which is traveling and there it will compare the password and the command. If every thing matches then it will perform the request required by the officer. In this way we can easily map the vehicle position or speed of the vehicle from the place where they are sitting.
In our project the PCB is designed by using Express PCB & the circuit is designed by using Proteus software.

3. DESIGN OF WIRELESS EMBEED SYSTEM FOR LOCATING STOLEN VEHICLES
ABSTRACT:

The main aim of this project is to track down the stolen vehicles position, this system uses GPS receiver/transmitter, GSM receiver/transmitter with a micro controller.

Position of the vehicle can be tracked down, by Authorized owner of the vehicle with this module installed in his vehicle. Owner wants to know where his vehicle is, he will send an SMS to that particular SIM number which is present in the modem of the module. The SMS, which has sent, by the owner will reach the vehicle, which is travelling and there it will compare the password and the command. If every thing matches then it will get the coordinates of the vehicle position. In this way we can easily map the vehicle position from the place where they are residing.
In our project the PCB is designed by using Express PCB & the circuit is designed by using Proteus software.
4. GSM BASED SYSTEM DESIGN FOR INDUTRIAL AUTOMATION

ABSTRACT:

Now a day there is a lot of burglary happening across the city, the reason behind that is police can’t make out the exact location of burglary for example if burglary is happening inside any area in the city, police will get information after the incident had happened, and then they can’t find out the way the thieves had went. Now so many alarm system and security systems are emerging in our markets using high-tech techniques, but in our design we are implementing a home automation and security systems using GSM,GSM is one of the latest mobile technology using smart MODEM which can easily interfaced to embedded microcontrollers. Now everything is going to be automated using this technology, using this technology we can access the devices remotely. Using GSM and GPS now we can identify the people, vehicles etc in any where of the world.

In this project there will be sensors inside the home, if any body comes forcibly to home the sensors output will give information to the system that somebody had came, then it will send the SMS to the owners mobile or make a call to police

5. CORPORATE SECURITY SYSTWEM USING GSM MODEM WITH SMS
ABSTRACT:

Now a day there is a lot of burglary happening across the city, the reason behind that is police can’t make out the exact location of burglary for example if burglary is happening inside any area in the city, police will get information after the incident had happened, and then they can’t find out the way the thieves had went. Now so many alarm system and security systems are emerging in our markets using high-tech techniques, but in our design we are implementing a home automation and security systems using GSM,GSM is one of the latest mobile technology using smart MODEM which can easily interfaced to embedded microcontrollers. Now everything is going to be automated using this technology, using this technology we can access the devices remotely. Using GSM and GPS now we can identify the people, vehicles etc in any where of the world.

In this project there will be sensors inside the home, if any body comes forcibly to home the sensors output will give information to the system that somebody had came, then it will send the SMS to the owners mobile or make a call to police.
6. CONTROLLING MACHINES USING GSM MOBILE SMS SERVICES
Abstract:

This project has a can be used to control Switch ON or OFF any machines at far off places using a gsm modem by sending sms, which is the latest technology used for communication between the mobile and the embedded devices.
7. BTS BUS TRACKING USING GPS & GSM SYSTEM

ABSTRACT:

The main aim of this project is to map the vehicles and find out the speed of the vehicles; this system uses GPS receiver/transmitter, GSM receiver/transmitter with a micro controller.

Imagine the vehicle has left Bangalore at 6 o clock in the morning. If the officer in charge for that vehicle wants to know where this bus is, he will send an SMS to that particular bus number. The SMS, which has sent, by the officer will reach the vehicle, which is traveling and there it will compare the password and the command. If every thing matches then it will perform the request required by the officer. In this way we can easily map the vehicle position or speed of the vehicle from the place where they are sitting.
In our project the PCB is designed by using Express PCB & the circuit is designed by using Proteus software.

8. GSM BASED HOME AUTOMATION SYSTEM.
ABSTRACT:

Now a day there is a lot of burglary happening across the city, the reason behind that is police can’t make out the exact location of burglary for example if burglary is happening inside any area in the city, police will get information after the incident had happened, and then they can’t find out the way the thieves had went. Now so many alarm system and security systems are emerging in our markets using high-tech techniques, but in our design we are implementing a home automation and security systems using GSM,GSM is one of the latest mobile technology using smart MODEM which can easily interfaced to embedded microcontrollers. Now everything is going to be automated using this technology, using this technology we can access the devices remotely. Using GSM and GPS now we can identify the people, vehicles etc in any where of the world.

In this project there will be sensors inside the home, if any body comes forcibly to home the sensors output will give information to the system that somebody had came, then it will send the SMS to the owners mobile or make a call to police.
9. Automated CAR Parking System using GSM

ABSTRACT:
In this project the user has to first request for a parking slot and reserves a slot for him/her. The controller performs all the activities like reservation, gate operation, cost calculation etc.. IR sensors are present at each gate to sense the presence of vehicle and aid the hardware to perform appropriate actions. The communication medium between the user and the hardware module is the GSM modem, by using which the user and the hardware module can communicate by using SMS (Short Message Service) formats


10. Shopping mall auto parking System using GSM technology

ABSTRACT:
In this project the user has to first request for a parking slot and reserves a slot for him/her. The controller performs all the activities like reservation, gate operation, cost calculation etc. IR sensors are present at each gate to sense the presence of vehicle and aid the hardware to perform appropriate actions. The communication medium between the user and the hardware module is the GSM modem, by using which the user and the hardware module can communicate by using SMS (Short Message Service) formats.

11. HOME AUTOMATION AND SECURITY SYSTWEM USING GSM MODEM WITH SMS

ABSTRACT:
Now a day there is a lot of burglary happening across the city, the reason behind that is police can’t make out the exact location of burglary for example if burglary is happening inside any area in the city, police will get information after the incident had happened, and then they can’t find out the way the thieves had went. Now so many alarm system and security systems are emerging in our markets using high-tech techniques, but in our design we are implementing a home automation and security systems using GSM,GSM is one of the latest mobile technology using smart MODEM which can easily interfaced to embedded microcontrollers. Now everything is going to be automated using this technology, using this technology we can access the devices remotely. Using GSM and GPS now we can identify the people, vehicles etc in any where of the world.

In this project there will be sensors inside the home, if any body comes forcibly to home the sensors output will give information to the system that somebody had came, then it will send the SMS to the owners mobile or make a call to police.
12. Vehicle Position Tracking Using GPS and GSM Receiver with License
ABSTRACT:
The main aim of this project is to track down the vehicles position; this system uses GPS receiver/transmitter, GSM receiver/transmitter with a micro controller.
Position of the vehicle can be tracked down, by Authorized owner of the vehicle with this module installed in his vehicle. Owner wants to know where his vehicle is, he will send an SMS to that particular SIM number which is present in the modem of the module. The SMS, which has sent, by the owner will reach the vehicle, which is travelling and there it will compare the password and the command. If every thing matches then it will get the coordinates of the vehicle position. In this way we can easily map the vehicle position from the place where they are residing.
In our project the PCB is designed by using Express PCB & the circuit is designed by using Proteus software.

13. Unmanned Automated Car Parking For Parking Area Using Smart Card and GSM Modem

ABSTRACT :
Now a days parking our vehicle inside the shopping malls, hospitals etc is a very complicated one ,no body now wishes to take their cars for shopping, movies etc. Because of thinking when shopping is finished also they can’t come out from the parking area ,it will depend on the person who is checking the cars in gate. Some times his head weight will be more because of rush traffic this time he will make the things slow.
So keeping in this mind we are developing a system which have smart card slot will be connected in front of the parking gate, when he/she wants to parks their vehicle they have to insert the card, the system will find out the space availability in parking area and allow them to park, if the space is less it will give message to the user space is not available like. for ex if a user wants to park his vehicle every day inside one hotels, he have to buy the card from hotels buy paying amount he wants .so he can use this card upto the amount is valid. This system we can use it for crowd parking areas like Movie Theater, shopping malls etc.

14. MOBILE BASED FIELD AUTOMATION.
ABSTRACT:

Now a day there is a lot of burglary happening across the city, the reason behind that is police can’t make out the exact location of burglary for example if burglary is happening inside any area in the city, police will get information after the incident had happened, and then they can’t find out the way the thieves had went. Now so many alarm system and security systems are emerging in our markets using high-tech techniques, but in our design we are implementing a home automation and security systems using GSM,GSM is one of the latest mobile technology using smart MODEM which can easily interfaced to embedded microcontrollers. Now everything is going to be automated using this technology, using this technology we can access the devices remotely. Using GSM and GPS now we can identify the people, vehicles etc in any where of the world.

In this project there will be sensors inside the home, if any body comes forcibly to home the sensors output will give information to the system that somebody had came, then it will send the SMS to the owners mobile or make a call to police.
15. Body Temperature and Electrocardiogram Monitoring Using an SMS-Based Telemedicine System
Abstract:
A mobile monitoring system utilizing Short Message Service with low-cost hardware equipment has been developed and implemented to enable transmission of the temperature and ECG signal of a patient. The experimental setup can be operated for monitoring from anywhere covered by the Cellular (GSM) service by exchanging SMS messages with the remote mobile device. At the consultation unit, dedicated Medical expert should be present to follow of SMS messages from the Mobile and do the necessity things to follow up the medical attentions

The Proposed System:
In this proposed correspondence we introduce a temperature sensor and Electro Cardiogram sensor to get this temperature and ECG info. A LM 35 Sensor which periodically get the temperature of a patient and ECG Sensor which gets the ECG info of the patient is connected to the microcontroller, wherein the details are checked for abnormality and the information is displayed in a LCD screen. If at all there is any chance of abnormality at once the intimation SMS will be sent through GSM Modem.

16. Design & Development of a GSM Based Vehicle Theft Control System
Abstract:
This paper deals with the design & development of a theft control system for an automobile, which is being used to control the theft of a vehicle. The developed system makes use of an embedded system based on GSM technology. The designed & developed system is installed in the vehicle. An interfacing mobile is also connected to the microcontroller, which is in turn, connected to the engine. If the vehicle is stolen, a particular number is dialed by owner to the interfacing mobile that is with the hardware kit which is installed in the vehicle. By reading the signals received by the mobile, one can control the ignition of the engine; say to lock it or to stop the engine immediately. Again it will come to the normal condition only after entering a secured password. The owner of the vehicle & the central processing system will know this secured password. The main concept in this design is introducing the mobile communications into the embedded system. The designed unit is very simple & low cost. The entire designed unit is on a single chip. When the vehicle is stolen, owner of vehicle may inform to the central processing system, and then they will stop the vehicle by just giving a ring to that secret number and with the help of SIM tracking knows the location of vehicle and informs to the local police or stops it from further movement.

17. A Low-Cost Solution for an Integrated Multisensor Lane Departure Warning System


Abstract:
The Embedded Technology is now in its prime and the wealth of Knowledge available is mind-blowing. Embedded technology plays a major role in integrating the various functions associated with it. This needs to tie up the various sources of the Department in a closed loop system. This proposal greatly reduces the manpower, saves time and operates efficiently without human interference. This project puts forth the first step in achieving the desired target. With the advent in technology, the existing systems are developed to have in built intelligence.
The responsibility of a vision-based lane departure warning (LDW) system is to alert a driver of an unintended lane departure. Because these systems solely rely on the vision sensor’s ability to detect the lane markings on the roadway, these systems are extremely sensitive to the roadway conditions. When a vehicle’s LDW system fails to detect lane markers on the roadway, it loses its ability to alert the driver of an unintended lane departure. The goal of this research is to use GPS combined with inertial sensors and a high-accuracy map to assist a vision-based LDW system. GPS navigation systems are available in many automobiles, along with automotive-grade inertial sensors.

18. Design and Implementation of Remote Monitoring System Based on GSM

Abstract:

. The remote monitoring system is a effective method to obtain, analyze, transmit, manage and feedback the remote goal information, and it combines the Most advanced science and technology field of satellite positioning technology, communication technology, Internet technology and other areas, and it is the comprehensive usage of instrumentation, electronic technology, modern communications technology, computer software and so on. GSM is a digital mobile communication network which develops rapidly in recent years. Short Message Service of GSM is a value-added service based on data packet switching provided by mobile communication company using GSM network besides of all sorts of telecommunication services and bearer services based on the circuit-switched.
19. Roads Digital Map Generation with Multi-track GPS Data

Abstract:

With the increase in traffic worldwide, especially in large urban areas, ITS (Intelligent Transportation System) has been widely used to improve traffic condition and reduce accidents in recent years. As an important infrastructure and information source, roads digital map plays quite a crucial role in many applications. Thus, generating high accuracy roads digital map has become an active research area. In order to generate roads digital map of unknown area when the raster map is absent, we proposed a way which employs multi-track GPS (Global Position System) data. Despite inaccuracy of GPS system itself, multi-track data can reduce errors when we assume a symmetric distribution of the error values. Morphological operations to binary image are employed to process the GPS data.
20. A novel Approach on the Hydrologic Remote Measurement System in Coalmining Industry

Abstract:

With the rapid development of our country’ economy, the energy consumption increases dramatically. Although the energy production maintains a fast growth, this can only meet the 75% demand of energy consumption. The coal industry holds the pivotal status in the national economy development. In the sector of mining, it frequently suffers from the flood which is one of the five biggest geology disasters of coalmining industry, seriously restricting the healthy development of coalmining industry. At present, with the increasing of the coal mining depth, flood add more pressure to the coalmining, therefore to prevent the flood, the monitoring of hydrology information of the ground water in the process coalmining becomes more urgent than ever.


21. A PC based remote Industrial Device access and control using GSM.

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

GSM (Global System for Mobile communication) is a digital mobile telephony system that is widely used in Europe and other parts of the world. GSM uses a variation of time division multiple access (TDMA) and is the most widely used of the three digital wireless telephony technologies (TDMA, GSM, and CDMA). GSM digitizes and compresses data, then sends it down a channel with two other streams of user data, each in its own time slot. It operates at either the 900 MHz or 1800 MHz frequency band.
22. An Innovative GSM DAQ System with SMS Query

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

GSM (Global System for Mobile communication) is a digital mobile telephony system that is widely used in Europe and other parts of the world. GSM uses a variation of time division multiple access (TDMA) and is the most widely used of the three digital wireless telephony technologies (TDMA, GSM, and CDMA). GSM digitizes and compresses data, then sends it down a channel with two other streams of user data, each in its own time slot. It operates at either the 900 MHz or 1800 MHz frequency band.
23. SMS Based Weather Report

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

GSM (Global System for Mobile communication) is a digital mobile telephony system that is widely used in Europe and other parts of the world. GSM uses a variation of time division multiple access (TDMA) and is the most widely used of the three digital wireless telephony technologies (TDMA, GSM, and CDMA). GSM digitizes and compresses data, then sends it down a channel with two other streams of user data, each in its own time slot. It operates at either the 900 MHz or 1800 MHz frequency band.
24. HOME AUTOMATION AND SECURITY SYSTWEM USING GSM MODEM WITH SMS
ABSTRACT:

Now a day there is a lot of burglary happening across the city, the reason behind that is police can’t make out the exact location of burglary for example if burglary is happening inside any area in the city, police will get information after the incident had happened, and then they can’t find out the way the thieves had went. Now so many alarm system and security systems are emerging in our markets using high-tech techniques, but in our design we are implementing a home automation and security systems using GSM,GSM is one of the latest mobile technology using smart MODEM which can easily interfaced to embedded microcontrollers. Now everything is going to be automated using this technology, using this technology we can access the devices remotely. Using GSM and GPS now we can identify the people, vehicles etc in any where of the world.

In this project there will be sensors inside the home, if any body comes forcibly to home the sensors output will give information to the system that somebody had came, then it will send the SMS to the owners mobile or make a call to police.




25. Automatic collision detection and acceleration control using GSM and RF technology
ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

GSM (Global System for Mobile communication) is a digital mobile telephony system that is widely used in Europe and other parts of the world. GSM uses a variation of time division multiple access (TDMA) and is the most widely used of the three digital wireless telephony technologies (TDMA, GSM, and CDMA). GSM digitizes and compresses data, then sends it down a channel with two other streams of user data, each in its own time slot. It operates at either the 900 MHz or 1800 MHz frequency band.





26. Electronic code locking using GSM

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

GSM (Global System for Mobile communication) is a digital mobile telephony system that is widely used in Europe and other parts of the world. GSM uses a variation of time division multiple access (TDMA) and is the most widely used of the three digital wireless telephony technologies (TDMA, GSM, and CDMA). GSM digitizes and compresses data, then sends it down a channel with two other streams of user data, each in its own time slot. It operates at either the 900 MHz or 1800 MHz frequency band.




27. Car Theft tracking using GPS

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

The Global Positioning System (GPS) is a satellite-based navigation system made up of a network of 24 satellites placed into orbit by the U.S. Department of Defense. GPS was originally intended for military applications, but in the 1980s, the government made the system available for civilian use. GPS works in any weather conditions, anywhere in the world, 24 hours a day. There are no subscription fees or setup charges to use GPS.





28. GPS BASED BUS STOP INTIMATION
USING VOICE

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.
The Global Positioning System (GPS) is a satellite-based navigation system made up of a network of 24 satellites placed into orbit by the U.S. Department of Defense. GPS was originally intended for military applications, but in the 1980s, the government made the system available for civilian use. GPS works in any weather conditions, anywhere in the world, 24 hours a day. There are no subscription fees or setup charges to use GPS.





29. GPS composed Intelligent Bus location determination with voice Briefing

ABSTRACT

An embedded system is a special-purpose computer system designed to perform a dedicated function. Since the system is dedicated to specific tasks, design engineers can optimize it, reducing the size and cost of the product. Embedded system comprises of both hardware and software. Embedded system is fast growing technology in various fields like industrial automation, home appliances, automobiles, aeronautics etc. Embedded technology uses PC or a controller to do the specified task and the programming is done using assembly language programming or embedded C.

The Global Positioning System (GPS) is a satellite-based navigation system made up of a network of 24 satellites placed into orbit by the U.S. Department of Defense. GPS was originally intended for military applications, but in the 1980s, the government made the system available for civilian use. GPS works in any weather conditions, anywhere in the world, 24 hours a day. There are no subscription fees or setup charges to use GPS.