Capacitive touch switch
Parts Required:
– ATTINY85
– Touch Sensor
– LED (1)
– Wires to connect it all together
data:image/s3,"s3://crabby-images/42ab7/42ab7234a9a2955beaac771576e902e1768c1926" alt="Touch Button"
Touch Button as On/ Off Switch (Attiny85):
- upload this code to Attiny (How To Upload code to Attiny)
- connect all Parts together
data:image/s3,"s3://crabby-images/7c6bf/7c6bf009d2ccaceed987f46e95ded2fe33378620" alt="Wiring"
ATTiny85 Pinout:
data:image/s3,"s3://crabby-images/90791/907918d11d346f7e0dd94bb079c5125560b9549c" alt="Attiny85"
data:image/s3,"s3://crabby-images/36ce5/36ce53ba8108513b38b5e862b8e93860337e9f82" alt="Wiring"
Arduino Code:
data:image/s3,"s3://crabby-images/cf8ee/cf8ee8397bafcdaa5cdaccb66779772e5677c206" alt="uper"
/* switch
*
* Each time the input pin goes from LOW to HIGH (e.g. because of a push-button
* press), the output pin is toggled from LOW to HIGH or HIGH to LOW. There's
* a minimum delay between toggles to debounce the circuit (i.e. to ignore
* noise).
*
* David A. Mellis
* 21 November 2006
*/
int inPin = 2; // the number of the input pin
int outPin = 3; // the number of the output pin
int state = HIGH; // the current state of the output pin
int reading; // the current reading from the input pin
int previous = LOW; // the previous reading from the input pin
// the follow variables are long’s because the time, measured in miliseconds,
// will quickly become a bigger number than can be stored in an int.
long time = 0; // the last time the output pin was toggled
long debounce = 200; // the debounce time, increase if the output flickers
void setup()
{
pinMode(inPin, INPUT);
pinMode(outPin, OUTPUT);
}
void loop()
{
reading = digitalRead(inPin);
// if the input just went from LOW and HIGH and we’ve waited long enough
// to ignore any noise on the circuit, toggle the output pin and remember
// the time
if (reading == HIGH && previous == LOW && millis() – time > debounce) {
if (state == HIGH)
state = LOW;
else
state = HIGH;
time = millis();
}
digitalWrite(outPin, state);
previous = reading;
}
data:image/s3,"s3://crabby-images/7a6b3/7a6b3df2290e0c4f47b82ed2c3820c8e34b727e7" alt="Down"