simple script to send notification on your phone on open door

This commit is contained in:
Maik Hofmann 2021-02-14 13:15:41 +01:00
parent f69d3213b9
commit e82d84d323
10 changed files with 358 additions and 0 deletions

1
.gitignore vendored
View File

@ -1 +1,2 @@
HCPBridge/.vscode
Investigation/bussniffer/tools/opendooralert/opendooralert.py.bak

View File

@ -0,0 +1,59 @@
import requests
import time
from pushnotifier import PushNotifier as pn
# replace with your device ip
url="http://192.168.178.35/status"
#create account on https://pushnotifier.de/notifications
api_key = "add your api key"
username = 'add your username'
password = 'add your password'
package = 'add your package'
alerttime = 15 # alle 15 Minuten
intervall = 5 # alle 5 Minuten
openstarttime = -1;
def sendAlert(message):
session = pn.PushNotifier(username, password, package, api_key)
session.send_text(message, silent=False, devices=session.get_all_devices())
def millis():
return round(time.time() * 1000)
def handleOpenDoor():
global openstarttime
if openstarttime == -1:
openstarttime = millis()
if openstarttime+ alerttime*60*1000 < millis():
sendAlert('Deine Garage ist offen!')
openstarttime = millis()
def handleCloseDoor():
global openstarttime
if openstarttime > -1:
sendAlert('Deine Garage wurde geschlossen')
openstarttime = -1;
while True:
print("get status...")
try:
r = requests.get(url)
if r.status_code < 400:
status = r.json()
if status["valid"]:
if status["doorstate"] != 0x40:
handleOpenDoor()
else:
handleCloseDoor()
else:
print("Status is invalid")
else:
print("invalid response code "+ r.status_code)
except requests.exceptions.RequestException as e:
print("error: " + e)
time.sleep(intervall*60)

View File

@ -0,0 +1,278 @@
import requests
import json
import base64
import uuid
from pushnotifier.exceptions import *
class PushNotifier:
def __init__(self, username, password, package_name, api_key):
"""
Initialize a new PushNotifier object
Args:
username (str): your username for https://pushnotifier.de
password (str): your password for https://pushnotifier.de
package_name (str): the package you want to send the messages to
api_key (str): your api key (https://pushnotifier.de/account/api)
"""
self.base_url = 'https://api.pushnotifier.de/v2'
self.login_url = self.base_url + '/user/login'
self.devices_url = self.base_url + '/devices'
self.refresh_url = self.base_url + '/user/refresh'
self.send_text_url = self.base_url + '/notifications/text'
self.send_image_url = self.base_url + '/notifications/image'
self.username = username
self.package_name = package_name
self.api_key = api_key
self.app_token = self.__get_app_token(password)
self.headers = {'X-AppToken': self.app_token}
def login(self, password):
"""
Used to verify everything is working fine
Args:
password (str): your password for https://pushnotifier.de
Returns:
dict: basic information about your account
"""
login_data = {
'username': self.username,
'password': password
}
r = requests.post(self.login_url, json=login_data, auth=(
self.package_name, self.api_key), headers=self.headers)
return r.json()
def __get_app_token(self, password):
login_data = {
'username': self.username,
'password': password
}
r = requests.post(self.login_url, data=login_data, auth=(self.package_name, self.api_key))
if r.status_code == 401:
raise UnauthorizedError
elif r.status_code == 403:
raise IncorrectCredentialsError
elif r.status_code == 404:
raise UserNotFoundError
app_token = json.loads(r.text)['app_token']
return app_token
def refresh_token(self):
"""
Used to refresh your app token
Returns:
str: new app token
"""
r = requests.get(self.refresh_url, auth=(
self.package_name, self.api_key), headers=self.headers)
new_token = r.json()['app_token']
self.app_token = new_token
return new_token
def get_all_devices(self):
"""
Get all devices linked with your account
Returns:
list: list with all devices linked with your account
"""
r = requests.get(self.devices_url, auth=(
self.package_name, self.api_key), headers=self.headers)
devices = r.json()
devices_array = []
for index, _ in enumerate(devices):
devices_array.append(devices[index]['id'])
return devices_array
def send_text(self, text, devices=None, silent=False):
"""
Sends a text to all devices specified
Args:
text (str): the text you want to send
devices (list): a list of all devices you want to send the text to
silent (bool): if False the message triggers a sound
Returns:
int: error code or 200 if everything went fine
Raises:
MalformedRequestError: the request is malformed, i.e. missing content
DeviceNotFoundError: a device couldn\'t be found
"""
if devices == None:
body = {
"devices": self.get_all_devices(),
"content": text,
"silent": silent
}
else:
body = {
"devices": devices,
"content": text,
"silent": silent
}
r = requests.put(self.send_text_url, json=body, auth=(
self.package_name, self.api_key), headers=self.headers)
if r.status_code == 200:
return 200
elif r.status_code == 400:
raise MalformedRequestError
elif r.status_code == 404:
raise DeviceNotFoundError
def send_url(self, url, devices=None, silent=False):
"""
Sends a url to all devices specified
Args:
url (str): the url you want to send
devices (list): a list of all devices you want to send the url to
silent (bool): if False the message triggers a sound
Returns:
int: error code or 200 if everything went fine
Raises:
MalformedRequestError: the request is malformed, i.e. missing content
DeviceNotFoundError: a device couldn\'t be found
"""
if devices == None:
body = {
"devices": self.get_all_devices(),
"content": url,
"silent": silent
}
else:
body = {
"devices": devices,
"content": url,
"silent": silent
}
r = requests.put(self.send_text_url, json=body, auth=(
self.package_name, self.api_key), headers=self.headers)
if r.status_code == 200:
return 200
elif r.status_code == 400:
raise MalformedRequestError
elif r.status_code == 404:
raise DeviceNotFoundError
def send_notification(self, text, url, devices=None, silent=False):
"""
Sends a notification (text + url) to all devices specified
Args:
text (str): the text you want to send
url (str): the url you want to send
devices (list): a list of all devices you want to send the notification to
silent (bool): if False the message triggers a sound
Returns:
int: error code or 200 if everything went fine
Raises:
MalformedRequestError: the request is malformed, i.e. missing content
DeviceNotFoundError: a device couldn\'t be found
"""
if devices == None:
body = {
"devices": self.get_all_devices(),
"content": text,
"url": url,
"silent": silent
}
else:
body = {
"devices": devices,
"content": text,
"url": url,
"silent": silent
}
r = requests.put(self.send_text_url, json=body, auth=(
self.package_name, self.api_key), headers=self.headers)
if r.status_code == 200:
return 200
elif r.status_code == 400:
raise MalformedRequestError
elif r.status_code == 404:
raise DeviceNotFoundError
def send_image(self, image_path, devices=None, silent=False):
"""
Thanks to @Logxn (github/logxn) for this method
Sends an image to all devices specified
Args:
image_path (str): the path to the image you want to send
devices (list): a list of all devices you want to send the image to
silent (bool): if False the message triggers a sound
Returns:
int: error code or 200 if everything went fine
Raises:
MalformedRequestError: the request is malformed, i.e. missing content
DeviceNotFoundError: a device couldn\'t be found
PayloadTooLargeError: your image is too big (> 5 MB)
UnsupportedMediaTypeError: you passed an invalid file type or the device(s) you tried to send this image to can\'t receive images
"""
with open(image_path, 'rb') as image_file:
encoded_bytes = base64.b64encode(image_file.read())
# encoded_image are base64 encoded bytes of the image_file bytes
# since json can't handle raw bytes we need to decode them into a base64 string
encoded_image = encoded_bytes.decode()
# generate random file name
file_name = str(uuid.uuid4())
if devices == None:
body = {
"devices": self.get_all_devices(),
"content": encoded_image,
"filename": file_name,
"silent": silent
}
else:
body = {
"devices": devices,
"content": encoded_image,
"filename": file_name,
"silent": silent
}
r = requests.put(self.send_image_url, json=body, auth=(
self.package_name, self.api_key), headers=self.headers)
if r.status_code == 200:
return 200
elif r.status_code == 400:
raise MalformedRequestError
elif r.status_code == 404:
raise DeviceNotFoundError
elif r.status_code == 413:
raise PayloadTooLargeError
elif r.status_code == 415:
raise UnsupportedMediaTypeError
else:
raise UnknownError

View File

@ -0,0 +1,2 @@
__author__ = "Tom Gaimann | github.com/tomg404"
__version__ = "1.2.2"

View File

@ -0,0 +1,9 @@
MalformedRequestError = Exception('the request is malformed, i.e. missing content')
DeviceNotFoundError = Exception('a device couldn\'t be found')
UserNotFoundError = Exception('user couldn\'t be found (incorrect username/password)')
IncorrectCredentialsError = Exception('credentials are incorrect')
UnauthorizedError = Exception('package name or api key is incorrect')
PayloadTooLargeError = Exception('your image is too big (> 5 MB)')
UnsupportedMediaTypeError = Exception('you passed an invalid file type or the device(s) you tried to send this image to can\'t receive images')
UnknownError = Exception('an unknown error occured! please contact the author of this module!')

View File

@ -0,0 +1,8 @@
#start cron editor
crontab -e
#and add the line:
@reboot /usr/bin/python3 /home/pi/OpenDoorAlert/opendooralert.py
Save and close, and then run
update-rc.d cron defaults

View File

@ -0,0 +1 @@
nohup python3 opendooralert.py &