Temperature Based Fan Speed Control And Monitoring Using Arduino

Implementing temperature-based fan speed control and monitoring using Arduino is a practical and useful project for regulating the cooling system based on ambient temperature. Here's a detailed guide on how you can set up this project:

Components Required:

  • Arduino Uno
  • Temperature Sensor (e.g., LM35)
  • DC Fan
  • Transistor (e.g., NPN transistor like BC547)
  • Resistors
  • Breadboard
  • Jumper Wires

Circuit Setup:

  1. Connect the LM35 temperature sensor to the Arduino:

    • LM35 Vcc pin to 5V on Arduino
    • LM35 GND pin to GND on Arduino
    • LM35 Vout pin to an analog pin (e.g., A0) on Arduino
  2. Connect the NPN transistor to control the fan:

    • Connect the transistor base to a digital pin (e.g., D9) on Arduino through a resistor
    • Connect the transistor collector to the fan (+) terminal
    • Connect the fan (-) terminal to GND on Arduino

Code Implementation:

const int tempSensorPin = A0;
const int fanControlPin = 9;

void setup() {
  pinMode(fanControlPin, OUTPUT);
}

void loop() {
  int sensorValue = analogRead(tempSensorPin);
  float voltage = sensorValue * (5.0 / 1023.0);
  float tempC = voltage * 100.0;

  if (tempC >= 30) {
    analogWrite(fanControlPin, 255); // Turn the fan on at full speed
  } else {
    analogWrite(fanControlPin, 0); // Turn the fan off
  }

  delay(1000); // Delay to stabilize temperature readings
}

Operation:

  1. The LM35 sensor reads the ambient temperature, converting it to a voltage.
  2. The Arduino processes the voltage reading to determine the temperature in degrees Celsius.
  3. If the temperature exceeds a set threshold (e.g., 30°C in this example), the fan turns on at full speed to cool the environment.
  4. When the temperature drops below the threshold, the fan turns off to conserve energy.

Additional Features:

  • You can adjust the temperature threshold for fan control based on your requirements.
  • Implement LCD display to show real-time temperature readings.
  • Add IoT capabilities to monitor and control the fan speed remotely.

By following these steps, you can create a temperature-based fan speed control system using Arduino for efficient cooling and energy management.