Hardware components | ||||||
| × | 1 | ||||
Software apps and online services | ||||||
| ||||||
Hand tools and fabrication machines | ||||||
|
A safe is only as safe as its features allow. A safe that monitors who's opening it and when/by whom is the topic of this project.
I) Hardware:The control system for this project is the Avnet Azure Sphere MT3620 starter kit.
The goal of the project is to detect attempts to open this safe:
The safe has a biometric lock composed of a fingerprint reader, a mechanical lock system, and an electronic solenoid designed to disable the mechanical lock until energized.
The fingerprint module seems to be a variation of GT-511C3 made by ADH-Tech
The module is supposed to communicate via Rx/Tx, however, this version must have some custom software, since I could not communicate with the module using available online software.
https://www.sparkfun.com/products/retired/13007
https://cdn.sparkfun.com/datasheets/Sensors/Biometric/GT-511C1R_datasheet_V2-2016-10-25.pdf
My plan was to tap into the communication bus and transmit open attempts to the Azure Sphere cloud IoT Hub. The fingerprint module communicates with a control board that can activate some LEDs and a buzzer.
The first part of the challenge is to ping the Azure Sphere server every day.
I set up an account as CapperLabs on the Microsoft Azure cloud server.
Then I created an IoT Hub named CapperLabsIoTHub
I also created a Time Series Insights environment called CapperLabsMT3620data as a way to visualize the data from the Avnet Asure Sphere starter kit.
Since I could not tap into the Rx/Tx communication, I will just connect the green and red safe status LEDs to the "A" and "B" buttons on the Avnet Azure Sphere Starter Kit. The telemetry software will send the button status to the cloud IoT hub.
/* Copyright (c) Microsoft Corporation. All rights reserved.
Licensed under the MIT License. */
/************************************************************************************************
Name: AvnetStarterKitReferenceDesign
Sphere OS: 19.02
This file contains the 'main' function. Program execution begins and ends there
Authors:
Peter Fenn (Avnet Engineering & Technology)
Brian Willess (Avnet Engineering & Technology)
Purpose:
Using the Avnet Azure Sphere Starter Kit demonstrate the following features
1. Read X,Y,Z accelerometer data from the onboard LSM6DSO device using the I2C Interface
2. Read X,YZ Angular rate data from the onboard LSM6DSO device using the I2C Interface
3. Read the barometric pressure from the onboard LPS22HH device using the I2C Interface
4. Read the temperature from the onboard LPS22HH device using the I2C Interface
5. Read the state of the A and B buttons
6. Read BSSID address, Wi-Fi AP SSID, Wi-Fi Frequency
*************************************************************************************************
Connected application features: When connected to Azure IoT Hub or IoT Central
*************************************************************************************************
7. Send X,Y,Z accelerometer data to Azure
8. Send barometric pressure data to Azure
9. Send button state data to Azure
10. Send BSSID address, Wi-Fi AP SSID, Wi-Fi Frequency data to Azure
11. Send the application version string to Azure
12. Control user RGB LEDs from the cloud using device twin properties
13. Control optional Relay Click relays from the cloud using device twin properties
14. Send Application version up as a device twin property
TODO
1. Add support for a OLED display
2. Add supprt for on-board light sensor
*************************************************************************************************/
#include <errno.h>
#include <signal.h>
#include <stdbool.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>
#include <unistd.h>
#include <stdio.h>
#include <math.h>
// applibs_versions.h defines the API struct versions to use for applibs APIs.
#include "applibs_versions.h"
#include "epoll_timerfd_utilities.h"
#include "i2c.h"
#include "mt3620_avnet_dev.h"
#include "deviceTwin.h"
#include "azure_iot_utilities.h"
#include "connection_strings.h"
#include "build_options.h"
#include <applibs/log.h>
#include <applibs/i2c.h>
#include <applibs/gpio.h>
#include <applibs/wificonfig.h>
#include <azureiot/iothub_device_client_ll.h>
// Provide local access to variables in other files
extern twin_t twinArray[];
extern int twinArraySize;
extern IOTHUB_DEVICE_CLIENT_LL_HANDLE iothubClientHandle;
// Support functions.
static void TerminationHandler(int signalNumber);
static int InitPeripheralsAndHandlers(void);
static void ClosePeripheralsAndHandlers(void);
// File descriptors - initialized to invalid value
int epollFd = -1;
static int buttonPollTimerFd = -1;
static int buttonAGpioFd = -1;
static int buttonBGpioFd = -1;
int userLedRedFd = -1;
int userLedGreenFd = -1;
int userLedBlueFd = -1;
int appLedFd = -1;
int wifiLedFd = -1;
int clickSocket1Relay1Fd = -1;
int clickSocket1Relay2Fd = -1;
// Button state variables, initilize them to button not-pressed (High)
static GPIO_Value_Type buttonAState = GPIO_Value_High;
static GPIO_Value_Type buttonBState = GPIO_Value_High;
#if (defined(IOT_CENTRAL_APPLICATION) || defined(IOT_HUB_APPLICATION))
bool versionStringSent = false;
#endif
// Define the Json string format for the accelerator button press data
static const char cstrButtonTelemetryJson[] = "{\"%s\":\"%d\"}";
// Termination state
volatile sig_atomic_t terminationRequired = false;
/// <summary>
/// Signal handler for termination requests. This handler must be async-signal-safe.
/// </summary>
static void TerminationHandler(int signalNumber)
{
// Don't use Log_Debug here, as it is not guaranteed to be async-signal-safe.
terminationRequired = true;
}
/// <summary>
/// Handle button timer event: if the button is pressed, report the event to the IoT Hub.
/// </summary>
static void ButtonTimerEventHandler(EventData *eventData)
{
bool sendTelemetryButtonA = false;
bool sendTelemetryButtonB = false;
if (ConsumeTimerFdEvent(buttonPollTimerFd) != 0) {
terminationRequired = true;
return;
}
// Check for button A press
GPIO_Value_Type newButtonAState;
int result = GPIO_GetValue(buttonAGpioFd, &newButtonAState);
if (result != 0) {
Log_Debug("ERROR: Could not read button GPIO: %s (%d).\n", strerror(errno), errno);
terminationRequired = true;
return;
}
// If the A button has just been pressed, send a telemetry message
// The button has GPIO_Value_Low when pressed and GPIO_Value_High when released
if (newButtonAState != buttonAState) {
if (newButtonAState == GPIO_Value_Low) {
Log_Debug("Button A pressed!\n");
sendTelemetryButtonA = true;
}
else {
Log_Debug("Button A released!\n");
}
// Update the static variable to use next time we enter this routine
buttonAState = newButtonAState;
}
// Check for button B press
GPIO_Value_Type newButtonBState;
result = GPIO_GetValue(buttonBGpioFd, &newButtonBState);
if (result != 0) {
Log_Debug("ERROR: Could not read button GPIO: %s (%d).\n", strerror(errno), errno);
terminationRequired = true;
return;
}
// If the B button has just been pressed/released, send a telemetry message
// The button has GPIO_Value_Low when pressed and GPIO_Value_High when released
if (newButtonBState != buttonBState) {
if (newButtonBState == GPIO_Value_Low) {
// Send Telemetry here
Log_Debug("Button B pressed!\n");
sendTelemetryButtonB = true;
}
else {
Log_Debug("Button B released!\n");
}
// Update the static variable to use next time we enter this routine
buttonBState = newButtonBState;
}
// If either button was pressed, then enter the code to send the telemetry message
if (sendTelemetryButtonA || sendTelemetryButtonB) {
char *pjsonBuffer = (char *)malloc(JSON_BUFFER_SIZE);
if (pjsonBuffer == NULL) {
Log_Debug("ERROR: not enough memory to send telemetry");
}
if (sendTelemetryButtonA) {
// construct the telemetry message for Button A
snprintf(pjsonBuffer, JSON_BUFFER_SIZE, cstrButtonTelemetryJson, "buttonA", newButtonAState);
Log_Debug("\n[Info] Sending telemetry %s\n", pjsonBuffer);
AzureIoT_SendMessage(pjsonBuffer);
}
if (sendTelemetryButtonB) {
// construct the telemetry message for Button B
snprintf(pjsonBuffer, JSON_BUFFER_SIZE, cstrButtonTelemetryJson, "buttonB", newButtonBState);
Log_Debug("\n[Info] Sending telemetry %s\n", pjsonBuffer);
AzureIoT_SendMessage(pjsonBuffer);
}
free(pjsonBuffer);
}
}
// event handler data structures. Only the event handler field needs to be populated.
static EventData buttonEventData = { .eventHandler = &ButtonTimerEventHandler };
/// <summary>
/// Set up SIGTERM termination handler, initialize peripherals, and set up event handlers.
/// </summary>
/// <returns>0 on success, or -1 on failure</returns>
static int InitPeripheralsAndHandlers(void)
{
struct sigaction action;
memset(&action, 0, sizeof(struct sigaction));
action.sa_handler = TerminationHandler;
sigaction(SIGTERM, &action, NULL);
epollFd = CreateEpollFd();
if (epollFd < 0) {
return -1;
}
if (initI2c() == -1) {
return -1;
}
// Traverse the twin Array and for each GPIO item in the list open the file descriptor
for (int i = 0; i < twinArraySize; i++) {
// Verify that this entry is a GPIO entry
if (twinArray[i].twinGPIO != NO_GPIO_ASSOCIATED_WITH_TWIN) {
*twinArray[i].twinFd = -1;
// For each item in the data structure, initialize the file descriptor and open the GPIO for output. Initilize each GPIO to its specific inactive state.
*twinArray[i].twinFd = (int)GPIO_OpenAsOutput(twinArray[i].twinGPIO, GPIO_OutputMode_PushPull, twinArray[i].active_high ? GPIO_Value_Low : GPIO_Value_High);
if (*twinArray[i].twinFd < 0) {
Log_Debug("ERROR: Could not open LED %d: %s (%d).\n", twinArray[i].twinGPIO, strerror(errno), errno);
return -1;
}
}
}
// Open button A GPIO as input
Log_Debug("Opening Starter Kit Button A as input.\n");
buttonAGpioFd = GPIO_OpenAsInput(MT3620_RDB_BUTTON_A);
if (buttonAGpioFd < 0) {
Log_Debug("ERROR: Could not open button A GPIO: %s (%d).\n", strerror(errno), errno);
return -1;
}
// Open button B GPIO as input
Log_Debug("Opening Starter Kit Button B as input.\n");
buttonBGpioFd = GPIO_OpenAsInput(MT3620_RDB_BUTTON_B);
if (buttonBGpioFd < 0) {
Log_Debug("ERROR: Could not open button B GPIO: %s (%d).\n", strerror(errno), errno);
return -1;
}
// Set up a timer to poll the buttons
struct timespec buttonPressCheckPeriod = { 0, 1000000 };
buttonPollTimerFd =
CreateTimerFdAndAddToEpoll(epollFd, &buttonPressCheckPeriod, &buttonEventData, EPOLLIN);
if (buttonPollTimerFd < 0) {
return -1;
}
// Tell the system about the callback function that gets called when we receive a device twin update message from Azure
AzureIoT_SetDeviceTwinUpdateCallback(&deviceTwinChangedHandler);
return 0;
}
/// <summary>
/// Close peripherals and handlers.
/// </summary>
static void ClosePeripheralsAndHandlers(void)
{
Log_Debug("Closing file descriptors.\n");
closeI2c();
CloseFdAndPrintError(epollFd, "Epoll");
CloseFdAndPrintError(buttonPollTimerFd, "buttonPoll");
CloseFdAndPrintError(buttonAGpioFd, "buttonA");
CloseFdAndPrintError(buttonBGpioFd, "buttonB");
// Traverse the twin Array and for each GPIO item in the list the close the file descriptor
for (int i = 0; i < twinArraySize; i++) {
// Verify that this entry has an open file descriptor
if (twinArray[i].twinGPIO != NO_GPIO_ASSOCIATED_WITH_TWIN) {
CloseFdAndPrintError(*twinArray[i].twinFd, twinArray[i].twinKey);
}
}
}
/// <summary>
/// Main entry point for this application.
/// </summary>
int main(int argc, char *argv[])
{
// Variable to help us send the version string up only once
bool networkConfigSent = false;
char ssid[128];
uint32_t frequency;
char bssid[20];
// Clear the ssid array
memset(ssid, 0, 128);
Log_Debug("Version String: %s\n", argv[1]);
Log_Debug("Avnet Starter Kit Simple Reference Application starting.\n");
if (InitPeripheralsAndHandlers() != 0) {
terminationRequired = true;
}
// Use epoll to wait for events and trigger handlers, until an error or SIGTERM happens
while (!terminationRequired) {
if (WaitForEventAndCallHandler(epollFd) != 0) {
terminationRequired = true;
}
#if (defined(IOT_CENTRAL_APPLICATION) || defined(IOT_HUB_APPLICATION))
// Setup the IoT Hub client.
// Notes:
// - it is safe to call this function even if the client has already been set up, as in
// this case it would have no effect;
// - a failure to setup the client is a fatal error.
if (!AzureIoT_SetupClient()) {
Log_Debug("ERROR: Failed to set up IoT Hub client\n");
break;
}
#endif
WifiConfig_ConnectedNetwork network;
int result = WifiConfig_GetCurrentNetwork(&network);
if (result < 0) {
// Log_Debug("INFO: Not currently connected to a WiFi network.\n");
}
else {
frequency = network.frequencyMHz;
snprintf(bssid, JSON_BUFFER_SIZE, "%02x:%02x:%02x:%02x:%02x:%02x",
network.bssid[0], network.bssid[1], network.bssid[2],
network.bssid[3], network.bssid[4], network.bssid[5]);
if ((strncmp(ssid, (char*)&network.ssid, network.ssidLength)!=0) || !networkConfigSent) {
memset(ssid, 0, 128);
strncpy(ssid, network.ssid, network.ssidLength);
Log_Debug("SSID: %s\n", ssid);
Log_Debug("Frequency: %dMHz\n", frequency);
Log_Debug("bssid: %s\n", bssid);
networkConfigSent = true;
#if (defined(IOT_CENTRAL_APPLICATION) || defined(IOT_HUB_APPLICATION))
// Note that we send up this data to Azure if it changes, but the IoT Central Properties elements only
// show the data that was currenet when the device first connected to Azure.
checkAndUpdateDeviceTwin("ssid", &ssid, TYPE_STRING, true);
checkAndUpdateDeviceTwin("freq", &frequency, TYPE_INT, false);
checkAndUpdateDeviceTwin("bssid", &bssid, TYPE_STRING, false);
#endif
}
}
#if (defined(IOT_CENTRAL_APPLICATION) || defined(IOT_HUB_APPLICATION))
if (iothubClientHandle != NULL && !versionStringSent) {
checkAndUpdateDeviceTwin("versionString", argv[1], TYPE_STRING, false);
versionStringSent = true;
}
// AzureIoT_DoPeriodicTasks() needs to be called frequently in order to keep active
// the flow of data with the Azure IoT Hub
AzureIoT_DoPeriodicTasks();
#endif
}
ClosePeripheralsAndHandlers();
Log_Debug("Application exiting.\n");
return 0;
}
Comments