This circuit integrates various sensors and modules with an Arduino UNO microcontroller to perform multiple functions including temperature and humidity sensing, acceleration measurement, heart rate monitoring, and GPS data reception. The Arduino UNO serves as the central processing unit, interfacing with a DHT11 temperature and humidity sensor, an ADXL345 accelerometer, a GPS NEO 6M module, and a heart pulse sensor. The circuit is designed to read data from these sensors and output the information through the Arduino's serial interface.
#include <Wire.h>
#include <Adafruit_Sensor.h>
#include <Adafruit_ADXL345_U.h>
#include <DHT.h>
#include <SoftwareSerial.h>
// Pin definitions
#define HEARTBEAT_PIN A0
#define DHT_PIN 3
#define GPS_RX_PIN 4
#define GPS_TX_PIN 5
// DHT11 setup
#define DHTTYPE DHT11
DHT dht(DHT_PIN, DHTTYPE);
// ADXL345 setup
Adafruit_ADXL345_Unified accel = Adafruit_ADXL345_Unified(12345);
// GPS setup
SoftwareSerial gpsSerial(GPS_RX_PIN, GPS_TX_PIN);
void setup() {
Serial.begin(9600);
gpsSerial.begin(9600);
dht.begin();
if (!accel.begin()) {
Serial.println("No ADXL345 detected!");
while (1);
}
Serial.println("Setup complete.");
}
void loop() {
// Read heartbeat sensor
int heartbeat = analogRead(HEARTBEAT_PIN);
Serial.print("Heartbeat: ");
Serial.println(heartbeat);
// Read DHT11 sensor
float h = dht.readHumidity();
float t = dht.readTemperature();
Serial.print("Humidity: ");
Serial.print(h);
Serial.print(" %\t");
Serial.print("Temperature: ");
Serial.print(t);
Serial.println(" *C");
// Read ADXL345 sensor
sensors_event_t event;
accel.getEvent(&event);
Serial.print("X: ");
Serial.print(event.acceleration.x);
Serial.print(" \tY: ");
Serial.print(event.acceleration.y);
Serial.print(" \tZ: ");
Serial.print(event.acceleration.z);
Serial.println(" m/s^2");
// Read GPS data
while (gpsSerial.available()) {
char c = gpsSerial.read();
Serial.print(c);
}
delay(2000); // Delay for 2 seconds
}
This code initializes and reads data from the connected sensors, then outputs the readings through the Arduino's serial interface. It includes setup and loop functions that are standard in Arduino programming. The setup()
function initializes the serial communication, the sensors, and checks for the presence of the ADXL345 accelerometer. The loop()
function reads data from the heart pulse sensor, DHT11 sensor, ADXL345 accelerometer, and GPS module, then prints the data to the serial monitor every two seconds.