Created
July 19, 2018 04:56
-
-
Save danawoodman/a9ad63f81032dc587c0d24470375e4e5 to your computer and use it in GitHub Desktop.
Control a generic USB relay using node-hid. Handles up to 8 relays.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
* Control a USB relay board using USB. | |
* | |
* This code helped a lot in the understanding of what they boards | |
* expect for hex inputs: | |
* https://github.com/jaketeater/Very-Simple-USB-Relay/blob/master/relay.py | |
*/ | |
const HID = require('node-hid') | |
const ALL_ON = 0xfe | |
const ALL_OFF = 0xfc | |
const ON = 0xff | |
const OFF = 0xfd | |
const VENDOR_ID = 5824 | |
const PRODUCT_ID = 1503 | |
// convert integer to binary representation | |
const itob = num => Number(parseInt(num, 10).toString(2)) | |
class Relay { | |
constructor(numRelays = 1, debug = true) { | |
console.log('NUMBER OF RELAYS:', numRelays) | |
this.debug = debug | |
this.numRelays = numRelays | |
this.relays = Array.from(Array(this.numRelays).keys()) | |
this.device = new HID.HID(VENDOR_ID, PRODUCT_ID) | |
if (!this.device) throw new Error('No device found!') | |
this.device.on('data', data => console.log('DATA:', data)) | |
this.device.on('error', error => console.error('ERROR:', error)) | |
this.logState() | |
} | |
getState() { | |
const binaryState = itob(this.device.getFeatureReport(1, 8)[7]) | |
const state = String(binaryState) | |
.split('') | |
.map(Number) | |
.map(v => (v === 0 ? OFF : ON)) | |
return this.relays.map(index => state[index] || state[0]) | |
} | |
logState() { | |
if (!this.debug) return | |
console.log('STATE:') | |
this.getState().map((state, index) => | |
console.log('-> RELAY:', index, 'STATE:', state === OFF ? 'OFF' : 'ON') | |
) | |
} | |
checkIndex(index) { | |
if (index && !this.relays[index]) | |
throw new Error('Provided index is invalid') | |
} | |
on(index) { | |
this.checkIndex() | |
this.trigger([ON, index]) | |
} | |
off(index) { | |
this.checkIndex() | |
this.trigger([OFF, index]) | |
} | |
allOn() { | |
this.trigger([ALL_ON]) | |
} | |
allOff() { | |
this.trigger([ALL_OFF]) | |
} | |
trigger(state) { | |
this.logState() | |
this.device.sendFeatureReport(state) | |
} | |
} | |
const relay = new Relay(2) | |
// Make sure the relay defaults to off | |
relay.allOff() | |
// relay.allOn() | |
relay.on(1) | |
setTimeout(() => relay.off(1), 500) | |
setTimeout(() => relay.on(2), 500) | |
setTimeout(() => relay.allOff(), 1000) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment