• Skip to main content
  • Skip to primary sidebar

Homemade Circuit Projects

Need circuit help? Post them in the comments! I've answered over 50,000!

Blog | Categories | About | Contact | Calculators-online
You are here: Home / Water Controller / Ultrasonic Wireless Water Level Indicator – Solar Powered

DIY Circuits | Learn Basics | Arduino Coding




Ultrasonic Wireless Water Level Indicator – Solar Powered

Last Updated on January 31, 2026 by Swagatam 58 Comments

An ultrasonic water level controller is a device which can detect water levels in a tank without a physical contact and send the data to a distant LED indicator in a wireless GSM mode.

In this post I will show how to construct a ultrasonic based solar powered wireless water level indicator using Arduino in which the Arduinos would be transmitting and receiving at 2.4 GHz wireless frequency. We will be detecting the water level in the tank using ultrasonics instead of traditional electrode method.

Overview

Water level indicator is a must have gadget, if you own a house or even living in a rented house. A water level indicator shows one important data for your house which is as important as your energy meter’s reading, that is, how much water is left? So that we can keep track of water consumption and we don’t need to climb upstairs to access the water tank to check how much water left and no more sudden halt of water from faucet.

We are living at 2018 (at the time of writing of this article) or later, we can communicate to anywhere in the world instantly, we launched an electric race car to space, we launched satellites and rovers to mars, we even able land human beings on moon, still no proper commercial product for detecting how much water left in our water tanks?

We can find water level indicators are made by 5th grade students for science fair at school. How such simple projects didn’t make into our everyday life? The answer is water tank level indicators are not simple projects that a 5th grader can make one for our home. There are many practical considerations before we design one.

• Nobody wants to drill a hole on water tank’s body for electrodes which might leak water later on.
• Nobody wants to run 230 / 120 VAC wire near water tank.
• Nobody wants to replace batteries every month.
• Nobody wants to run additional long wires hanging on a room for water level indication as it is not pre-planned while building the house.
• Nobody wants to use the water which is mixed with metal corrosion of the electrode.
• Nobody wants to remove the water level indicator setup while cleaning the tank (inside).

Some of the reasons mentioned above may look silly but, you will find less satisfactory with commercially available products with these cons. That’s why penetration of these products are very less among the average households*.
*On Indian market.

After considering these key points, we have designed a practical water level indicator which should remove the cons mentioned.

Our design:

• It uses ultrasonic sensor to measure the water level so no corrosion problem.
• Wireless indication of water level real time at 2.4 GHz.
• Good wireless signal strength, enough for 2 story high buildings.
• Solar powered no more AC mains or replacing battery.
• Tank full / overflow alarm while filling the tank.

Let’s investigate the circuit details:

Transmitter:

The wireless transmitter circuit which is placed on the tank will send water level data every 5 seconds 24/7. The transmitter consists of Arduino nano, ultrasonic sensor HC-SR04, nRF24L01 module which will connect the transmitter and receiver wirelessly at 2.4 GHz.

A Solar panel of 9 V to 12 V with current output of 300mA will power the transmitter circuit. A battery management circuit board will charge the Li-ion battery, so that we can monitor the water level even when there is no sunlight.

Let us explore how to place the ultrasonic sensor at water tank:

Please note that you have to use your creativity to mound the circuit and protect from rain and direct sunlight.

Cut a small hole above the tank’s lid for placing the Ultrasonic sensor and seal it with some kind of adhesive you can find.

placing ultrasonic sensor in a water tank

Now measure the full height of the tank from bottom to lid, write it down in meters. Now measure the height of water holding capacity of tank as shown in the above image and write in down in meters.
You need to enter these two values in the code.

Schematic diagram of Transmitter:

ultrasonic transmitter connections for the water level control

NOTE: nRF24L01 uses 3.3V as Vcc do not connect to 5V output of Arduino.

Power supply for transmitter:

ultrasonic water level controller power supply design

Make sure that your solar panel’s output power i.e. output (volt x current) is greater than 3 watts. The solar panel should be 9V to 12V.

12V and 300mA panel is recommended which you can find easily on market. Battery should be around 3.7V 1000 mAh.

5V 18650 Li-ion charging module:

The following image shows a standard 18650 charger circuit

The input can be USB (not used) or external 5V from LM7805 IC. Make sure that you get the correct module as shown above, it should have TP4056 protection, which has low battery cut-off and short circuit protection.

The output of this should to be fed to XL6009’s input which will boost to higher voltage, using a small screw driver output of XL6009 should be adjusted to 9V for Arduino.

Illustration of XL6009 DC to DC boost converter:

That concludes the transmitter’s hardware.

Code for Transmitter:

// ----------- Program Developed by Homemade-circuits.com ----------- //

#include <RF24.h>
#include <SPI.h>

// Create RF24 object using CE = 9, CSN = 10
RF24 radio(9, 10);

// RF address (must match receiver address)
const byte address[6] = "00001";

// Ultrasonic sensor pins
const int trigger = 3;
const int echo = 2;

// Messages to be transmitted
const char text_0[] = "STOP";
const char text_1[] = "FULL";
const char text_2[] = "3/4";
const char text_3[] = "HALF";
const char text_4[] = "LOW";

// Water level reference values (in meters)
float full = 0;
float three_fourth = 0;
float half = 0;
float quarter = 0;

// Ultrasonic timing and distance variables
long Time;
float distanceCM = 0;
float resultCM = 0;
float resultM = 0;

// Calculated water level variables
float actual_distance = 0;
float compensation_distance = 0;

// ------- CHANGE THIS -------//
// Total water holding depth (measured water column)
float water_hold_capacity = 1.0;   // Enter in meters

// Total physical tank height (sensor to tank bottom)
float full_height = 1.3;           // Enter in meters
// -------------------------- //

void setup()
{
  // Initialize serial monitor
  Serial.begin(9600);

  // Configure ultrasonic sensor pins
  pinMode(trigger, OUTPUT);
  pinMode(echo, INPUT);
  digitalWrite(trigger, LOW);

  // Initialize NRF24L01 module
  radio.begin();
  radio.openWritingPipe(address);
  radio.setChannel(100);
  radio.setDataRate(RF24_250KBPS);
  radio.setPALevel(RF24_PA_MAX);
  radio.stopListening();   // Set as transmitter

  // Calculate water level thresholds
  full = water_hold_capacity;
  three_fourth = water_hold_capacity * 0.75;
  half = water_hold_capacity * 0.50;
  quarter = water_hold_capacity * 0.25;
}

void loop()
{
  // Delay between measurements
  delay(5000);

  // Trigger ultrasonic pulse
  digitalWrite(trigger, HIGH);
  delayMicroseconds(10);
  digitalWrite(trigger, LOW);

  // Measure echo pulse width
  Time = pulseIn(echo, HIGH);

  // Convert time to distance (speed of sound = 0.034 cm/us)
  distanceCM = Time * 0.034;
  resultCM = distanceCM / 2;
  resultM = resultCM / 100;

  // Display raw measured distance
  Serial.print("Normal Distance: ");
  Serial.print(resultM);
  Serial.println(" M");

  // Calculate distance offset between sensor height and water depth
  compensation_distance = full_height - water_hold_capacity;

  // Convert measured distance into actual water level
  actual_distance = resultM - compensation_distance;
  actual_distance = water_hold_capacity - actual_distance;

  // Prevent negative water level values
  if (actual_distance < 0)
  {
    Serial.print("Water Level:");
    Serial.println(" 0.00 M (UP)");
    actual_distance = 0;
  }
  else
  {
    Serial.print("Water Level: ");
    Serial.print(actual_distance);
    Serial.println(" M (UP)");
  }

  Serial.println("============================");

  // Transmit water level status
  if (actual_distance >= full)
  {
    radio.write(&text_0, sizeof(text_0));   // Tank overflow / stop motor
  }

  if (actual_distance > three_fourth && actual_distance <= full)
  {
    radio.write(&text_1, sizeof(text_1));   // FULL
  }

  if (actual_distance > half && actual_distance <= three_fourth)
  {
    radio.write(&text_2, sizeof(text_2));   // 3/4
  }

  if (actual_distance > quarter && actual_distance <= half)
  {
    radio.write(&text_3, sizeof(text_3));   // HALF
  }

  if (actual_distance <= quarter)
  {
    radio.write(&text_4, sizeof(text_4));   // LOW
  }
}

// ----------- Program Developed by Homemade-circuits.com ----------- //

Change the following values in the code which you measured:

// ------- CHANGE THIS -------//
float water_hold_capacity = 1.0; // Enter in Meters.
float full_height = 1.3; // Enter in Meters.
// ---------- -------------- //

That concludes the transmitter.

The Receiver:

ultrasonic water level receiver controller schematic

The receiver can show 5 levels. Alarm, when the tank reached absolute maximum water holding capacity while filling tank. 100 to 75 % - All four LEDs will glow, 75 to 50 % three LEDs will glow, 50 to 25 % two LEDs will glow, 25% and less one LED will glow.
The receiver can be powered from 9V battery or from smartphone charger to USB mini-B cable.

Code for Receiver:

// ----------- Program Developed by Homemade-circuits.com ----------- //

#include <SPI.h>          // SPI library for nRF24L01 communication
#include <RF24.h>         // RF24 library

// CE pin = 9, CSN pin = 10 (as per existing circuit)
RF24 radio(9, 10);

// Loop counter used for buzzer alarm
int i = 0;

// RF address (must match transmitter)
const byte address[6] = "00001";

// Output pin definitions (DO NOT CHANGE – tied to circuit)
const int buzzer = 6;
const int LED_full = 5;
const int LED_three_fourth = 4;
const int LED_half = 3;
const int LED_quarter = 2;

// Buffer to store received RF data
char text[32] = "";   // Max payload supported by nRF24L01

void setup()
{
  // Configure output pins
  pinMode(buzzer, OUTPUT);
  pinMode(LED_full, OUTPUT);
  pinMode(LED_three_fourth, OUTPUT);
  pinMode(LED_half, OUTPUT);
  pinMode(LED_quarter, OUTPUT);

  // Power-on indication: short buzzer beep
  digitalWrite(buzzer, HIGH);
  delay(300);
  digitalWrite(buzzer, LOW);

  // LED startup sequence (visual check)
  digitalWrite(LED_full, HIGH);
  delay(300);
  digitalWrite(LED_three_fourth, HIGH);
  delay(300);
  digitalWrite(LED_half, HIGH);
  delay(300);
  digitalWrite(LED_quarter, HIGH);
  delay(300);

  // Turn all LEDs OFF one by one
  digitalWrite(LED_full, LOW);
  delay(300);
  digitalWrite(LED_three_fourth, LOW);
  delay(300);
  digitalWrite(LED_half, LOW);
  delay(300);
  digitalWrite(LED_quarter, LOW);

  // Serial monitor for debugging
  Serial.begin(9600);

  // Initialize RF module
  radio.begin();
  radio.openReadingPipe(0, address);   // Set receiver address
  radio.setChannel(100);               // RF channel (must match transmitter)
  radio.setDataRate(RF24_250KBPS);     // Low data rate = better range
  radio.setPALevel(RF24_PA_MAX);       // Maximum power
  radio.startListening();              // Set module to RX mode
}

void loop()
{
  // Check if any RF data is available
  if (radio.available())
  {
    // Read received message into buffer
    radio.read(&text, sizeof(text));

    // Print received message on Serial Monitor
    Serial.println(text);

    // ---------- STOP command ----------
    // Turns ON all LEDs and activates alarm buzzer
    if (text[0] == 'S' && text[1] == 'T' && text[2] == 'O' && text[3] == 'P')
    {
      digitalWrite(LED_full, HIGH);
      digitalWrite(LED_three_fourth, HIGH);
      digitalWrite(LED_half, HIGH);
      digitalWrite(LED_quarter, HIGH);

      // Continuous buzzer alarm
      for (i = 0; i < 50; i++)
      {
        digitalWrite(buzzer, HIGH);
        delay(50);
        digitalWrite(buzzer, LOW);
        delay(50);
      }
    }

    // ---------- FULL level ----------
    // All LEDs ON
    if (text[0] == 'F' && text[1] == 'U' && text[2] == 'L' && text[3] == 'L')
    {
      digitalWrite(LED_full, HIGH);
      digitalWrite(LED_three_fourth, HIGH);
      digitalWrite(LED_half, HIGH);
      digitalWrite(LED_quarter, HIGH);
    }

    // ---------- 3/4 level ----------
    // Full LED OFF, remaining LEDs ON
    if (text[0] == '3' && text[1] == '/' && text[2] == '4')
    {
      digitalWrite(LED_full, LOW);
      digitalWrite(LED_three_fourth, HIGH);
      digitalWrite(LED_half, HIGH);
      digitalWrite(LED_quarter, HIGH);
    }

    // ---------- HALF level ----------
    // Half and quarter LEDs ON
    if (text[0] == 'H' && text[1] == 'A' && text[2] == 'L' && text[3] == 'F')
    {
      digitalWrite(LED_full, LOW);
      digitalWrite(LED_three_fourth, LOW);
      digitalWrite(LED_half, HIGH);
      digitalWrite(LED_quarter, HIGH);
    }

    // ---------- LOW level ----------
    // Only quarter LED ON
    if (text[0] == 'L' && text[1] == 'O' && text[2] == 'W')
    {
      digitalWrite(LED_full, LOW);
      digitalWrite(LED_three_fourth, LOW);
      digitalWrite(LED_half, LOW);
      digitalWrite(LED_quarter, HIGH);
    }
  }
}
// ----------- Program Developed by Homemade-circuits.com ----------- //

That concludes the receiver.

NOTE: if no LEDs are glowing, which means the receiver can’t get signal from transmitter. You should wait 5 seconds to receive the signal from transmitter after turning on the receiver circuit.

Author’s prototypes:

Transmitter:

ultrasonic transmitter prototype

Receiver:

ultrasonic receiver prototype

If you have any questions regarding this solar powered ultrasonic wireless water level controller circuit, please feel free to express in the comment, you can expect to get a quick reply.

You'll also like:

  • SMS based Water notification schematicSMS Based Water Supply Alert System
  • TransmitterAutomatic Ultrasonic Water Level Pump Motor Controller Circuit
  • car2BtankCar Tank Water Sensor Circuit
  • Two Pipe Water Pump Valve Controller Circuit

Filed Under: Water Controller Tagged With: Indicator, Level, Solar, Ultrasonic, Water, Wireless

About Swagatam

I am an electronics engineer and doing practical hands-on work from more than 15 years now. Building real circuits, testing them and also making PCB layouts by myself. I really love doing all these things like inventing something new, designing electronics and also helping other people like hobby guys who want to make their own cool circuits at home.

And that is the main reason why I started this website homemade-circuits.com, to share different types of circuit ideas..

If you are having any kind of doubt or question related to circuits then just write down your question in the comment box below, I am like always checking, so I guarantee I will reply you for sure!

Previous Post: « How to Build a Boost Converter Circuit: Explained with Calculations
Next Post: How to Design a Flyback Converter – Comprehensive Tutorial »

Reader Interactions

Comments

tala says:
July 2, 2019 at 6:51 pm

hi guys i need 2v input solar panel charger, is there any recommendation

Reply
gurucharan gupta says:
June 12, 2019 at 9:00 am

thanks for making user friendly circuits. can we buy circuit or pcb made by you because we don’t have knowledge of electronics

Reply
Swagatam says:
June 12, 2019 at 11:54 am

I appreciate your interest very much, however no longer manufacture PCBs or circuit modules, so can’t help in this regard.

Reply
Ashok says:
January 10, 2019 at 3:43 pm

what is max distance between sender and receiver?

Reply
Swagatam says:
January 10, 2019 at 4:30 pm

Not sure about the exact distance, but since it works using radio frequency on ISM bands, the distance can be significantly long:

https://en.wikipedia.org/wiki/ISM_band

Reply
Manjujain says:
September 10, 2018 at 3:16 pm

Sir what would be the cost over all approximately to this project

Reply
Swagatam says:
September 10, 2018 at 5:34 pm

Could be below Rs.1000/-, you can confirm it by searching in online stores.

Reply
Sheikh Yousufh says:
July 29, 2018 at 8:15 pm

Ultrasonic Wireless Water Level Indicator and controller using solenoid with arduino i have 2 over head tank please give me circuit diagram with code mail id yousufh2@gmail.com

Reply
Back to Newest

Need Help? Please Leave a Comment! We value your input—Kindly keep it relevant to the above topic! Cancel reply

Your email address will not be published. Required fields are marked *

Primary Sidebar

circuit simulator image



Subscribe to get New Circuits in your Email



Categories

  • Arduino Projects (95)
  • Audio and Amplifier Projects (133)
  • Automation Projects (18)
  • Automobile Electronics (103)
  • Battery Charger Circuits (87)
  • Datasheets and Components (109)
  • Electronics Theory (149)
  • Energy from Magnets (27)
  • Games and Sports Projects (11)
  • Grid and 3-Phase (20)
  • Health related Projects (27)
  • Home Electrical Circuits (13)
  • Indicator Circuits (16)
  • Inverter Circuits (95)
  • Lamps and Lights (159)
  • Meters and Testers (71)
  • Mini Projects (28)
  • Motor Controller (68)
  • Oscillator Circuits (28)
  • Pets and Pests (15)
  • Power Supply Circuits (91)
  • Remote Control Circuits (50)
  • Renewable Energy (12)
  • Security and Alarm (64)
  • Sensors and Detectors (106)
  • SMPS and Converters (34)
  • Solar Controller Circuits (60)
  • Temperature Controllers (43)
  • Timer and Delay Relay (49)
  • Voltage Control and Protection (42)
  • Water Controller (37)
  • Wireless Circuits (31)





Other Links

  • Privacy Policy
  • Cookie Policy
  • Disclaimer
  • Copyright
  • Videos
  • Sitemap



People also Search

555 Circuits | 741 Circuits | LM324 Circuits | LM338 Circuits | 4017 Circuits | Ultrasonic Projects | SMPS Projects | Christmas Projects | MOSFETs | Radio Circuits | Laser Circuits | PIR Projects |

Social Profiles

  • Twitter
  • YouTube
  • Instagram
  • Pinterest
  • My Facebook-Page
  • Stack Exchange
  • Linkedin



Recent Comments

  • Duff Kindt on Door Security Alarm Circuit for Alerting if Door was Opened
  • Swagatam on Arduino 2-Step Programmable Timer Circuit
  • Swagatam on How to Manufacture Automobile Electronic Parts and Earn a Handsome Income
  • Ghulam Mohio Din on Arduino 2-Step Programmable Timer Circuit
  • Swagatam on Door Security Alarm Circuit for Alerting if Door was Opened

© 2026 · Swagatam Innovations