Initial commit

This commit is contained in:
Nigreon 2025-02-22 23:27:11 +01:00
commit d377fa89a4
13 changed files with 2364 additions and 0 deletions

BIN
esp32-c3.jpg Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 682 KiB

1
esp32-c3.md Normal file
View File

@ -0,0 +1 @@
https://docs.espressif.com/projects/arduino-esp32/en/latest/index.html

84
platformio.ini Normal file
View File

@ -0,0 +1,84 @@
; PlatformIO Project Configuration File
;
; Build options: build flags, source filter
; Upload options: custom upload port, speed and extra flags
; Library options: dependencies, extra library storages
; Advanced options: extra scripting
;
; Please visit documentation for the other options and examples
; https://docs.platformio.org/page/projectconf.html
[platformio]
;default_envs = esp32_cc1101
default_envs = esp32c3_cdc_cc1101
;default_envs = rp2040
boards_dir = boards
[libraries]
arduinolog = https://github.com/1technophile/Arduino-Log.git#d13cd80
arduinojson =
ArduinoJson
; ArduinoJson @ 7.0.4
; ArduinoJson @ 6.21.5
; ArduinoJson @ 5.13.4 ; deprecated
rtl_433_ESP = shchuko/rtl_433_ESP
[env]
framework = arduino
monitor_filters = esp32_exception_decoder
;platform = espressif32@3.5.0
platform = espressif32@6.1.0
lib_ldf_mode = deep+
lib_deps =
sui77/rc-switch
${libraries.arduinolog}
${libraries.arduinojson}
${libraries.rtl_433_ESP}
[env:esp32c3_cdc_cc1101]
board = esp32-c3-devkitm-1
build_flags =
'-DCONFIG_ESP_CONSOLE_UART=1' ; settings for esp32c3 without uart
'-DARDUINO_USB_MODE=1'
'-DARDUINO_USB_CDC_ON_BOOT=1'
'-DLOG_LEVEL=LOG_LEVEL_TRACE'
; '-DONBOARD_LED=13' ; LED_D4
; *** rtl_433_ESP Options ***
; '-DRF_MODULE_FREQUENCY=915.00'
'-DOOK_MODULATION=true' ; False is FSK, True is OOK
; '-DRTL_DEBUG=4' ; rtl_433 verbose mode
; '-DRTL_VERBOSE=74' ; LaCrosse TX141-Bv2, TX141TH-Bv2, TX141-Bv3, TX141W, TX145wsdth sensor
; '-DRAW_SIGNAL_DEBUG=true' ; display raw received messages
; '-DMEMORY_DEBUG=true' ; display memory usage information
; '-DDEMOD_DEBUG=true' ; display signal debug info
; '-DMY_DEVICES=true' ; subset of devices
; '-DPUBLISH_UNPARSED=true' ; publish unparsed signal details
'-DDISABLERSSITHRESHOLD=true'
'-DMINRSSI=-82'
; '-DMINRSSI=-60'
; '-DRSSI_THRESHOLD=12' ; Apply a delta of 12 to average RSSI level
; '-DAVERAGE_RSSI=5000' ; Display RSSI floor ( Average of 5000 samples )
; '-DSIGNAL_RSSI=true' ; Display during signal receive
; '-DOOK_MODULATION=false' ; False is FSK, True is OOK
; *** RF Module Options ***
'-DRF_CC1101="CC1101"' ; CC1101 Transceiver Module
'-DRF_MODULE_CS=21' ; pin to be used as chip select
'-DRF_MODULE_GDO0=6' ; CC1101 pin GDO0
'-DRF_MODULE_GDO2=5' ; CC1101 pin GDO2
'-DRF_MODULE_INIT_STATUS=true' ; Display transceiver config during startup
; *** RadioLib Options ***
; '-DRADIOLIB_DEBUG=true'
; '-DRADIOLIB_VERBOSE=true'
; *** FSK Setting Testing ***
; '-DsetBitrate'
; '-DsetFreqDev'
; '-DsetRxBW'
targets = upload
monitor_port = /dev/ttyACM0
monitor_speed = 115200
upload_port = /dev/ttyACM0
monitor_filters =
default ; Remove typical terminal control codes from input
time ; Add timestamp with milliseconds for each new line
; log2file ; Log data to a file “platformio-device-monitor-*.log” located in the current working directory

234
python/mqtt-systray.py Normal file
View File

@ -0,0 +1,234 @@
import gi
import tempfile
import time
import os
import signal
import paho.mqtt.client as mqtt
gi.require_version('Gtk', '3.0')
from gi.repository import Gtk
gi.require_version('AppIndicator3', '0.1')
from gi.repository import AppIndicator3 as AppIndicator
from PIL import Image, ImageDraw, ImageFont
import yaml
mqttprefix = "devices"
mqtthost = '192.168.67.1'
oldtmpfile = ''
oldalertcount = 0
menu = Gtk.Menu()
fp = open("mqtt-systray.yaml")
conf = yaml.safe_load(fp)
fp.close()
appindicator = AppIndicator.Indicator.new(
'mqttalert',
'',
AppIndicator.IndicatorCategory.APPLICATION_STATUS)
def create_image(width, height, count):
# Generate an image and draw a pattern
image = Image.new('RGB', (width, height), 'white')
dc = ImageDraw.Draw(image)
color_circle = 'green'
if count > 0: color_circle = 'red'
#dc.circle((width // 2, height // 2), height // 2, fill=color2)
radius = height // 2
ellipse_xy = (0, 0, radius*2, radius*2)
dc.ellipse(ellipse_xy, color_circle)
if count > 0:
#font = ImageFont.truetype("OpenSans-Regular.ttf", int(width))
font = ImageFont.load_default(float(width))
dc.text((12, -12),str(count),(0,0,0),font=font)
return image
def quit():
os.remove(oldtmpfile)
Gtk.main_quit()
def signal_handler(sig, frame):
print('You pressed Ctrl+C!')
quit()
def gtkquit(source):
quit()
def get_alert(devicea):
for sensor in conf[devicea]['values'].keys():
if 'value' in conf[devicea]['values'][sensor] and (conf[devicea]['values'][sensor]['value'] > conf[devicea]['values'][sensor]['max'] or conf[devicea]['values'][sensor]['value'] < conf[devicea]['values'][sensor]['min']):
return True
return False
def get_alert2(devicea, sensora):
alert_text = ''
if 'value' in conf[devicea]['values'][sensora]:
if conf[devicea]['values'][sensora]['value'] > conf[devicea]['values'][sensora]['max']:
alert_text = '!!HIGH!! '
elif conf[devicea]['values'][sensora]['value'] < conf[devicea]['values'][sensora]['min']:
alert_text = '!!LOW!! '
return alert_text
def alert_count():
count = 0
for device in conf:
for sensor in conf[device]['values'].keys():
if get_alert2(device, sensor) != '': count = count + 1
return count
def get_icon():
global oldtmpfile
if oldtmpfile!='': os.remove(oldtmpfile)
icon_path = tempfile.mktemp()
oldtmpfile=icon_path
with open(icon_path, 'wb') as f:
create_image(64, 64, alert_count()).save(f, 'PNG')
return icon_path
#def menun2(deviceg):
# itemn2 = []
# submenu = Gtk.Menu()
# for sensor in conf[deviceg]['values'].keys():
# text=''
# if 'value' in conf[deviceg]['values'][sensor]:
# alert_text = get_alert2(deviceg, sensor)
# text='{}{}: {}'.format(alert_text, sensor, conf[deviceg]['values'][sensor]['value'])
# else:
# text=sensor
# submenuitem = Gtk.MenuItem(text)
# submenu.append(submenuitem)
# return submenu
def build_menu():
menu = Gtk.Menu()
for device1 in conf:
devname = conf[device1]['name']
conf[device1]['menuitem'] = Gtk.MenuItem(devname)
submenu = Gtk.Menu()
for sensor in conf[device1]['values'].keys():
conf[device1]['values'][sensor]['menuitem'] = Gtk.MenuItem(sensor)
submenu.append(conf[device1]['values'][sensor]['menuitem'])
conf[device1]['menuitem'].set_submenu(submenu)
menu.append(conf[device1]['menuitem'])
item_quit = Gtk.MenuItem('Quit')
item_quit.connect('activate', gtkquit)
menu.append(item_quit)
menu.show_all()
return menu
#def build_menu_old():
# global menu
# global quitcount
# global item_quit
# #menu = Gtk.Menu()
# menu.connect('popup-menu', menu_show)
# #menu.connect('destroy', menu_hide)
# for device1 in conf:
# devname = conf[device1]['name']
# if get_alert(device1): devname = "!!ALERT!! " + devname
# menuitem = Gtk.MenuItem(devname)
# menuitem.set_submenu(menun2(device1))
# menu.append(menuitem)
#
# if quitcount == 0:
# item_quit = Gtk.MenuItem('Quit')
# item_quit.connect('select', menu_show)
# print('Quit0')
# menu.append(item_quit)
# quitcount = quitcount + 1
# else:
# #item_quit = Gtk.MenuItem('Quit')
# item_quit.set_label(str(quitcount))
# print('QuitX')
# #menu.append(item_quit)
# #item_quit.show()
# quitcount = quitcount + 1
#
# print("Alert Count: {}".format(alert_count()))
#
# menu.show_all()
# #menu.show_now()
# return menu
def update_menu():
appindicator.set_menu(build_menu())
def set_value(topic, value):
global oldalertcount
topicds = topic.rsplit("/", 1)
devices=topicds[0]
devices = devices.removeprefix(mqttprefix+'/')
conf[devices]['values'][topicds[1]]['value'] = float(value)
print("menu")
#update_menu()
alert_text = get_alert2(devices, topicds[1])
text='{}{}: {}'.format(alert_text, topicds[1], conf[devices]['values'][topicds[1]]['value'])
conf[devices]['values'][topicds[1]]['menuitem'].set_label(text)
#conf[devices]['values'][topicds[1]]['menuitem'].set_label("{}".format(conf[devices]['values'][topicds[1]]['value']))
devname = conf[devices]['name']
#print(get_alert(devices))
#if get_alert(devices): devname = "! " + devname
#if get_alert(devices): devname = "!!ALERT!! " + devname
#conf[devices]['menuitem'].set_label(devname)
if oldalertcount != alert_count():
oldalertcount = alert_count()
appindicator.set_icon(get_icon())
os.system("notify-send '{}' '{}'".format(conf[devices]['name'], text))
def subscribe_mqtt(mqttc):
for device in conf:
#print(conf[device])
for sensor in conf[device]['values'].keys():
#print(sensor)
tosubscribe = "{}/{}/{}".format(mqttprefix, device, sensor)
mqttc.subscribe(tosubscribe, 0)
print(tosubscribe)
def on_connect(mqttc, obj, flags, rc):
print("rc: " + str(rc))
#def on_subscribe(mqttc, obj, mid, granted_qos):
# print("Subscribed: " + str(mid) + " " + str(granted_qos))
def on_message(client, userdata, msg):
print(msg.topic+" "+str(msg.payload))
set_value(msg.topic, msg.payload)
signal.signal(signal.SIGINT, signal_handler)
appindicator.set_icon(get_icon())
appindicator.set_title('MQTT Alert')
appindicator.set_status(AppIndicator.IndicatorStatus.ACTIVE)
appindicator.set_menu(build_menu())
set_value("model1/1/1/temperature1C", "10.1")
print(conf)
mqttc = mqtt.Client()
mqttc.on_message = on_message
mqttc.on_connect = on_connect
#mqttc.on_subscribe = on_subscribe
connected = False
while connected == False:
try:
mqttc.connect(mqtthost, 1883, 60)
except:
time.sleep(5)
connected=False
else:
connected=True
mqttc.loop_start()
subscribe_mqtt(mqttc)
Gtk.main()

22
python/mqtt-systray.yaml Normal file
View File

@ -0,0 +1,22 @@
model1/1/1:
name: "toto"
values:
temperature1C:
name: "Temperature"
min: 5
max: 20
humidity1:
name: "Humidity"
min: 30
max: 70
model2/2/2:
name: "tata"
values:
temperature2C:
name: "Temperature"
min: 5
max: 20
humidity2:
name: "Humidity"
min: 30
max: 70

65
python/rtl_433_json2mqtt.py Executable file
View File

@ -0,0 +1,65 @@
import json
#import fileinput
import serial
import paho.mqtt.client as paho
#input = '{"model":"Oregon-THGR810","id":226,"channel":10,"battery_ok":0,"temperature_C":19.7,"humidity":24,"protocol":"Oregon Scientific Weather Sensor"}'
SKIP_KEYS = [ "type", "model", "subtype", "channel", "id", "mic", "mod", "freq", "sequence_num", "message_type", "exception", "raw_msg", "protocol", "duration", "sync", "flags", "status" ]
TOPIC_KEYS = [ "type", "model", "subtype", "channel", "id" ]
#default="devices[/type][/model][/subtype][/channel][/id]"
prefix = "home/rtl_433"
broker = "localhost"
port = 1883
serialdev = "/dev/ttyACM0"
serialspeed = 115200
def generate_topic(jsonin):
topic = prefix+'/devices'
for t in TOPIC_KEYS:
if t in jsonin:
topic += '/' + str(jsonin[t])
return topic
def publish(jsonin, prefix_device):
for t in jsonin:
if t not in SKIP_KEYS:
topic = prefix_device + '/' + t
value = jsonin[t]
#print("{} {}".format(topic, value))
mqtt.publish(topic, value)
def on_connect(client, userdata, flags, reason_code, properties):
print(f"Connected to MQTT")
client.subscribe(prefix+"/cmd")
def on_message(client, userdata, msg):
print(msg.topic+" "+str(msg.payload))
if(str(msg.topic) == prefix+"/cmd"):
ser.write(msg.payload)
mqtt=paho.Client(paho.CallbackAPIVersion.VERSION2)
mqtt.on_connect = on_connect
mqtt.on_message = on_message
mqtt.connect(broker,port)
mqtt.loop_start()
ser = serial.Serial(serialdev, serialspeed)
#for input in fileinput.input():
while True:
input = ser.readline()
try:
data = json.loads(input)
except json.decoder.JSONDecodeError:
print("Error JSON, received {}".format(input))
continue
#print(data)
mqtt.publish(prefix+'/events', input.rstrip())
prefix_device = generate_topic(data)
publish(data, prefix_device)

133
python/rtl_433_mqtt2influxdb.py Executable file
View File

@ -0,0 +1,133 @@
#!/usr/bin/python3
# -*- coding: utf-8 -*-
# Copyright (c) 2010-2013 Roger Light <roger@atchoo.org>
#
# All rights reserved. This program and the accompanying materials
# are made available under the terms of the Eclipse Distribution License v1.0
# which accompanies this distribution.
#
# The Eclipse Distribution License is available at
# http://www.eclipse.org/org/documents/edl-v10.php.
#
# Contributors:
# Roger Light - initial implementation
# Copyright (c) 2010,2011 Roger Light <roger@atchoo.org>
# All rights reserved.
# This shows a simple example of an MQTT subscriber.
import signal
import sys
import json
import datetime
import paho.mqtt.client as mqtt
from influxdb import InfluxDBClient
def signal_handler(sig, frame):
influxc.close()
mqttc.disconnect()
sys.exit(0)
prefix = 'home/rtl_433'
#prefix = 'rtl_433/fedora'
TAGS_KEYS = ['type','model','subtype','channel','id']
DBNAME = "rtl433"
DELAYRECORD=300
recorddb = {}
def on_connect(mqttc, obj, flags, rc):
print("rc: " + str(rc))
def on_message(mqttc, obj, msg):
#print(msg.topic + " " + str(msg.qos) + " " + str(msg.payload))
currentdt=datetime.datetime.now(datetime.UTC)
dateinflux=currentdt.strftime("%Y-%m-%dT%H:%M:%SZ")
jsonin=json.loads(msg.payload)
ref=""
if "model" in jsonin:
ref+=str(jsonin["model"])
if "channel" in jsonin:
ref+=str(jsonin["channel"])
if "id" in jsonin:
ref+=str(jsonin["id"])
if ref not in recorddb:
recorddb[ref] = {}
recorddb[ref]["lastsend"]=0
#print(jsonin)
tags = {}
for t in TAGS_KEYS:
if t in jsonin:
tags[t] = jsonin[t]
points = []
fields = {}
changed = False
if 'temperature_C' in jsonin:
fields = {'value': float(jsonin['temperature_C'])}
measurement = 'temperature_C'
points.append({'measurement': measurement, 'tags': tags, 'time': dateinflux, 'fields': fields})
if 'temperature_C' not in recorddb[ref] or recorddb[ref]['temperature_C'] != fields["value"]:
changed = True
recorddb[ref]['temperature_C'] = fields["value"]
if 'humidity' in jsonin:
fields = {'value': int(jsonin['humidity'])}
measurement = 'humidity'
points.append({'measurement': measurement, 'tags': tags, 'time': dateinflux, 'fields': fields})
if 'humidity' not in recorddb[ref] or recorddb[ref]['humidity'] != fields["value"]:
changed = True
recorddb[ref]['humidity'] = fields["value"]
if 'battery_ok' in jsonin:
fields = {'value': True if jsonin['battery_ok']==1 else False}
measurement = 'battery_ok'
points.append({'measurement': measurement, 'tags': tags, 'time': dateinflux, 'fields': fields})
if 'battery_ok' not in recorddb[ref] or recorddb[ref]['battery_ok'] != fields["value"]:
changed = True
recorddb[ref]['battery_ok'] = fields["value"]
current_ts = currentdt.timestamp()
if changed == True and (current_ts < recorddb[ref]["lastsend"] or current_ts > (recorddb[ref]["lastsend"] + DELAYRECORD)):
recorddb[ref]["lastsend"] = current_ts
#print("Write")
#print(ref)
print(points)
influxc.write_points(points)
#else:
# print("Not Write")
# print(ref)
# print(recorddb[ref]["lastsend"])
def on_subscribe(mqttc, obj, mid, granted_qos):
print("Subscribed: " + str(mid) + " " + str(granted_qos))
signal.signal(signal.SIGINT, signal_handler)
# If you want to use a specific client id, use
# mqttc = mqtt.Client("client-id")
# but note that the client id must be unique on the broker. Leaving the client
# id parameter empty will generate a random id for you.
mqttc = mqtt.Client()
mqttc.on_message = on_message
mqttc.on_connect = on_connect
mqttc.on_subscribe = on_subscribe
# Uncomment to enable debug messages
# mqttc.on_log = on_log
mqttc.connect("localhost", 1883, 60)
mqttc.subscribe(prefix+"/events", 0)
influxc = InfluxDBClient(host="localhost", port=8428)
dbs = influxc.get_list_database()
dbs_list = []
for db in dbs:
dbs_list.append(db.get("name"))
if DBNAME not in dbs_list:
influxc.create_database(DBNAME)
influxc.switch_database(DBNAME)
mqttc.loop_forever()

119
python/rtl_433_mqtt2vm.py Executable file
View File

@ -0,0 +1,119 @@
#!/usr/bin/python3
# -*- coding: utf-8 -*-
# Copyright (c) 2010-2013 Roger Light <roger@atchoo.org>
#
# All rights reserved. This program and the accompanying materials
# are made available under the terms of the Eclipse Distribution License v1.0
# which accompanies this distribution.
#
# The Eclipse Distribution License is available at
# http://www.eclipse.org/org/documents/edl-v10.php.
#
# Contributors:
# Roger Light - initial implementation
# Copyright (c) 2010,2011 Roger Light <roger@atchoo.org>
# All rights reserved.
# This shows a simple example of an MQTT subscriber.
import signal
import sys
import json
import datetime
import paho.mqtt.client as mqtt
import requests
def signal_handler(sig, frame):
mqttc.disconnect()
sys.exit(0)
prefix = 'home/rtl_433'
vmhost = 'localhost'
mqtthost = 'localhost'
#prefix = 'rtl_433/fedora'
TAGS_KEYS = ['type','model','subtype','channel','id']
DELAYRECORD = 300
MINTS = 1735686000 # 01/01/2025 00:00:00
recorddb = {}
def on_connect(mqttc, obj, flags, rc):
print("rc: " + str(rc))
def create_measure(name, timestamp, tags, value):
#jsonmeasure = { "metric": { "__name__": name, "instance": "rtl433", "job": "rtl433tovm" }, "values": [value], "timestamps":[timestamp*1000] }
jsonmeasure = { "metric": { "__name__": name }, "values": [value], "timestamps":[timestamp*1000] }
jsonmeasure["metric"].update(tags)
return json.dumps(jsonmeasure) + '\n'
def on_message(mqttc, obj, msg):
#print(msg.topic + " " + str(msg.qos) + " " + str(msg.payload))
currentts=int(datetime.datetime.now(datetime.UTC).timestamp())
jsonin=json.loads(msg.payload)
ref=""
if "model" in jsonin:
ref+=str(jsonin["model"])
if "channel" in jsonin:
ref+=str(jsonin["channel"])
if "id" in jsonin:
ref+=str(jsonin["id"])
if ref not in recorddb:
recorddb[ref] = {}
recorddb[ref]["lastsend"]=0
if currentts > MINTS and (currentts < recorddb[ref]["lastsend"] or currentts > (recorddb[ref]["lastsend"] + DELAYRECORD)):
tags = {}
for t in TAGS_KEYS:
if t in jsonin:
tags[t] = str(jsonin[t])
measures = ""
if 'temperature_C' in jsonin:
value = float(jsonin['temperature_C'])
if 'temperature' not in recorddb[ref] or recorddb[ref]['temperature'] != value:
measures += create_measure("temperature", currentts, tags, value)
recorddb[ref]['temperature'] = value
if 'humidity' in jsonin:
value = int(jsonin['humidity'])
if 'humidity' not in recorddb[ref] or recorddb[ref]['humidity'] != value:
measures += create_measure("humidity", currentts, tags, value)
recorddb[ref]['humidity'] = value
if 'battery_ok' in jsonin:
value = int(jsonin['battery_ok'])
if 'battery_ok' not in recorddb[ref] or recorddb[ref]['battery_ok'] != value:
measures += create_measure("battery_ok", currentts, tags, value)
recorddb[ref]['battery_ok'] = value
if len(measures) > 0:
recorddb[ref]["lastsend"] = currentts
#print(measures)
try:
requests.post("http://{}:8428/api/v1/import".format(vmhost), data=measures)
except:
print("VictoriaMetrics communication error")
def on_subscribe(mqttc, obj, mid, granted_qos):
print("Subscribed: " + str(mid) + " " + str(granted_qos))
signal.signal(signal.SIGINT, signal_handler)
# If you want to use a specific client id, use
# mqttc = mqtt.Client("client-id")
# but note that the client id must be unique on the broker. Leaving the client
# id parameter empty will generate a random id for you.
mqttc = mqtt.Client()
mqttc.on_message = on_message
mqttc.on_connect = on_connect
mqttc.on_subscribe = on_subscribe
# Uncomment to enable debug messages
# mqttc.on_log = on_log
mqttc.connect(mqtthost, 1883, 60)
mqttc.subscribe(prefix+"/events", 0)
mqttc.loop_forever()

1127
python/rtl_433_mqtt_hass.py Executable file

File diff suppressed because it is too large Load Diff

345
src/DLinkedList.h Normal file
View File

@ -0,0 +1,345 @@
/*
LinkedList.h - V1.1 - Generic LinkedList implementation
Works better with FIFO, because LIFO will need to
search the entire List to find the last one;
For instructions, go to https://github.com/ivanseidel/LinkedList
Created by Ivan Seidel Gomes, March, 2013.
Released into the public domain.
*/
#ifndef DLinkedList_h
#define DLinkedList_h
#include <stddef.h>
template <class T>
struct DListNode
{
T data;
DListNode<T> *next;
};
template <typename T>
class DLinkedList
{
protected:
int _size;
DListNode<T> *root;
DListNode<T> *last;
// Helps "get" method, by saving last position
DListNode<T> *lastNodeGot;
int lastIndexGot;
// isCached should be set to FALSE
// everytime the list suffer changes
bool isCached;
DListNode<T> *getNode(int index);
public:
DLinkedList();
~DLinkedList();
/*
Returns current size of LinkedList
*/
virtual int size();
/*
Adds a T object in the specified index;
Unlink and link the LinkedList correcly;
Increment _size
*/
virtual bool add(int index, T);
/*
Adds a T object in the end of the LinkedList;
Increment _size;
*/
virtual bool add(T);
/*
Adds a T object in the start of the LinkedList;
Increment _size;
*/
virtual bool unshift(T);
/*
Set the object at index, with T;
Increment _size;
*/
virtual bool set(int index, T);
/*
Remove object at index;
If index is not reachable, returns false;
else, decrement _size
*/
virtual T remove(int index);
/*
Remove last object;
*/
virtual T pop();
/*
Remove first object;
*/
virtual T shift();
/*
Get the index'th element on the list;
Return Element if accessible,
else, return false;
*/
virtual T get(int index);
/*
Clear the entire array
*/
virtual void clear();
};
// Initialize LinkedList with false values
template <typename T>
DLinkedList<T>::DLinkedList()
{
root = NULL;
last = NULL;
_size = 0;
lastNodeGot = root;
lastIndexGot = 0;
isCached = false;
}
// Clear Nodes and free Memory
template <typename T>
DLinkedList<T>::~DLinkedList()
{
DListNode<T> *tmp;
while (root != NULL)
{
tmp = root;
root = root->next;
delete tmp;
}
last = NULL;
_size = 0;
isCached = false;
}
/*
Actualy "logic" coding
*/
template <typename T>
DListNode<T> *DLinkedList<T>::getNode(int index)
{
int _pos = 0;
DListNode<T> *current = root;
// Check if the node trying to get is
// immediatly AFTER the previous got one
if (isCached && lastIndexGot <= index)
{
_pos = lastIndexGot;
current = lastNodeGot;
}
while (_pos < index && current)
{
current = current->next;
_pos++;
}
// Check if the object index got is the same as the required
if (_pos == index)
{
isCached = true;
lastIndexGot = index;
lastNodeGot = current;
return current;
}
return NULL;
}
template <typename T>
int DLinkedList<T>::size()
{
return _size;
}
template <typename T>
bool DLinkedList<T>::add(int index, T _t)
{
if (index >= _size)
return add(_t);
if (index == 0)
return unshift(_t);
DListNode<T> *tmp = new DListNode<T>(),
*_prev = getNode(index - 1);
tmp->data = _t;
tmp->next = _prev->next;
_prev->next = tmp;
_size++;
isCached = false;
return true;
}
template <typename T>
bool DLinkedList<T>::add(T _t)
{
DListNode<T> *tmp = new DListNode<T>();
tmp->data = _t;
tmp->next = NULL;
if (root)
{
// Already have elements inserted
last->next = tmp;
last = tmp;
}
else
{
// First element being inserted
root = tmp;
last = tmp;
}
_size++;
isCached = false;
return true;
}
template <typename T>
bool DLinkedList<T>::unshift(T _t)
{
if (_size == 0)
return add(_t);
DListNode<T> *tmp = new DListNode<T>();
tmp->next = root;
tmp->data = _t;
root = tmp;
_size++;
isCached = false;
return true;
}
template <typename T>
bool DLinkedList<T>::set(int index, T _t)
{
// Check if index position is in bounds
if (index < 0 || index >= _size)
return false;
getNode(index)->data = _t;
return true;
}
template <typename T>
T DLinkedList<T>::pop()
{
if (_size <= 0)
return T();
isCached = false;
if (_size >= 2)
{
DListNode<T> *tmp = getNode(_size - 2);
T ret = tmp->next->data;
delete (tmp->next);
tmp->next = NULL;
last = tmp;
_size--;
return ret;
}
else
{
// Only one element left on the list
T ret = root->data;
delete (root);
root = NULL;
last = NULL;
_size = 0;
return ret;
}
}
template <typename T>
T DLinkedList<T>::shift()
{
if (_size <= 0)
return T();
if (_size > 1)
{
DListNode<T> *_next = root->next;
T ret = root->data;
delete (root);
root = _next;
_size--;
isCached = false;
return ret;
}
else
{
// Only one left, then pop()
return pop();
}
}
template <typename T>
T DLinkedList<T>::remove(int index)
{
if (index < 0 || index >= _size)
{
return T();
}
if (index == 0)
return shift();
if (index == _size - 1)
{
return pop();
}
DListNode<T> *tmp = getNode(index - 1);
DListNode<T> *toDelete = tmp->next;
T ret = toDelete->data;
tmp->next = tmp->next->next;
delete (toDelete);
_size--;
isCached = false;
return ret;
}
template <typename T>
T DLinkedList<T>::get(int index)
{
DListNode<T> *tmp = getNode(index);
return (tmp ? tmp->data : T());
}
template <typename T>
void DLinkedList<T>::clear()
{
while (size() > 0)
shift();
}
#endif

63
src/Dictionary.h Normal file
View File

@ -0,0 +1,63 @@
#include <DLinkedList.h>
template <class T, class U>
class Dictionary
{
private:
DLinkedList<T> KeyList = DLinkedList<T>();
DLinkedList<U> ValList = DLinkedList<U>();
public:
void set(T key, U val)
{
for (int i = 0; i < KeyList.size(); i++)
{
if (KeyList.get(i) == key) {
ValList.set(i, val);
return;
}
}
KeyList.add(key);
ValList.add(val);
}
U get(T key)
{
for (int i = 0; i < KeyList.size(); i++)
{
if (KeyList.get(i) == key)
{
return ValList.get(i);
}
}
}
T getKey(U val)
{
for (int i = 0; i < ValList.size(); i++)
{
if (ValList.get(i) == val)
{
return KeyList.get(i);
}
}
}
int length()
{
return KeyList.size();
}
bool contains(T key) {
for (int x = 0; x < length(); x++) {
if(KeyList.get(x) == key) {
return true;
}
}
return false;
}
T getKeyByIndex(int index) {
return KeyList.get(index);
}
};

132
src/main.ino Normal file
View File

@ -0,0 +1,132 @@
#include <ArduinoJson.h>
#include <rtl_433_ESP.h>
#include <RCSwitch.h>
#include "Dictionary.h"
#define _DICT_PACK_STRUCTURES
#define LED 8
CC1101 radiotx = RADIO_LIB_MODULE;
RCSwitch mySwitch = RCSwitch();
#ifndef RF_MODULE_FREQUENCY
# define RF_MODULE_FREQUENCY 433.92
#endif
#define JSON_MSG_BUFFER 512
#define MINDELAY 10L
Dictionary<String, unsigned long> d1;
char messageBuffer[JSON_MSG_BUFFER];
rtl_433_ESP rf; // use -1 to disable transmitter
int count = 0;
void rtl_433_Callback(char* message) {
JsonDocument jsonDocument;
deserializeJson(jsonDocument,message);
logJson(jsonDocument);
count++;
}
void logJson(JsonDocument jsondata) {
if(jsondata["model"].is<String>())
{
String ref = jsondata["model"];
if(jsondata["channel"].is<int>()) { ref = ref + jsondata["channel"].as<String>(); }
if(jsondata["id"].is<int>()) { ref = ref + jsondata["id"].as<String>(); }
if(!d1.contains(ref.c_str()) || millis() > (d1.get(ref.c_str()) + (MINDELAY * 1000)) || d1.get(ref.c_str()) > millis()) {
//Serial.println(ref.c_str());
//if(d1.contains(ref.c_str())) { Serial.println(d1.get(ref.c_str())); }
#if defined(ESP8266) || defined(ESP32) || defined(__AVR_ATmega2560__) || defined(__AVR_ATmega1280__)
char JSONmessageBuffer[measureJson(jsondata) + 1];
serializeJson(jsondata, JSONmessageBuffer, measureJson(jsondata) + 1);
#else
char JSONmessageBuffer[JSON_MSG_BUFFER];
serializeJson(jsondata, JSONmessageBuffer, JSON_MSG_BUFFER);
#endif
d1.set(ref.c_str(), millis());
ledblink();
Serial.println(JSONmessageBuffer);
}
}
}
void ledblink() {
digitalWrite(LED, LOW);
delay(150);
digitalWrite(LED, HIGH);
}
void setup() {
Serial.begin(115200);
delay(1000);
for (int i=0 ; i<10; i++) {
Serial.print("Hello");
delay(1000);
}
if(SS != 21 || MOSI != 20 || MISO != 10 || SCK != 7)
{
for ( ; ; ) {
Serial.println("Please define pin assignment for SPI in pins_arduino.h (~/.platformio/packages/framework-arduinoespressif32/variants/esp32c3) / SS: 21 MOSI : 20 MISO : 10 SCK : 7");
delay(1000);
}
}
pinMode(LED, OUTPUT);
digitalWrite(LED, HIGH);
rf.initReceiver(RF_MODULE_RECEIVER_GPIO, RF_MODULE_FREQUENCY);
rf.setCallback(rtl_433_Callback, messageBuffer, JSON_MSG_BUFFER);
rf.enableReceiver();
rf.getModuleStatus();
//d = new Dictionary(25);
//d("aa", "bb");
//if(d1("aa")) { Serial.println("toto"); }
}
void loop() {
rf.loop();
if (Serial.available())
{
// Read the JSON document from the "link" serial port
JsonDocument doc;
DeserializationError err = deserializeJson(doc, Serial);
if (err == DeserializationError::Ok)
{
Serial.print("cmd = ");
Serial.println(doc["cmd"].as<String>());
Serial.print("value = ");
Serial.println(doc["value"].as<uint32_t>());
if(doc["cmd"].as<String>().compareTo(String("rcsend"))==0) {
Serial.println("Transmit RCSwitch");
ledblink();
//rf.getModuleStatus();
rf.disableReceiver();
radiotx.SPIsendCommand(RADIOLIB_CC1101_CMD_TX);
mySwitch.enableTransmit(RF_MODULE_GDO0);
mySwitch.setRepeatTransmit(8);
mySwitch.send(doc["value"].as<uint32_t>(), 24);
mySwitch.disableTransmit();
radiotx.SPIsendCommand(RADIOLIB_CC1101_CMD_RX);
rf.enableReceiver();
//rf.getModuleStatus();
}
}
else
{
// Print error to the "debug" serial port
Serial.print("deserializeJson() returned ");
Serial.println(err.c_str());
// Flush all bytes in the "link" serial port buffer
while (Serial.available() > 0)
Serial.read();
}
}
}

39
src/pinsME_arduino.h Normal file
View File

@ -0,0 +1,39 @@
#ifndef PinsME_Arduino_h
#define PinsME_Arduino_h
#include <stdint.h>
#include "soc/soc_caps.h"
#define EXTERNAL_NUM_INTERRUPTS 22
#define NUM_DIGITAL_PINS 22
#define NUM_ANALOG_INPUTS 6
static const uint8_t LED_BUILTIN = SOC_GPIO_PIN_COUNT+8;
#define BUILTIN_LED LED_BUILTIN // backward compatibility
#define LED_BUILTIN LED_BUILTIN
#define RGB_BUILTIN LED_BUILTIN
#define RGB_BRIGHTNESS 64
#define analogInputToDigitalPin(p) (((p)<NUM_ANALOG_INPUTS)?(analogChannelToDigitalPin(p)):-1)
#define digitalPinToInterrupt(p) (((p)<NUM_DIGITAL_PINS)?(p):-1)
#define digitalPinHasPWM(p) (p < EXTERNAL_NUM_INTERRUPTS)
static const uint8_t TX = 21;
static const uint8_t RX = 20;
static const uint8_t SDA = 8;
static const uint8_t SCL = 9;
static const uint8_t SS = 21;
static const uint8_t MOSI = 20;
static const uint8_t MISO = 10;
static const uint8_t SCK = 7;
static const uint8_t A0 = 0;
static const uint8_t A1 = 1;
static const uint8_t A2 = 2;
static const uint8_t A3 = 3;
static const uint8_t A4 = 4;
static const uint8_t A5 = 5;
#endif /* PinsME_Arduino_h */