ELECTRONIC LOCK WITH 8051 MICRO CONTROLLER

online engineering degree/engineering degree online/online engineering courses/engineering technology online/engineering courses online/engineering technician degree online/online engineering technology/electronic engineering online
Electronic code lock with user defined password using 8051 microcontroller (AT89An electronic lock is a device which has an electronic control assembly attached to it. They are provided with an access control system. This system allows the user to unlock the device with a password. The password is entered by making use of a keypad. The user can also set his password to ensure better protection. The major components include a keypad, LCD and the controller AT89C51 which belongs to the 8051 series of microcontrollers. This article describes the making of an electronic code lock using the 8051 microcontroller. 
 Description:
A 4x3 matrix keypad and a 16x2 LCD have been used here. Keypad and LCD are very commonly used input & output devices, respectively. A four digit predefined password needs to be specified the user. This password is stored in the system.

While unlocking, if the entered password from keypad matches with the stored password, then the lock opens and a message is displayed on LCD. Also an output pin is made high to be used for further purpose.
The connections in the circuit are as following: port P2 of microcontroller AT89C51 is used as data input port which is connected to data pins (7-14) of LCD. P1^0, P1^1 and P1^2 pins of microcontroller are connected to control pins RS, RW and EN of LCD. Port P0 is used to take input from keypad. P0^7 has been used as lock output pin of controller.

As the program starts, string ‘Enter Password’ is displayed on LCD. The keypad is scanned for pressed digits one by one. Every time, row and column of the key pressed is detected and a ‘*’ is displayed on LCD corresponding to the entered number. After the four digits are entered, the user is prompted to ‘Confirm Password’ and again the input is taken through LCD. If the passwords do not match, a message is displayed to indicate ‘Wrong Password’; otherwise the user is prompted to unlock the device.

To unlock, user needs to ‘Enter Password’ through keypad. Again the keypad is scanned for pressed keys and corresponding digits are identified. The passkey is displayed as ‘****’ on the LCD screen. After the four digits are entered, they are compared with the pre-set password. If all the four digits match with set password, LCD displays ‘Lock Open’ and the lock output pin goes high. If the security code is wrong, ‘Wrong Password’ is sent to be displayed on LCD. The system gets locked if more than three attempts are made with wrong password to open the electronic lock. The system needs to be reset in such a case. 






//Program to make a code lock with user defined password

#include<reg51.h>
#define port P1
#define dataport P2
#define key P0
#define sec 100
sbit rs = port^0;
sbit rw = port^1;
sbit en = port^2;

sbit col1=key^4;
sbit col2=key^5;
sbit col3=key^6;
sbit row1=key^0;
sbit row2=key^1;
sbit row3=key^2;
sbit row4=key^3;
sbit lock_output=P0^7;

int check=0;
int digit[4]={0,0,0,0};
int dig_input[4]={0,0,0,0};
int dig_input_recheck[4]={0,0,0,0};

int i,k;


void delay(unsigned int msec) // Time delay function
{
int i,j ;
for(i=0;i<msec;i++)
for(j=0;j<1275;j++);
}

void lcd_cmd(unsigned char item) // Function to send command to LCD
{
dataport = item;
rs= 0;
rw=0;
en=1;
delay(1);
en=0;
return;
}

void lcd_data(unsigned char item) // Function to send data to LCD
{
dataport = item;
rs= 1;
rw=0;
en=1;
delay(1);
en=0;
return;
}

void lcd_data_string(unsigned char *str) // Function to send data to string
{
int i=0;
while(str[i]!='\0')
{
lcd_data(str[i]);
i++;
//delay(10);
}
return;
}

void lcd(unsigned char str[10])
{
lcd_cmd(0x38);
lcd_cmd(0x0e);
lcd_data_string(str);
}


void ans()
{
if(check>3)
{
lcd_cmd(0x01);
lcd_cmd(0x82);
lcd_data_string(" LOCK OPEN");
lock_output=1;
delay(300);
while(1);
}
else
{
lcd_cmd(0x01);
lcd_cmd(0x82);
lcd_data_string(" WRONG PASSWORD");
lock_output=0;
delay(300);
}
}

void code_check() // Function to check password
{
if(i<=3 )
{
switch((i+1))
{
case 1: {
if(dig_input[0]==digit[0])
{
check=check+1;
}
break;
}
case 2: {
if(dig_input[1]==digit[1])
{
check=check+1;
}
break;
}
case 3: {
if(dig_input[2]==digit[2])
{
check=check+1;
}
break;
}
case 4: {
if(dig_input[3]==digit[3])
{
check=check+1;
}
break;
}
}
}
delay(10);
if(i==3)
{
ans();
}
}

void display(int a) //Display function
{
switch(a)
{
case 1:{
lcd_data('*');
delay(100);
digit[i]=1;
code_check();
break;
}
case 2:{
lcd_data('*');
delay(100);
digit[i]=2;
code_check();
break;
}
case 3:{
lcd_data('*');
delay(100);
digit[i]=3;
code_check();
break;
}
case 4:{
lcd_data('*');
delay(100);
digit[i]=4;
code_check();
break;
}
case 5:{
lcd_data('*');
delay(100);
digit[i]=5;
code_check();
break;
}
case 6:{
lcd_data('*');
delay(100);
digit[i]=6;
code_check();
break;
}
case 7:{
lcd_data('*');
delay(100);
digit[i]=7;
code_check();
break;
}
case 8:{
lcd_data('*');
delay(100);
digit[i]=8;
code_check();
break;
}
case 9:{
lcd_data('*');
delay(100);
digit[i]=9;
code_check();
break;
}
case 0:{
lcd_data('*');
delay(100);
digit[i]=0;
code_check();
break;
}
}
}

void check_col1()
{
row1=row2=row3=row4=1;
row1=0;
if(col1==0)
display(1);
row1=1;
row2=0;
if(col1==0)
display(4);
row2=1;
row3=0;
if(col1==0)
display(7);
row3=1;
row4=0;
if(col1==0)
{
row4=1;
}
}

void check_col2()
{
row1=row2=row3=row4=1;
row1=0;
if(col2==0)
display(2);
row1=1;
row2=0;
if(col2==0)
display(5);
row2=1;
row3=0;
if(col2==0)
display(8);
row3=1;
row4=0;
if(col2==0)
display(0);
row4=1;
}

void check_col3()
{
row1=row2=row3=row4=1;
row1=0;
if(col3==0)
display(3);
row1=1;
row2=0;
if(col3==0)
display(6);
row2=1;
row3=0;
if(col3==0)
display(9);
row3=1;
row4=0;
if(col3==0)
{
row4=1;
}
}


void check_password_col1()
{
row1=row2=row3=row4=1;
row1=0;
if(col1==0)
dig_input[k]=1;
row1=1;
row2=0;
if(col1==0)
dig_input[k]=4;
row2=1;
row3=0;
if(col1==0)
dig_input[k]=7;
row3=1;
row4=0;
if(col1==0)
{
row4=1;
}
}

void check_password_col2()
{
row1=row2=row3=row4=1;
row1=0;
if(col2==0)
dig_input[k]=2;
row1=1;
row2=0;
if(col2==0)
dig_input[k]=5;
row2=1;
row3=0;
if(col2==0)
dig_input[k]=8;
row3=1;
row4=0;
if(col2==0)
{
dig_input[k]=0;
row4=1;
}
}


void check_password_col3()
{
row1=row2=row3=row4=1;
row1=0;
if(col3==0)
dig_input[k]=3;
row1=1;
row2=0;
if(col3==0)
dig_input[k]=6;
row2=1;
row3=0;
if(col3==0)
dig_input[k]=9;
row3=1;
row4=0;
if(col3==0)
{
row4=1;
}
}

void pass_set()
{
row1=row2=row3=row4=0;
while(col1==1 && col2==1 && col3==1);
for(i=0;i<4;i++)
{
k=i;
delay(50);
lcd_cmd(0xc4+i);
delay(100);
row1=row2=row3=row4=0;
while(col1==1 && col2==1 && col3==1);
row1=row2=row3=row4=0;
if(col1==0)
check_password_col1();
else
if(col2==0)
check_password_col2();
else
if(col3==0)
check_password_col3();
lcd_data('*');
delay(50);
}
}

void main()
{
int e,j=0,count=1;
col1=col2=col3=1;
//FOR PASSWoRD INPUT
do
{
lcd_cmd(0x01); //Clear LCD screen
lcd_cmd(0x81);
  lcd("ENTER PASSWORD:");
  pass_set();
  for(e=0;e<4;e++)
  dig_input_recheck[e]=dig_input[e];
  lcd_cmd(0x01);
  lcd("CONFIRM PASSWORD:");
  pass_set();
  for(e=0;e<4;e++)
  {
   if(dig_input_recheck[e]==dig_input[e])
   j++;
  }
  if(j<4)
  {
   lcd_cmd(0x01);
   lcd_cmd(0x85);
   lcd("PASSWORD");
   lcd_cmd(0xC2);
   lcd("NOT MATCH");
   delay(300);
  }
}
while(j<4);
    
while(count<4) //Code input and check
{
  lcd_cmd(0x01); 
  lock_output=0;
  lcd_cmd(0x82);  
  lcd("ENTER PASSWORD");
  check=0;
  row1=row2=row3=row4=0;
  while(col1==1 && col2==1 && col3==1);
  for(i=0;i<4;i++)
  {
   delay(100);
   lcd_cmd(0xc4+i);
   row1=row2=row3=row4=0;
   while(col1==1 && col2==1 && col3==1);
   row1=row2=row3=row4=0;
   if(col1==0)
   check_col1();
   else
    if(col2==0)
    check_col2();
    else
     if(col3==0)
     check_col3();
  }
  count++;
  delay(1);   
}

if(count==4)
{
  lcd_cmd(0x01);
  lcd_cmd(0x86);
  lcd("SORRY");
  lcd_cmd(0xc1);
  lcd("NO MORE TRIALS");
  while(1);
}
}
online civil engineering technology degree/online electrical engineering degree/online electrical engineering degree abet/online electrical engineering technology degree/online engineering courses/online engineering degree/online engineering technology/online engineering technology degree/online engineering technology degree programs/online mechanical engineering technology degree
5:44 AM

Labels

_8th_Edition _D._A._(1996) _D._F._(2004)._Pounder's _E._C._(1996) _FT _LI) $\text{CFD}$(Computational Fluid Dynamics) $\text{Cyber ​​Defense}$ $\text{FEA}$(Finite Element Analysis) $\text{Fillet Radius}$ $\text{ICS Cybersecurity}$ $\text{Numerical Methods}$ $\text{OT Security}$ $\text{Threat Intelligence}$ 1. Industrial application of pneumatics 1.5°C 1250 1900 2 Stroke Crosshead Engine Piston 2°C 200 cc engine 2014 2015 2015-2016 2016 2016-2017 3 ultimate skills 3-D printing 3-D-printed guns 3176C-and-3196-Marine-Engines-Engine-Safety 3D JOB 3D model 3D Modeling 3D mold 3D Printing 3D Software 4-methylcyclohexane methanol 4G LTE 5-Axis 5-layer corrugated board 6-Axis Robot 7 inch 9-Axis A diesel engine protection systems and alarms A dynamometer can be used to find the brake horsepower of an engine. A guide for correct entries in the oil record book A masters guide to berthing A positive displacement pump Principle of Operation A simplified overview of the revised Marpol Annex V (resolution MEPC.201(62)) A-Dictionary-of-Units-and-Conversions Abolition of Man abortion abrupt abrupt climate change AC Switchboards academic publishing ACARS accelerated accelerating access Accident_prevention_on_board_ship_at_sea_and_in_port ACCIDENTS.doc accord Accuracy measurement acid steel and basic steel ACRONYMS FOR ORGANIZATIONS act action actuation actuator Add-Ins Address Hotel fire Address of Shipping Companies Admiralty and maritime law adult sites Advanced Simulation advantages and disadvantages of using hydrogen Aereo AERONAUTICAL aerosols AEROSPACE aerospace engineering aesthetics of music Affdex Affectiva affective computing Affordable Care Act AGRICULTURE AI (Artificial Intelligence) air bag Air compressors Air Conditioner Evaporator and Condenser Air Coolers and Cleaning Air ejectors Air Intake System air safety Air_Ejectors Air_Heaters air-defense system airbag inflator recall airbag recall airbags Airbus A350 airline pilot airplanes airport security Akasaki Aker Solutions Alamo Alaska albedo Alec Guinness Alexander Woollcott Alfred Nobel algorithms all processes of the world AlphaGo Alternative Fuels aluminum composite panels Amano amateur radio amazing process Amber Joy Vinson AMEG Amendments (IMO amendments to SOLAS American Water Company ammonium nitrate amphibious vehicle amplification Amur River AN An Introduction to Fluid Mechanics An introduction to the IMDG code An Introduction to Thermodynamics Analysis and design of ship structure Analysis of Ship Structures and fuel lines. and Stern Tube and thermal efficiency Andreas Lubitz Andrew Carnegie Andrew Dessler Andrew Glikson Andrew Harvey Andrew Watson ANDROID Android project titles ANGLE OF HEEL-TURNING ANGLE OF HEEL-TURNING.ppt angle seat valve anglegrinderhack Animation projects animation stand anomalies anomaly Anomaly Detection Antarctica antenna Anthony Esolen Anthony john Wharton Anti-counterfeiting ($\text{Anti-Counterfeit}$) Apple Applied Heat Applied Mechanics Aquinas architecture archive Arctic Arctic Methane Emergency Group Arctic Ocean area AREA LEAD ENGINEER JOB Aristotle Arizmendiarrieta armed robbery and other acts of violence against merchant shipping art Arthur Eddington artificial intelligence As you are aware MEO Class IV (B) on line examinations Ashley Furniture Ashley Madison Asperger's syndrome Assembly assigned summer freeboard ASSIGNMENT OF FREEBOARD ASSIGNMENT OF FREEBOARD.ppt At max.continuous rating with engine running steadily ATF Atlantic Atlantic Ocean ATTEMPERATOR. augmented reality augmented-reality game Augustine Auschwitz Auto parts auto safety AutoCAD AutoCAD Plant 3D Automated Assembly Automated assembly lines Automated Design Automated Production Line Automatic conveyor belt Automatic Machinery automation automation system AUTOMOBILE automobiles automotive industry automotive safety autonomous car autonomous vehicle autonomous vehicles autopilot AutoPLANT Job Auxiliary Machinery average aviation Azim Shariff Azle Babcock_M21_boiler babcock_wilcox Bach backscatter X-ray technology backup Baffin Island ball valve BALLAST AND BILGE PUMPING AND DRAINAGE ARRANGEMENTS Ballast water exchange procedures and their problems band saw BANK JOBS BANK RECRUITMENTS banking Barrow Barry Diller barstool BASE jump baseline basic definitions for an engineer Basic definitions of engine construction Basic Electrical Objective questions Basic Electrical Objective questions on transformer basic engine definitions Basic Pneumatic Training Course Basic principles of marine engineering Basic principles of ship propulsion Basic principles.ppt Basic Properties of petroleum and its hazards Basic Thermodynamics gate notes Basic Thermodynamics Lecture Notes BASIC_MARINE_ENGINEERING BASIC_MARINE_ENGINEERING free download Basic_Ship_Theory_5E_VOLUME1 Basic_Ship_Theory_5E_VOLUME2 BASIC-MARINE-ENGINEERING Basics of Centrifugal pumps Basics of Heat Exchanger basics of mechanical engineering.basics which everyone has to know. basics.mworld battery explosion Beare_Technology_-_Innovative_Engine_Design. Beaufort Sea beautiful lie Beethoven Ben Simons Bering Strait Bernie Sanders Big Data Big Three Bill and Melinda Gates Foundation Bill McGuire Bill McKibben Bin Picking Bio instrumentation Project titles BIO signal Project titles BIO-TECHNOLOGY BIOINFORMATICS BIOMEDICAL biometrics Biometrics projects birth control birth control chip bit hydraulics Bit Technology bitcoin black box black carbon black engineers black history BlackBerry blackout blackout or ship's alternator inside blow though Blow Through Boiler Gauge Glass blr_feed_water_treatment blr_refractories Blue Coat Systems blue LED blue light Blue Ocean BMW BNSF body cameras boiler BOILER AUXILIARY COMPONENTS boiler blow down and auxiliary engine centrifugal pumps and more Boiler epariksha questions Boiler Fuel oil system boiler operator handbook BOILER TYPES boiler water treatment? Boiler_accesories BOILER_CONTROLS Boiler_feed_water_treatment Boiler_Mountings Boiler_Operator__s_Exam_Preparation_Guide Boiler_Operators_Handbook_By_Kenneth_E._Heselton_PE_CEM Boiler_refractories BOILER_TYPES Boilers and other pressure vessels BOILERS QUESTIONS FILL IN THE BLANKS / ANSWER boilertreatment bomb threat book publishing book sales books books4free booksforfree Boolean algebra Boston Molasses Disaster botnet Bottle Filling bottomstructure. Brahms brain research brain science Brake horsepower Brendan Eich bribery bridge gauge Bridge team management A practical guide by Captain A J Swift FNI British thermal unit Brooke Melton Bruce Schneier building code building codes bullying Bunkering Operation on ships Buoyancy & Hookload bureaucracy business ideas cable TV CAD CAD program CAD programs CAD Software CADWORKS calcium carbide calibration California Department of Motor Vehicles California Public Utilities Commission calorific value Canada Cantal Capesize Capping Machine capture car bomb car infotainment system car pc Car Restoration carbon carbon capture carbon dioxide carbon monoxide carbon tax Carburetion and Fuel Injection CAREER Cargo hold coatings recommended working procedures CARGO PUMPS.doc CARGO TANK VENTING ARRANGEMENTS Cargo Ventilation by david anderson and daniel sheard case automation casing and cementing CAT 2014 Questions Causes of static electricity CAUSES OF STATIC ELECTRICITY.doc Cave of El Castillo Cavitation Cavitation in pumps Cavitation why it occurs CAVITATION.doc CB&I Job CDC CDR cellphone cellphone tracker cellphone tracking censorship Center for Medical Progress Center of Excellence for Engineering Biology Central cooling System Centrifugal Pump Characteristic Curves Centrifugal Pump Classification by Flow Centrifugal Pump Components Centrifugal Pump Fundamentals Centrifugal pump principles and working procedure Centrifugal Pump Protection Centrifugal pumping operation CENTRIFUGAL PUMPS Centrifugal Pumps Characteristics Centrifugal pumps construction CENTRIFUGAL PUMPS In Detail CENTRIFUGAL PUMPS In Detail By P.K.Nagarajan Centrifugal-Compressor-Operation centripetal force.ppt certificates and documents to be carried Certificates of Competency (CoC) CFC CGI CH4 change changed Chapter_1__Introduction_to_Mechanisms Chapter_2__Mechanisms_and_Simple_Machines Chapter_3__More_on_Machines_and_Mechanisms Chapter_4__Basic_Kinematics_of_Constrained_Rigid_Bodies Chapter_5__Planar_Linkages Chapter_6__Cams Chapter_7__Gears Charles Krauthammer Charles Tandy Charleston Charlie Miller Chartres Cathedral Checks to be made while running an diesel generator CHEMICAL chemical fire chemical safety Chemical Safety Board chemical tankers and gas carriers. CHEMICAL_DOSING_UNIT Chet Kanojia Chicago children and media chlorofluorocarbon Choke Valve Chris Vasalek Christopher Alexander Christopher Harper-Mercer Cindy Snodgrass circadian rhythm CIVIL civil engineering Civil projects class CLASS 2 questions topic list.doc class iv class iv checklist class iv epariksha pattern questions Class IV Marine Engineer Officer (Applied Mechanics) question papers class iv orals Class-2-Orals Class-2-Orals mmd exams classical music classIV clathrate clathrates clean Cleburne Cliff Frohlich climate climate change climate plan Climate Summit Clive Thompson cloud cloud computing CME CNC CNC machine CNC milling machine CO CO2 Coatzacoalcos Code of practice for the safe loading abd unloading of bulk carriers code of safe working practice for australian seafarers Code of safe working practices for merchant seamen Cody Wilson coils COLD WORKING Cold_Hot_Working_Annealing collapse combination carriers combustion comedy film Command and Control common carrier communication studies COMP- PROJ-DOWN Comparision of 2 and 4 stroke COMPARISON OF STABILITY OF A SHIP IN THE LIGHT AND FULLY LOA.doc compatibilism compile xbmc Complete disassembly Component of a pneumatic system comprehensive Compressed air preparation computer game computer science COMPUTER SCIENCE PROJECT DOWNLOADS COMPUTER(CSE) concentration Condition Monitoring Conduction Conduction and Radiation. CONFERENCE conflict of interest Congress Congressional mandate connecting rods conscientious objector conservative CONSTRUCTION - ALL SHIPS Construction and testing of watertight bulkheads Construction and testing of watertight decks construction cranes construction industry Construction Job Construction Methods construction of a tail shaft Consumer Product Safety Commission Container shipping: impact of mega containerships on ports in europe and the med Container stowage plans container terminals and cargo systems Containership continue contraception control Control Room control CONTROL VALVE controller Convection easy understanding Convert Speakers to Free Electricity copyright copyright laws Cordaro cornfield meet coronal mass ejection corporate culture Correcting an angle of loll.ppt corrosion found in the boiler and feed systems corrosion inspection Corrugated Board Corrugated box corrugated boxes Corrugated cardboard boxes Corrugated paper cortex m4 Counter flow CPUC crack detection ($\text{Cracks}$) Craft Crafting Craig McCaw crane collapse CRANE MAINT.ppt crank_shaft Crankcase questions crankshaft Crankshaft and camshaft crankshaft_construction crash Create Free Energy at Home Criminalization of Seafarers: Defining the Problem and Seeking Solutions critical service Cross flow Crude oil washing COW CRUDE OIL WASHING.doc CryoSat CTXgamma2000TC current currents CURRICULUM OBJECTIVES CURRICULUM OBJECTIVES for marine engineers Cyber ​​Attacks cyberattacks cyberbullying cyberwarfare cyclone cyclones cylinder head questions Cylinder liners questions Cylinder lubrication Cylinder lubrication of two-stroke crosshead marine diesel engines Cylinder_Combustion cylinderheads D J Eyres DAMAGE TO EXHAUST GAS BOILER Damascus incident Damascus nuclear accident Dan Gillmor Dan_B._Marghitu_Mechanical_Engineers_Handbook. dangerous Daniel Kieve Daniel Sarewitz Danish Load mark Danny Crichton dark web Darren Wilson Data and Goliath Data mining Projects date David Cameron David Keith David Spratt DCCC DDOS attack Deadweight death Debbie Sterling debian wheezy decade Deck Mark decks and inner bottoms decline Deep Blue deep web defeat device DEFECTS IN WELD Deformation detection ($\text{Deformation}$) Democratic Congressional Campaign Committee Democratic National Committee Department of Commerce depression depth Describe a governor Descriptions of Fluid Flows design DESIGN ENGINEER JOB Design guidelines Design Principles Design projects Design_Of_Machinery_-_Robert_Norton_2Nd_Edition Design-Of-Ship-Hull-Structures-A-Practical-Guide-for-Engineers designer job destacking Destin Sandlin determinism Deutsche physik Dick Cheney diesel diesel engine Diesel Engine Combustion and fuel questions Diesel Engine Emissions Diesel Engine Fundamentals Diesel Engine Principle and Practice:Starting gear Diesel Engine Principle and Practice:Transmission systems Diesel Engines by A J Wharton diesel exhaust fluid DieselEngine_ReferenceBook Difference between Boiling Point and Melting Point Different Types of Pumps different types of starting circuits of diesel engines Different Types of Tanks digital clone digital privacy DIGITAL SIGNAL PROCESSING IEEE Project titles Digital Twin Directional Drilling disaster preparedness Discover the Ultimate Skills discovery discrimination Displacement display distinctive ships of 2009 Distress signals distress signals.doc diversity DIY DIY Gas Cooking DIY Project dmg mori DNC DNS do it yourself Do-it-yourself Donnie Dippel Dorsi Diaz Dot net projects Double hull tankers are they the answer? Downhole Motors Drafting DRC drift Drill Press Restoration drilling drilling fluid Drillstring Basics driverless car drone drone delivery drone regulation drone safety DRS drug laws DRV Dry docking pictures Dry docking.ppt drydock DRYDOCKING Drydocking_Inspection DRYOCK.ppt Dubai hotel fire duck tour duct keels and ventilators DUKW Dyn dynamic Dynamical stability e-books e-cigarette e-cigarette explosion E. J. Dionne Eagle early adopter earth faults earth faults equipment earth faults maintenance earthed system earthing on shaft earthquake earthquake engineering earthquake forecast earthquake forecasting earthquake prediction earthquakes East Siberian Arctic Shelf East Siberian Sea Ebola ebook EBOOKS eclipse ecocide ecology ECT ECV Ed Kyle Eddie Rodriguez Edge Selection Edward Snowden edX effective eGalax Egg Boxes egg cartons egg packaging egkrateia EgyptAir Flight 804 Einstein EIT exam Ekta Kalra El Nino El Niño Electric chainsaw for firewood Electric Reliability Council of Texas electric vehicle electric welding ELECTRICAL INSTALLATIONS ELECTRICAL MINI PROJECTS ELECTRICAL PROJECTS DOWNLOADS Electrical_Maintenance Electro Pneumatics Electro Technology electroconvulsive therapy Electrode Plate Stacking Electronic control common rail type fuel injection system electronic medical records electronic privacy electronic voting electronics hobby ELECTRONICS MINI PROJECTS ELECTRONICS PROJECT DOWNLOADS electroshock therapy Elektronika Industri Elementary Drawing Ellsworth Elon Musk Elsevier email email archive email bankruptcy embedded EMERGENCY BILGE PUMP EMERGENCY PROCEDURE ON BLACKOUT emergency-switchboard EMG PROJECTS Emily Leproust Emission and Control emissions emissions standards employment EMR enclosure encrypted encryption encyclical energy energy policy Engine Engine block manufacturing process Engine Control Engine Control by Fuel Injectors Engine Cooling Engine Disassembly Engine Lubrication Engine Piston Manufacturing Engine Protection engine repair engine room of a motor ship is ventilated engine suitable for a lifeboat Engine wont turn over to start ? engine_construction engineering engineering courses engineering education engineering ethics engineering ethics cases engineering ethics exemplar Engineering In the Headlines Engineering Job Engineering Knowledge (Steam) Engineering Knowledge I Engineering Knowledge II Engineering Knowledge(Motor) Engineering management Engineering Mechanics Engineering Mechanics basics Engineering Mechanics for gate Engineering Project Engineering projects engineeringbooks Engineers Without Borders engines environmental engineering Environmental Protection Agency EPA epariksha epariksha bearing questions epariksha exams. epariksha for class iv epariksha online epariksha preparation notes Epariksha sample ERCOT Eric Schlosser eruption eruptions ESAS Especially written for the merchant navy essay grading Ethical and Otherwise ethical exemplars ethics ethics blog collection EU European Union Event-based exam_papers_Question_Papers_mmd Examination of Engine Drivers of Sea-going Ships Examination of Engineers of Fishing Vessels(Motor) EXAMINATION OF MARINE ENGINEER OFFICER ENGINEERING KNOWLEDGE (GENERAL) EXAMINATION SYSTEM FOR MARINE ENGINEER OFFICER Exams exams at india mmd Excel Download Exhaust and inlet valves EXHAUST GAS BOILER Exhaust gases Existing Ships expert system exploding airbags explosion extent externality extinction extreme extreme weather extremism Exxon Mobil F-150 F-150 brake F.W_FLOW_CONTROL_VALVE. FAA Facebook factories factors affecting the shape of the curve of statical stability factory Facts fail close failure fall Familiarization of Digital Multi meters and Analog Multi meters family Family Hub family meals Fans and Blower design Fashionisto fasting faultline FBI FCC FDA February Federal Emergency Management Agency Federal Radio Commission feeback feebates feed system feed water management feedback feedbacks Ferguson fertilizer Fertilizer Institute Fiat Chrysler Auto Field Piping Engineer FIELD_INSTRUMENT(LT final year projects financial fraud fire and ignition point fire code fire hazard fire investigation fire safety Fire_Protection fireworks First Law of Thermodynamics first responders FIRST robotics competition Fixed_CO2_Extinguishing_System flame arrestor flame screen flame speed FLAMMABILITY and flammable limits flash-back flashpoint of oil flat-screen TV Fleet Management Flexible Manufacturing Systems (FMS) flight recorder Flint water crisis Flirtey flood Fluid dynamics Fluid Machinery Fluid Machinery basics and lecture notes Fluid Mechanics fluid mechanics lecture notes online Fluor Job fm radio FOOD TECHNOLOGY Ford Fort Worth fossil fuel four_stroke_piston Fourth Amendment fracking fracking and earthquakes fractured fracturing Fram Strait free cooking gas from speakers Free Electricity Free Electricity from Earth Free Energy Free Energy Generator Free Energy Spring Engine Free Generator FREE IEEE 2014 project Free IEEE Paper FREE IEEE PROJECTS free will FreeCAD freedom freedom of information French Alps French Revolution frequency allocation Fresh water cooling systems return Fresh Water Generator or Evaporator (Alfa Laval Type) Friedemann Freund Friedrich Hayek FSS) Fuel Injectors Fuel System fuel_injector Fully automated systems Functions of Ships Main Engine Thrust Block Fundamental of MAN BW Common Rail Fuel Injection Fundamental of Sulzer Common Rail Fuel Injection Fundamentals of machine design FUNDAMENTALS OF METAL FORMING fusable link fusion power fusion reactor G-Electric_Charge G. K. Chesterton Galaxy Note 7 Galaxy recall Garage Gary Houser Gary Salton gas over oil Gas Power Cycles Gas Welding Process GATE gate Engineering Mechanics gate fluid mechanics online gate heat and mass transfer gate industrial engineering gate Introduction_to_Turbulence notes gate KINEMATICS OF MACHINES gate Material Science gate notes online gate Refrigeration and Air Conditioning Notes GAte scorecard gate Strength of Materials Notes gate study material gate study notes gate valve gateMaterial selection and Design Notes Gates Foundation gauge glass GearMaking General Engine Protection General Engineering Science General Mills General Motors General Problems Troubles in boiler Generative Design generator crankshaft renewal Generators genetic engineering Genius genius techniques genocide GeoCosmo geoengineering geomagnetic storm George Parkin Grant Germanwings Given Imaging Giving Pledge glaciers global global competition global warming Glossary of nautical terms Glossary_of_nautical_terms GM GM ignition recall GME_competence Go Gold King mine Golden Rule GoldieBlox Google Google Glass GoPro GoPro Mountain Games governor GOVT JOBS gpio GPS Graduate Piping Engineer Grand Mosque Green projects greenhouse gas greenhouse gases Greenland grid Gross Register Tonnage GSM BASED Guardians of Peace Guest authors Guide_to_ship_sanitation guidelines to mmd exams at india Gulf Stream gun control Gutenberg Guy McPherson GWP habitat hackers hacking Haiti earthquake hajj ham radio HANDBOOK ELECTRICAL ENGINEERING CATHODIC PROTECTION.rar HANDBOOK_ELECTRICAL_ENGINEERING_CATHODIC_PROTECTION Happy Friendship Day hard drive hardback books HarleyDavidson Rim Harold Hensel Harpo Harris Corporation Harvard hashtag Hatch cover maintenance and operation by david byrne havoc Hazards of Compressed Air HBCU Health Information Technology For Economic and Clinical Health Act heat Heat and Mass Transfer Lecture Notes Online.Heat and Mass Transfer Notes for gate heat caused by friction in the bearings Heat Exchanger heat index Heathrow heating heatwave heavy metal Hegel Henry Adams Henry Ford Henry Petroski High high cycle high pressure high suction HIGHWAY History of oil transportation at sea Holds and hatch covers by A.Bilbrough and Co ltd hole hologram Home made HomeMade homemadetoolsideas Honda Horsepower HOT WORKING hoverboard hoverboard fires How a mechanical seal works How alternating current is produced onboard How Are Emissions Regulated? how bourdon pressure gauges work How Can We Control Diesel Emissions? how containers are loaded how different compressors work How does a clamp meter work How Does an Air Conditioner Work? how does it control engine spend? How does Welding damage Eye sight? how electric welding is carried out how to how to blow through a boiler How to build a hydraulic directional control valve how to make How To Use a Clamp meter? How_a_Rotocap_Works HUll FORM Hull forms Hulu Human Genome Project human rights Out of sight Humana Group Medicare humidity hurricane Hurricane Katrina hydrate hydrates hydraulic fracturing hydraulic override hydrogen hydrogen as an I.C.Engine fuel hydroxyl I Opt I see the problem IASI IC Engine IC Engine Performances ICANN ICAO ICCP ICCP system ice iCloud Identify various capacitors and understand their specifications IEEE 2014 projects ieee 2015 projects IEEE code of ethics IEEE computer science projects IEEE Paper IEEE PAPER 2015 ieee project titles IEEE projects IEEE Transactions IES IAS 20 Years Question Answers ignition switch ignition-switch recall Igor Semiletov illusion of safety imagine immortalist immortality IMO latest amendments imoconventions Impact Team Importance of maintaining log book records during a watch important points about centrifugal pumps cavitation Impressed Current Cathodic Protection System in detail about the engine type and code 6S70MEC IN-TANK_HEATER_FOR_F.W_FILTER_TANK India india shipping for exams INDUSTRIAL Industrial Application of Pneumatics Industrial Automation Industrial Electronics Industrial Engineering Lecture Notes for gate Industrial Engineering S K Mondal’s Notes industrial mold Industrial Plant industrial revolution Industrial Robots Industrial Switches industrial valves industry Inert Gas Generator Manual INERT GAS SYSTEM Inert Gas System IGS Complete Information Inerting information provider information wants to be free infrastructure Initial stability refers to stability ? Inner lubrication and pulse jet lubrication INNOVATIVE PROJECTS Inside Out Instagram instruction to Online Seat Booking For Examination instrument Insulated and earthed neutral system insulated system Insulation insulation tests insurance interchangeable INTERFACING Internal Combustion Engine Cycles of Operation International Maritime Dangerous Goods 2004 Edition International safety management code internet Internet governance Internet of things internships Interstate Highway System interview Intro_to_Marine_Engineering_D.A_Taylor_Revised_Second_Edition Intro_to_Naval_Architecture_3E Introduction to IC Engines and Air Pollution Introduction to IC Engines and Air Pollution gate notes Introduction to IC Engines and Air Pollution Notes Introduction_to_Marine_Engineering_(2nd_ed.)_TAYLOR Introduction_to_Naval_Architecture_(3rd_ed.)TUPPER Introduction_to_Turbulence for gate invisible man ion mobility spectrometry IoT iPad IPCC iPhone Iron Dome IRS scandal ISAC ISIS ISMcode isostatic rebound ISP ISPS Guidence to ship security plan Israel-Hamas conflict Israeli Defense Force IT IT LIST ITER iTunes IVCRF J. P. Moreland JAARS Jacket water Cooling Jacques Barzun James Hansen Japan Jaron Lanier Java projects Jean Harlow Jen Hatmaker Jennifer Francis Jennifer Hynes Jerome Lemelson Jet Propulsion jet stream Jewish physics Jim Pettit Joaquin jobs Joe Carson John Cornyn John Davies John Lennon John Nissen John Robison JOKO ENGINEERING Joshua Brown Joshua Schulz Joy Hirsch judgment June 28 justice K.VENKATARAMAN. Marine notes Katasi Kathleen Vohs Katrina Ken Kanojia Kenefic Kennedy assassination kernel rebuild keyring Kim Jong Un Kindle KINEMATICS OF MACHINES for gate KINEMATICS OF MACHINES notes online for free Know_and_Understand_Centrifugal_Pumps Knowing and using the ILO and IMO instruments for the well-being of Seafarers and Fishers (on board and ashore) kodi Kolkata overpass collapse Kurt Cobain Kyle Kacal Kyoto Protocol labview projects Ladder diagram Ladder Logic Simulator Ladsim Lagrangian Description landslides Langdon Winner Lantern Ring Laptev Sea Large Diesel Piston Larger diesel engines are often equipped with two lubricating systems Larry Ellison Larry Walters laser Laser Welding late adopter latent heat Latest Development in Engines LATEST TECHNOLOGY Lathe Lathe construction LatheMachine Laudato Si law enforcement Lawrence Lessig laws lawyers LAYOUT ENGINEER JOB Le Corbusier lead lead pipe Lead Piping Engineer learn center for epariksha. Learn Piping LEDs Lee Sedol legal legislation Lemelson Foundation Leonard Nimoy Leonid Yurganov levels levonorgestrel libertarian licensed professional engineer lid lie detector lifespan light exposure lightning Lightweight Likert scale limit limit switches linear linux list of project centers list of rights of women seafarers List-of-Certificates-and-Documents-required-on-Board lithium-ion battery living wage LNG DUAL FUEL ENGINE Load criteria for ship structurak design Load Line Length Loadline Mark Location and separation of spaces logbook Lois Lerner Lone Ranger longevity Look Me In the Eye loops Los Alamos National Labs low Low cost projects low suction low suction and high suction sea chest lowest LR Scantling Length Luby's Lucy Lysenkoism m.com M/E Machine Learning Machine Vision System Machined V8 Engine Block Machinery machinery CNC Machinery's_Handbook_27th_Edition MachiningProcess Mackenzie River Made of PVC pipe Magpie Main Switch Board(MSB) Safeties mainengine Maintenance_Engineering_Handbook_by_Lindey_R_Higgins_R_keith_Mobley Malaysia Airlines Flight 370 Malcolm Light Malfunction and troubleshooting for diesel engine malware MAN BW K/L/S80-90MC manager Manila Amendments New Requirement Changes mantle methane manual override manufacturers manufacturing manufacturing engineering Manufacturing of brake disc Manufacturing of Integrated Circuits Manufacturing of Plastic Bottles Manufacturing Process Marcel Proust Marilynne Robinson MARINE MARINE ELECTRICAL KNOWLEDGE QUESTIONS ANSWERS Marine Engineer Officer (Applied Mechanics) - Class I Marine Engineer Officer (Applied Mechanics) - Class IV Marine Engineer Officer (Electro Technology) - Class I Marine Engineer Officer (Electro Technology) - Class II Marine Engineer Officer (Electro Technology) - Class IV Marine Engineer Officer (Engineering Drawing) - Class IV Marine Engineer Officer (General Engineering Science 1) - Class III Marine Engineer Officer (General Engineering Science 2) - Class III Marine Engineer Officer (Heat Engines) - Class I Marine Engineer Officer (Heat Engines) - Class IV Marine Engineer Officer (Mathematics) - Class IV Marine Engineer Officer (Mechanics and Hydromechanics) - Class II Marine Engineer Officer (Naval Architechture) - Class I Marine Engineer Officer (Naval Architechture) - Class II Marine Engineer Officer (Ship Construction and Stability) - Class IV Marine Engineer Officer (Thermodynamics and Heat Transmission) - Class II Marine Engineer Officer Question Papers Marine Engineer Officer Questions Papers (Electro Technology) - Class IV Marine Engineer Officer(Marine Engineering Practice) - Class II Marine Engineering Knowledge (Steam) - Class IV Marine Engineering Knowledge 2- Class III Marine Engineering Knowledge I - Class III Marine Engineering Knowledge(General) - Class I Marine Engineering Knowledge(General) - Class II Marine Engineering Knowledge(General) - Class IV Marine Engineering Knowledge(Motor) - Class I Marine Engineering Knowledge(Motor) - Class II Marine Engineering Knowledge(Motor) - Class IV Marine Engineering Knowledge(Steam) - Class I Marine Engineering Knowledge(Steam) - Class II Marine Engineering Practice - Class IV Marine Growth Preventing System Marine Insurance and claims Marine Safety’s Service Standards Marine_Auxiliary_Machinery_7th_ed._-_H._McGeorge_(1995)_WW Marine_Auxiliary_Machinery-McGeorge_7th_edition Marine_Diesel_Engine_(_GME_Competence_6) Marine_diesel_engine(dual) Marine_Diesel_Engines_and_Gas_Turbines_(8th_ed.)WOODYARD Marine_Diesel_Engines_Gas_Turbines_8E_by_POUNDER MARINE_ELECTRICAL_KNOWLEDGE Marine_Electro_Technology orals Marine_Emergency_Response_and_Communications Marine_Engineering_Class-3 Marine_Engineering_Knowledge_General orals Marine_Engineering_Knowledge_Motor orals Marine_Engineering_Practice Orals marinebooks marineengineer marinenotes mariner Mariner's_Handbook_2004 marinerboo Maritime Decarbonization Maritime Practice In India By Shrikant Hathi and Binita Hathi Maritime Safety and legislation breathing apparatus Maritime Safety and legislation command and control Maritime Safety and legislation extinguishing agents and portable extinguishers Maritime Safety and legislation fire detectors Maritime Safety and legislation fire hazards in the engine room and various parts of the ship Maritime Safety and legislation Fixed co2 Extinguishing Systems Maritime Safety and legislation Fixed Extinguishing Systems Fire mains and fire hydrants hoses Maritime Safety and legislation Fixed Extinguishing Systems sprinkler and hi fog systems Maritime Safety and legislation fixed foam systems Maritime Safety and legislation ship construction Maritime transportation safety management and risk analysis by Svein Kristiansen Mark Hood Mark Jacobson Mark Z. Jacobson Mark Zuckerberg Marks'_Standard_Handbook_for_Mechanical_Engineers Markus Persson MARPOL Mars One Marshall McLuhan Martin Ford Mary Barra Mass Production Mechanics mass shooting mass surveillance Master Sketch Masters guide to shipboard accident response Material Acceleration Material Engineer material handling Material Science Notes Material Science Notes for gate Material selection and Design Notes for gate materials used to make cylinder line math Matlab codes MATLAB PROJECT TITLES MATLAB PROJECTS maximum MBA MBA 2015 projects MC-C MCA McDERMOTT Job MCHM MDS JOB ME mean meant by thermo dynamic Measures to counter piracy measuring specifi gravity Mecca Mechanic MECHANICAL mechanical efficiency MECHANICAL PROJECTS DOWNLOAD MECHANICAL PROPERTIES mechanical properties of a material.mechanical properties Mechanical Seal Types Mechanical Seals MECHANICAL_SCIENCE_vol1 mechanism Mechatronics MEK MEK GENERAL ORALS MEK MOTOR ORALS melt melting meltwater MEO Applied Mechanics MEO Applied Mechanics Question Papers MEO Class 4 Oral Questions MEO Class IV MEO Examination Class iv checklist MEP MEP Orals Mercedes-Benz merchant merchant navy Merchant ship construction by H J Pursey extra master mercury-vapor lamp MET MET ORALS MET_MEP_MEK Metal arc sprayer methane methane monster methanol methanol as motor fuel methanol economy metldown MetOp MGPS system on ships Michael Brown Michael Mann MicroCHIPS Microsoft microstampin MICROSTATION Milling machine mind reading Minecraft MINI PROJECTS mini_train minimum minions misery index mission to Mars Mississippi Power MIT MMD MMD E-Pariksha mmd exam papers mmd india mmd online booking. mmd oral questions mmd orals mmd question papers Mo. mobile phone Model Question Papers Model S modeling modelling projects Mondragon monetize Montreal Protocol Moore's Law moral authority moral law moral limits moral reasoning morality Motherboard Motion Study Motor Cooling system questions motor fuel Motor_EK_notes_by_Glassgow_UK MotorcycleMachining moving stall MP3 MP3 cutter Mp4 Mr. Spock Multi stage centrifugal pump multi-year music and technology Nagoya Nakamura NASA Natalia Shakhova Nathan Currier National Highway Traffic Safety Administration National Highway Transportation Safety Administration National Institutes of Health National Rifle Association National Science Foundation National Security Agency National Sheriffs' Association National Society for the Prevention of Cruelty to Children Nautical Terms Naval architecture Naval_Architecture_Ship_Construction navigation Navigation Rules International Inland Navigational calculations Navit Navy Terminology NCIIA NEMA NERC NET net neutrality Net Positive Suction Head Net Register Tons network effect network neutrality Networking topics New York Newark NHTSA Nick Breeze Nick Holonyak Nick Paumgarten NIH Nina Pham Nintendo Nitriding NOAA Nobel Prize nonpracticing entities North Korea North Pole North Seattle College Notes on ship handling NPE NRA ns2 projects NSA NSBE NSF NSPE NTSB nuclear accident nuclear energy nuclear power nuclear power plants nuclear reactor nuclear safety nuclear waste nuclear weapon NYPD X-ray van Obama Obamacare OBD-II port Objective questions for e pariksha class iv mmd exams objective questions for epariksha Objective questions on boilers Oc ean ocean ocean heat odd north east ODI ODMCS OEM oil and gas management Oil cooling Oil tanker operations in detail OIL_BURNERS OIL_DETECTOR_FOR_FEED_WATER_TANK. old to new oldest color videotape olivine omnicide On-line examination for MEO Class IV (B) online booking at mmd online epariksha online exam for class iv Online GATE Mock Exam online jobs OPEC open access open hearth process of steel manufacture opencarpc openElec openocd Openstreetmap Operation of a Governor OPERATION OF INERT GAS SYSTEM Operation of the Governor OPERATION_AND_MAINTENANCE_OF_AUXILIARY_BOILERS Oral questions for exams of mmd orals for class iv Orbital Sciences ordinary flyweight type organizational engineering Örjan Gustafsson Orville Redenbacher out of mind. Overspeed Trip Test Device ownership ozone Pacific Pacific Gas & Electric packaging Panhandle paper box Parallel flow Parallel midbody Paris Paris Agreement Part ‘B’ Part design Particulate Materials parts handling password patent examiner patent law Patent troll Patrick McNulty pattern language Paul Beckwith Paul Debevec PBS PDF Download PDMS pdms admin PDMS Command PDMS JOB PDMS Material pdms piping designer job PDMS TRICKS PDMS Video PDNS PDS PDS JOB PDS piping designer PE license PE licensing peak peat Pemex Peoples Climate March permafrost personal photos Personal Safety on ships Peter Wadhams petrochemical PG&E Philadelphia train wreck philosophy and technology physical test of boilers PHYSIOLOGICAL MODELLING projects physiotheraphy Projects pickup pieces pilgrimage pingos Pipe bending machine Pipe Rack Pipe Support PIPE SUPPORT DESIGNER pipeline Pipeline Designer Piping Piping Calculation PIPING CHECKER Piping Data Piping Design Engineer Piping Design system Piping designer Piping Designer Job Piping Draftsman Job Piping en Piping Engineer PIPING ENGINEER JOB PIPING JOB piping layout Piping Layout Engineer Piping lead Piping News Piping standards Piping Stress Engineer PIPING SUPERINTENDENT Piping Supervisor Job Piping Tips Piping Video piston_ring pixels plan planned obsolescence Planned Parenthood Planned Parenthood vs. Casey Plant Plant Engineering Plate PLC plumes plutonium plutonium foam Plymouth University PMC pneumatic actuator Pneumatic Applications Pneumatic complete lecture note Pneumatic Cylinders Pneumatic tutorial problems Pneumatics and Hydraulics Pokémon Go Polar vortex police pollution Pollution prevention polygraph polynomial Pope Francis Port State Control a guide for members Positive Train Control power assist brakes Power electronics power grid power system projects Power to the people ppb Practical_Marine_Electrical_Knowledge Practice EPariksha Online MMD Final Exams pre-industrial pre-industrial levels Precautions to be taken when blowing down a boiler precision manufacturing Predictive Maintenance Predictive Maintenance ($\text{PdM}$) Preheater presentation President President Obama PRESS__TEMP_SENSOR PRESS__TEMP_SENSOR_LOCAL_GAUGE_BOARD pressure pressure gauges prestressed concrete Prevailing Wind Preventing Cavitation Prevention of Earth Faults equipment and maintenance previous question papers Priming Centrifugal Pumps Principal Piping Engineer principle Printers printf Printing Printing Technology privacy privacy rights procedure taken before dry-docking a vessel process process control Process data PRODUCTION production engineering Production Method Production Techniques Programing PIC microcontrollers project centers project downloads prolife Prop Shaft propeller Propeller shaft earthing system Prosthesis projects PROTECTION AGAINST POWER LOSS Protection and Maintenance protocol PSN Jobs psychological objectivity PTC publican PUMP purifiers push button PVC pyrite QuakeFinder Quarter 1 Quarter 2 Quarter 3 Quarter 4 Question and answer for master oral examination question papers Questions on Bearings questions papers rack and pinion radio Radio Shack radium girls Rafael RAILWAY RECRUITMENT 2012 Rana el Kaliouby raspberry pi raspberry pi 2 raspbian rational objectivity Ray DeGiorgio Ray DiGiorgio Raytheon RC Airplane RC Crane Machinery RC dump truck RC Truck MAN TGS 8x8 1/10 Scale 100% rds rebar recall Recent RECENT TECHNOLOGY RECENT TECHNOLOGY LIST Reciprocating Compressors Reciprocating Pumps Reclaiming Catholic Social Teaching recombinant DNA record RECRUITMENT red LED red-flag law red-light cameras Redflex reflectivity Refrigeration and Air Conditioning gate notes Refrigeration and Air Conditioning Notes refrigeration cycle using this cycle diagram Refrigeration-and-air-conditioning refrigerator regulation Rehabilitation projects reinforced concrete release removal renewable renewable energy renewable power repair Repair and Maintenance of Centrifugal Pumps repurpose Residual Stress In Weld Resistance Seam Welding Resistance Spot Welding resistive Resistor Color Code Identification Resistor Colour Coding Resistor Colour Coding online Calculater respiration projects restoration restore RESUME FORMAT. retransmission fee retransmission fees reversing mechanism review Review of maritime transport Revival Richard J. Foster Ring Of Fire Ring Of Ice Ring Tone Cutter rise Rob Howarth Robert Zubrin robot moral reasoning robotics Robotics and Automation Robotics projects. Robots in medical rocker_gear_and_valves Roelof Schuiling Roger Scruton Rolex Roman Catholic Church Ronald Falcon Scott Rosalind Picard Ross Ulbricht Ross William Ulbricht Rotary Compressors rotary encoder Rotational molding process rotex Royal Society RSArctic14 rumor mill runaway runaway global heating runaway warming Russia safe Safety safety code SAFETY COMBUSTION CONTROLS safety regulation safety system SAFETY_COMBUSTION_CONTROLS Salado bridge collapse Sally Yates sam carana SAMPLING_COOLER Samsung Samsung recall San Bernardino attack San Bruno explosion sandwich panels satellite tracking saving science SCADA scanner Scavenge air cooler scholarships/loans for engineering students Sci-Hub science and technology studies scienceproject Scientific American scope scope in india scotch yoke Scott Tibbetts SCS sea sea ice sea level sea level rise sea surface sea surface temperature sea surface temperatures Sea water cooling seabed Seabees Seafarers seafloor seal Seam Welding seatbelt Seattle crash Second Law of Thermodynamics Secret Power of the Earth security security camera sediments self-advertising self-driving car self-reinforcing Sen. Ted Cruz SENIOR PIPING DESIGNER sensitivity Sensor separators sequestration shaft shaft earthing system Sheet Metal Work using SolidWorks Sheila Jasanoff Shielded Metal Arc Welding: (SMAW) Ship construction ship design Ship design lecturer notes for marine engineers SHIP FACTORS THAT AFFECT MANOEUVRING Ship inspection report SIRE programme vessel inspection questionnaries for oil tankers Ship measurement deadweight or displacement Ship Nomenclature Ship Operation Ship Security Alert System SHIP STABILITY AND BUOYANCY Ship to ship transfer guide petroleum third edition 1997 International chamber of shipping oil companies international marine forum Ship to shore .. a practical guide to coastal and marine interpretation Ship_Construction Naval Arch Orals Ship_Safey_Environment_Protection Orals ship-construction-sixth-edition-d-j-eyres ship's alternator Ship's Safety and Environmental Protection - Class II Ship's Safety and Environmental Protection - Class IV Shipboard oil pollution emergency plans Shipping companies address for mariners shipping companies in india Shipping industry guidance on the use of Oily Water Separators Ensuring compliance with MARPOL ships Ships electrical plant and distribution system for the A.C. generators Shot Peening shuttle tankers SI and CI Engines si4703 Siberia Silicon Valley Silk Road simplicity simulation Simulation engineering single collar thrust block Single entry centrifugal pump Single Phasing in AC Motors Singularity Siren Server Six stroke engine sizing Sketch-Based Feature skill skilled manufacturing Slate sleep cycles slushy Small Parts Handling smart guns Smarter Every Day Smarter Than You Think smartphone smartphone app smartphones smartphones and children smike smoke Smoot-Hawley tariff snow SO2 social construction social network jobs sodium azide sodium cyanide software software engineering Soil compactor Solar Dryer solar energy solar panels Solar projects solar storm SOLAS SOLAS International convention for the safety of life at sea solenoid Solid Plant 3DS SolidWorks SolidWorks settings SolidWorks teaching SolidWorks Tutorial SolidWorks tutorials some orals question for class iv Songs Cutter Sony hack Sony Pictures Entertainment soot sour gas South Pole SP3D JOB space exploration space flight SpaceShipTwo specific heat Speech-music separation-Abstract speed and drift speeding spiritual discipline spontaneous combustion Spoolgen sports camera Sprint Spyware SSAS SSEP SSEP Orals SST St. Francis stability formaulae in detail stability is determined by the relationship of the center of gravity and the ? stacking of parts stainless steel refrigerator standards Star Wars Starter Starting and Reversing Problems in Marine Engines Starting Circuits Starting Circuits of a generator Starting Circuits of an diesel engine Starting procedure of a generator engine State the difference between ME and MC engine State the difference between ME engine and RT flex engine? STATIC ELECTRICITY RELATING TO OIL TANKERS Statutory certificates and documents to be carried on board by all ships Steel industry steering wheel controls steering_gear_FF STEM Stephan's Law Stephen Salter Steve Case Steven Sherwood Stingray stm32f3 Stone crusher stoorm stop stop-arm violation camera storm storms STRENGTH of a welded joint Strength of Materials Notes by Prof. SATISH C . SHARMA Strength of Materials Notes for gate Stress Analysis STRESS CONCENTRATION IN WELD STRESS ENGINEER structural engineering Structural Optimization Structural strength STS Stuffing Box Stuxnet subliminal advertising submarine submarine patent Submerged arc welding: (SAW) submit question papers of mmd suicide sulzer Sulzer Common Rail Fuel Injection Systems summit Supercharging surface surface. temperature surge surveillance surveillance software surviving disaster the titanic and solas suspension problem Svalbard SWERUS-C3 switch detent plunger Switches synchronization syncing synthetic DNA Taiwan earthquake Takata take down the Internet talking cars Tanker safety Tanker safety guide liquefied gas Tapping machine tDCS Technical and operational update for bulk carriers Techno Fusion Techno Fusion HD technological unemployment TECHNOLOGY Technology Choices technology management tectonic plate TELE COMMUNICATION telegraph temperance temperature temperature anomalies temperature anomaly temperatures Terms Pertaining to ship structures terrorism Tesla Tesla fatality Testing gauge glass and water column tests in a sample of boiler water Tests of watertight doors Texas Ag Industries Association Texas City disaster Texas Department of Transportation Texas earthquakes Texas Health Presbyterian Center Texas Highway Department Texas Railroad Commission Texas State University Texas wind farms TEXTILE texting texting while driving thalidomide The 2 Stroke Crosshead Engine Piston The Curse of the Cloud The Death of Adam the ethics of invention The Free Surface Effect the great unraveling The International Association of Marine Aids to Navigation and Lighthouse Authorities The International Maritime Organization The Interview The Man In the White Suit the Mast The Merchant Shipping Acts and amendments in detail The Radio Technical Commission for Maritime Services The Russians Are Coming The Russians Are Coming The Snake Pit The Turnomat valve of the cylinder the upward pressure of displaced water is called The_2_Stroke_Crosshead_Engine. The_2_Stroke_Diesel_Cycle The_4_Stroke_Diesel_Cycle THE_AIR_STARTING_SYSTEM_HOW_AN_ENGINE_STARTS_ON_AIR The_Turnomat_Valve_Rotator THE-LEARNING-RESOURCE-for-marine-engineers-super-book the-turnomat-valve-rotator Thermal Properties of Engineering Materials Thermohaline Circulation thermonuclear fusion thickness Thomas Edison Thomas Eric Duncan Thorne Lay threat Three Methods of Analysis Three Types of Ship Structures Tianjin explosion timeless way of building Timex Timpson TMS tobacco politics Tom Wheeler TOP ENGINEERING COLLEGES Tor torque Torque & Drag Torstein Viðdalr touch screen touchscreen toxic waste Toyota traceability ($\text{Traceability}$) Tractor train wreck Trainee Job Training transcranial direct current stimulation transcranial magnetic stimulation transhumanism transhumanist transition Transparency ($\text{Transparency}$) Transportation Security Administration trend trolley troubleshooting antifouling paints Troubleshooting_and_Repair_of_Diesel_Engines truck engine assembly Truck Engine Repair Truck Starter truckdriver trucks trunks tsunami Tube and Shell tubulars tuk tuk tunnels Turbine Turbo-Charger | What Is Turbo Charger | Super Charger | Functions Of Turbo Charger | Turbo Charger Parts Turbocharger Deposits and Cleaning Turbocharging Turbocharging and Supercharging tutorial TV broadcasting TV in restaurants tweet tweets Twist Bioscience Twitter Two Stroke Cycle two_stroke_piston two-stroke crosshead marine diesel engines TxDOT Types of cargo pumps Types of Heat Exchanger Construction Types of Heat Exchangers Types Of Motor Enclosures Types of motor protection device Types of scavenging TYPES OF VALVES TYPES_OF_BOILERS Types_of_scavenging typhoon U. S. Environmental Protection Agency U. S. Geological Survey U. S. Naval Research Laboratory U. S. patent U. S. Patent and Trademark Office U. S. Supreme Court U.S. UAS ubuntu Ulysses Cephas Umpqua Community College UN Underwriters Laboratories United Nations Up With Authority upgrade urea US-JOBS usart Use 5 windshield wiper motors use of force useful for online epariksha utilitarianism V12 V2V Valve valve and valve gear valve and valve gear mechanism Valve Handbook valve_and_valve_gear valve-and-valve-gear valves valves are fitted to double bottom Valves in detail description vane Vanguard Vannevar Bush vaping vapor Variable geometry turbochargers vehicle-to-vehicle communications Veli Albert Kallio vent ventilation and gas measurement Ventilation of pump rooms and other enclosed spaces vents vessel's principal dimensions videos Vijg Viking ship VIN vinyl chloride Virgin Galactic Virtual Model virtue virus Vision System Visual navigation aids VLSI volcanoes Volkswagen volume volumetric efficiency voyage charter VTech VW VW emissions W. L. Craig Ward Leonard Speed Control System for a DC Motor warm warm water warming wartsila rta series washing machine Waste Isolation Pilot Plant water water detected in fuel oil Water hammer water supply Water to Gas water vapor water_pump WATER_WASHING_HOSE Water-ring primer wateranalysis Watertight doors watertreatment Watertube Boilers wave waves Waze wearable technology Wearing Rings weather weather routing a new approah weathering webcam Wei-Hock Soon weight on bit weld weld defects their causes and how to correct them weld inspection welded joints in detail Welding in detail welding process Welding-Question and answers-for-Students well planning wells West explosion West Fertilizer Company West fertilizer explosion West Virginia Westinghouse wet bulb What Are Diesel Emissions? What Are Hydrocarbon Traps? What are the angle for v engine and what is their maximum limit. what are the List of Stores on board What Causes Machine Vibration? what does WORK SHOP contains ? What is a cam less engine ? What is A Clamp Meter What Is a Diesel Oxidation Catalyst? What is a Hydrophore System ? What is a planimeter ? What is a Steam Trap? What is an Incinerator ? what is Conduction what is Convection What is Hot Well ? What is meant by Convection What is motor enclosure What is pilgrim nut ? and its use and purpose what is Radiation What is Ship Security Alert System (SSAS)? What is TEU ? What is the Difference between a Humidifier and Vaporizer? What is the Jacket Cooling Water Expansion Tank ? What is the length of crank web What is the meaning of indicator diagrams? what is water hammer What test is carried out wheezy Where is the expansion of main engine accommodated ? Who Owns the Future? Why are indicator diagrams taken ? why boiler treatment Wild Weather Swings wildfire wildfires William J. Watkins Jr. winch wind wind energy Windows XP winds winter WIPP wireless wireless car hack WMO women engineers women in engineering Woodward speed governor WordPerfect working working principle workplace safety World War II World War III WorleyParsons Job WWS X Factor xbmc xbmc 12 xbmc 12.2 xbmc frodo xbmc gotham Y2K Yale Brain Function Lab Yik Yak YouTube Zero-Emission Shipping