Version 1.0.0 - February 24, 2025
The githubiot
library enables IoT devices based on ESP8266 or ESP32 microcontrollers to use GitHub as a data storage backend. This innovative approach eliminates the need for dedicated database servers while providing versioning capabilities, web accessibility, and integration with existing GitHub workflows.
This library handles all aspects of GitHub API communication, including authentication, file retrieval, content encoding/decoding, and update operations, allowing developers to focus on their IoT application rather than backend infrastructure.
- Introduction
- Features
- Dependencies
- Installation
- Integration GitHub Action
- Library Components
- API Reference
- Usage Examples
- Technical Background
- Performance Considerations
- Troubleshooting
- Advanced Usage
- License
- GitHub Integration: Store and retrieve data from GitHub repositories
- JSON Support: Native handling of JSON data structures
- Cross-Platform: Compatible with both ESP8266 and ESP32 devices
- Version Control: Automatic handling of GitHub's SHA versioning
- Low Overhead: Minimal memory and processing requirements
- Secure Authentication: Support for GitHub token-based authentication
- Base64 Encoding: Automatic handling of GitHub's content encoding requirements
This library requires the following dependencies:
- Arduino Core (ESP8266 or ESP32)
- ArduinoJson (v6.x or later)
- base64 library
- WiFi library (included in ESP cores)
- HTTPClient library (included in ESP cores)
- In the Arduino IDE, navigate to Library Manager >
GitHubIoT
- Klik INSTALL
- Restart the Arduino IDE
- Download the library as a ZIP file from the GitHub repository
- In the Arduino IDE, navigate to Sketch > Include Library > Add .ZIP Library
- Select the downloaded ZIP file
- Restart the Arduino IDE
- Open the Arduino IDE
- Navigate to Sketch > Include Library > Manage Libraries
- In the search box, type "githubiot"
- Find the library in the list and click "Install"
Make sure to install all required dependencies using the Arduino Library Manager.
Note
This module integration with GitHub Action Workflow. Please README Documentation at Repository IoT GitHub
Important
- Go to your repository settings, then select the Action menu then select the General menu after that select Read and write permissions The workflow has read and write permissions in the repository for all scopes in the Workflow permissions section.
- Copy and paste the following snippet into your .yml file. Detail by IoT GitHub Marketplace
- You can see detail snippet .yml file below
- name: Generate IoT Dashboard
uses: 4211421036/iotgithub@v1.0.1
with:
json_filename: 'data.json'
html_filename: 'index.html'
css_filename: 'styles.css'
site_title: 'My IoT Dashboard'
chart_title: 'IoT Data Chart'
- name: Commit and push changes
run: |
git config --global user.name "GitHub Actions"
git config --global user.email "actions@github.com"
git add .
if git commit -m "Auto-generated IoT dashboard files"; then
git push
else
echo "No changes to commit."
fi
The library consists of two main files:
- githubiot.h: Header file defining the class interface
- githubiot.cpp: Implementation file containing the method definitions
class githubiot {
public:
githubiot(const char* token, const char* repoUrl);
String get_current_sha();
void upload_to_github(DynamicJsonDocument doc, String& last_sha);
private:
const char* _token;
const char* _repo_url;
String _last_sha;
};
githubiot::githubiot(const char* token, const char* repo_url)
Creates a new instance of the githubiot class.
Parameters:
token
: GitHub authentication token with 'Bearer ' prefixrepo_url
: GitHub API URL for the file to be updated
Example:
const char* token = "Bearer ghp_xxxxxxxxxxxxxxxxxxxx";
const char* repo_url = "https://api.github.com/repos/username/repo/contents/data.json";
githubiot iot_module(token, repo_url);
String githubiot::get_current_sha()
Retrieves the current SHA hash of the file from GitHub.
Returns:
- String containing the SHA hash, or empty string if the operation failed
Example:
String sha = iot_module.get_current_sha();
if (sha != "") {
Serial.println("Current SHA: " + sha);
} else {
Serial.println("Failed to get SHA");
}
void githubiot::upload_to_github(DynamicJsonDocument doc, String& last_sha)
Uploads data to GitHub by updating the specified file.
Parameters:
doc
: ArduinoJson DynamicJsonDocument containing the data to uploadlast_sha
: Reference to the current SHA string (will be updated with the new SHA)
Example:
DynamicJsonDocument doc(1024);
doc["sensor"] = "temperature";
doc["value"] = 25.5;
doc["timestamp"] = 1645729845;
String sha = iot_module.get_current_sha();
iot_module.upload_to_github(doc, sha);
#include <githubiot.h>
// Configuration
const char* ssid = "WiFi_SSID";
const char* password = "WiFi_Password";
const char* token = "Bearer ghp_xxxxxxxxxxxxxxxxxxxx";
const char* repo_url = "https://api.github.com/repos/username/repo/contents/sensor_log.json";
// Initialize the module
githubiot iot_module(token, repo_url);
void setup() {
Serial.begin(115200);
// Connect to WiFi
WiFi.begin(ssid, password);
while (WiFi.status() != WL_CONNECTED) {
delay(1000);
Serial.print(".");
}
Serial.println("Connected to WiFi");
// Get current SHA
String sha = iot_module.get_current_sha();
// Create data
DynamicJsonDocument doc(1024);
doc["device_id"] = "esp32_01";
doc["readings"][0]["sensor"] = "temperature";
doc["readings"][0]["value"] = 24.5;
doc["readings"][1]["sensor"] = "humidity";
doc["readings"][1]["value"] = 65.2;
doc["timestamp"] = 1645729845;
// Upload to GitHub
iot_module.upload_to_github(doc, sha);
Serial.println("Data uploaded");
}
void loop() {
// Add periodic data logging as needed
delay(3600000); // Update every hour
}
#include <githubiot.h>
#include <ArduinoJson.h>
#include <time.h>
// Configuration
const char* ssid = "WiFi_SSID";
const char* password = "WiFi_Password";
const char* token = "Bearer ghp_xxxxxxxxxxxxxxxxxxxx";
const char* repo_url = "https://api.github.com/repos/username/repo/contents/timeseries.json";
const char* ntpServer = "pool.ntp.org";
// Initialize the module
githubiot iot_module(token, repo_url);
void setup() {
Serial.begin(115200);
// Connect to WiFi
WiFi.begin(ssid, password);
while (WiFi.status() != WL_CONNECTED) {
delay(1000);
Serial.print(".");
}
Serial.println("Connected to WiFi");
// Initialize time
configTime(0, 0, ntpServer);
}
void loop() {
// Get current time
time_t now;
time(&now);
// Read sensor data
float temperature = readTemperature(); // Your sensor reading function
// Get current SHA
String sha = iot_module.get_current_sha();
// Create or update time series data
DynamicJsonDocument doc(2048);
// If we have existing data, we need to parse it first
if (sha != "") {
// Here we would retrieve existing data and merge
// This example simply creates new data each time
}
// Add new data point
JsonObject newReading = doc["readings"].createNestedObject();
newReading["timestamp"] = now;
newReading["temperature"] = temperature;
// Upload to GitHub
iot_module.upload_to_github(doc, sha);
Serial.println("Data uploaded");
// Wait before next reading
delay(900000); // 15 minutes
}
float readTemperature() {
// Implementation of your sensor reading
return 23.5; // Example value
}
The library communicates with the GitHub API using HTTP requests. Each file in a GitHub repository has a unique SHA hash that changes when the file is modified. When updating a file, you must provide the current SHA to ensure you're updating the latest version.
The workflow follows this sequence:
- Retrieve the current file metadata (including SHA) via GET request
- Prepare the new content
- Encode the content in Base64 (GitHub requirement)
- Send a PUT request with the new content and current SHA
- Receive the updated file metadata (including new SHA)
JSON (JavaScript Object Notation) is used as the data format due to its flexibility and widespread support. The ArduinoJson library provides efficient JSON processing on memory-constrained devices.
GitHub requires file content to be Base64 encoded in API requests. The encoding process converts binary data to ASCII text using the following transformation:
Where each block
The encoding function maps 3 bytes (24 bits) to 4 ASCII characters (6 bits each) according to the Base64 alphabet.
Note
The library handles various HTTP status codes returned by the GitHub API:
Status Code | Description | Library Action |
---|---|---|
200 (OK) | Request successful | Process response |
401 (Unauthorized) | Invalid token | Return error |
404 (Not Found) | File or repository not found | Return error |
409 (Conflict) | SHA mismatch (file changed) | Return error |
422 (Unprocessable Entity) | Validation failed | Return error |
The ArduinoJson library uses dynamic memory allocation. The size of the DynamicJsonDocument
should be adjusted based on your data complexity:
For ESP8266 devices with limited memory, consider:
- Keeping JSON structures simple
- Reducing the size of string literals
- Processing data in smaller chunks
Caution
GitHub API has rate limits:
- Authenticated requests: 5,000 requests/hour
- For optimal performance, limit update frequency to no more than once per minute
The average request-response cycle takes approximately 500-1500ms depending on network conditions.
To optimize power consumption for battery-operated devices:
- Use deep sleep between updates
- Schedule updates at regular intervals
- Implement error backoff strategy
Possible causes:
Important
- Invalid GitHub token
- Incorrect repository URL
- File doesn't exist yet
- Network connectivity issues
Solutions:
- Verify token has correct permissions
- Check repository URL format
- Create file manually for first use
- Test network connection
Caution
Possible causes:
- Invalid or expired token
- Missing "Bearer " prefix in token
Solutions:
- Generate a new GitHub token
- Ensure token includes "Bearer " prefix
Caution
Possible causes:
- Invalid JSON format
- Base64 encoding issues
Solutions:
- Verify JSON structure
- Check Base64 encoding implementation
Enable debug output by defining DEBUG_GITHUBIOT
before including the library:
#define DEBUG_GITHUBIOT
#include <githubiot.h>
To update an existing JSON file while preserving its structure:
// Get current file
String sha = iot_module.get_current_sha();
// Download and parse existing content
// (implementation not shown - would require custom HTTP GET handler)
// Update specific fields
existingDoc["last_updated"] = time(NULL);
existingDoc["readings"][0]["value"] = newValue;
// Upload updated content
iot_module.upload_to_github(existingDoc, sha);
The current implementation uses a fixed commit message ("Update data"). For custom messages, the library would need to be extended.
Implement a robust error handling strategy:
String sha = iot_module.get_current_sha();
if (sha == "") {
// Handle error: could not get SHA
retryWithBackoff();
return;
}
// Prepare data
DynamicJsonDocument doc(1024);
doc["sensor"] = "temperature";
doc["value"] = readSensor();
// Try to upload with retry
bool success = false;
int retries = 0;
while (!success && retries < MAX_RETRIES) {
// Upload to GitHub
int result = iot_module.upload_to_github(doc, sha);
if (result == 200) {
success = true;
} else {
retries++;
delay(1000 * retries); // Exponential backoff
}
}
This library is released under the MIT
License.
- GALIH RIDHO UTOMO
- Fionita Fahra Azzahra