WIP dynamic platform
This commit is contained in:
		
							
								
								
									
										141
									
								
								src/accessories/neatoVacuumRobot.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										141
									
								
								src/accessories/neatoVacuumRobot.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,141 @@ | ||||
| import { Service, PlatformAccessory, CharacteristicValue } from 'homebridge'; | ||||
|  | ||||
| import { HomebridgeNeatoPlatform } from '../homebridgeNeatoPlatform'; | ||||
|  | ||||
| /** | ||||
|  * Platform Accessory | ||||
|  * An instance of this class is created for each accessory your platform registers | ||||
|  * Each accessory may expose multiple services of different service types. | ||||
|  */ | ||||
| export class NeatoVacuumRobotAccessory { | ||||
|   private service: Service; | ||||
|  | ||||
|   /** | ||||
|    * These are just used to create a working example | ||||
|    * You should implement your own code to track the state of your accessory | ||||
|    */ | ||||
|   private exampleStates = { | ||||
|     On: false, | ||||
|     Brightness: 100, | ||||
|   }; | ||||
|  | ||||
|   constructor( | ||||
|     private readonly platform: HomebridgeNeatoPlatform, | ||||
|     private readonly accessory: PlatformAccessory, | ||||
|   ) { | ||||
|  | ||||
|     // set accessory information | ||||
|     this.accessory.getService(this.platform.Service.AccessoryInformation)! | ||||
|       .setCharacteristic(this.platform.Characteristic.Manufacturer, 'Default-Manufacturer') | ||||
|       .setCharacteristic(this.platform.Characteristic.Model, 'Default-Model') | ||||
|       .setCharacteristic(this.platform.Characteristic.SerialNumber, 'Default-Serial'); | ||||
|  | ||||
|     // get the LightBulb service if it exists, otherwise create a new LightBulb service | ||||
|     // you can create multiple services for each accessory | ||||
|     this.service = this.accessory.getService(this.platform.Service.Lightbulb) || this.accessory.addService(this.platform.Service.Lightbulb); | ||||
|  | ||||
|     // set the service name, this is what is displayed as the default name on the Home app | ||||
|     // in this example we are using the name we stored in the `accessory.context` in the `discoverDevices` method. | ||||
|     this.service.setCharacteristic(this.platform.Characteristic.Name, accessory.context.device.exampleDisplayName); | ||||
|  | ||||
|     // each service must implement at-minimum the "required characteristics" for the given service type | ||||
|     // see https://developers.homebridge.io/#/service/Lightbulb | ||||
|  | ||||
|     // register handlers for the On/Off Characteristic | ||||
|     this.service.getCharacteristic(this.platform.Characteristic.On) | ||||
|       .onSet(this.setOn.bind(this))                // SET - bind to the `setOn` method below | ||||
|       .onGet(this.getOn.bind(this));               // GET - bind to the `getOn` method below | ||||
|  | ||||
|     // register handlers for the Brightness Characteristic | ||||
|     this.service.getCharacteristic(this.platform.Characteristic.Brightness) | ||||
|       .onSet(this.setBrightness.bind(this));       // SET - bind to the 'setBrightness` method below | ||||
|  | ||||
|     /** | ||||
|      * Creating multiple services of the same type. | ||||
|      * | ||||
|      * To avoid "Cannot add a Service with the same UUID another Service without also defining a unique 'subtype' property." error, | ||||
|      * when creating multiple services of the same type, you need to use the following syntax to specify a name and subtype id: | ||||
|      * this.accessory.getService('NAME') || this.accessory.addService(this.platform.Service.Lightbulb, 'NAME', 'USER_DEFINED_SUBTYPE_ID'); | ||||
|      * | ||||
|      * The USER_DEFINED_SUBTYPE must be unique to the platform accessory (if you platform exposes multiple accessories, each accessory | ||||
|      * can use the same sub type id.) | ||||
|      */ | ||||
|  | ||||
|     // Example: add two "motion sensor" services to the accessory | ||||
|     const motionSensorOneService = this.accessory.getService('Motion Sensor One Name') || | ||||
|       this.accessory.addService(this.platform.Service.MotionSensor, 'Motion Sensor One Name', 'YourUniqueIdentifier-1'); | ||||
|  | ||||
|     const motionSensorTwoService = this.accessory.getService('Motion Sensor Two Name') || | ||||
|       this.accessory.addService(this.platform.Service.MotionSensor, 'Motion Sensor Two Name', 'YourUniqueIdentifier-2'); | ||||
|  | ||||
|     /** | ||||
|      * Updating characteristics values asynchronously. | ||||
|      * | ||||
|      * Example showing how to update the state of a Characteristic asynchronously instead | ||||
|      * of using the `on('get')` handlers. | ||||
|      * Here we change update the motion sensor trigger states on and off every 10 seconds | ||||
|      * the `updateCharacteristic` method. | ||||
|      * | ||||
|      */ | ||||
|     let motionDetected = false; | ||||
|     setInterval(() => { | ||||
|       // EXAMPLE - inverse the trigger | ||||
|       motionDetected = !motionDetected; | ||||
|  | ||||
|       // push the new value to HomeKit | ||||
|       motionSensorOneService.updateCharacteristic(this.platform.Characteristic.MotionDetected, motionDetected); | ||||
|       motionSensorTwoService.updateCharacteristic(this.platform.Characteristic.MotionDetected, !motionDetected); | ||||
|  | ||||
|       this.platform.log.debug('Triggering motionSensorOneService:', motionDetected); | ||||
|       this.platform.log.debug('Triggering motionSensorTwoService:', !motionDetected); | ||||
|     }, 10000); | ||||
|   } | ||||
|  | ||||
|   /** | ||||
|    * Handle "SET" requests from HomeKit | ||||
|    * These are sent when the user changes the state of an accessory, for example, turning on a Light bulb. | ||||
|    */ | ||||
|   async setOn(value: CharacteristicValue) { | ||||
|     // implement your own code to turn your device on/off | ||||
|     this.exampleStates.On = value as boolean; | ||||
|  | ||||
|     this.platform.log.debug('Set Characteristic On ->', value); | ||||
|   } | ||||
|  | ||||
|   /** | ||||
|    * Handle the "GET" requests from HomeKit | ||||
|    * These are sent when HomeKit wants to know the current state of the accessory, for example, checking if a Light bulb is on. | ||||
|    * | ||||
|    * GET requests should return as fast as possbile. A long delay here will result in | ||||
|    * HomeKit being unresponsive and a bad user experience in general. | ||||
|    * | ||||
|    * If your device takes time to respond you should update the status of your device | ||||
|    * asynchronously instead using the `updateCharacteristic` method instead. | ||||
|  | ||||
|    * @example | ||||
|    * this.service.updateCharacteristic(this.platform.Characteristic.On, true) | ||||
|    */ | ||||
|   async getOn(): Promise<CharacteristicValue> { | ||||
|     // implement your own code to check if the device is on | ||||
|     const isOn = this.exampleStates.On; | ||||
|  | ||||
|     this.platform.log.debug('Get Characteristic On ->', isOn); | ||||
|  | ||||
|     // if you need to return an error to show the device as "Not Responding" in the Home app: | ||||
|     // throw new this.platform.api.hap.HapStatusError(this.platform.api.hap.HAPStatus.SERVICE_COMMUNICATION_FAILURE); | ||||
|  | ||||
|     return isOn; | ||||
|   } | ||||
|  | ||||
|   /** | ||||
|    * Handle "SET" requests from HomeKit | ||||
|    * These are sent when the user changes the state of an accessory, for example, changing the Brightness | ||||
|    */ | ||||
|   async setBrightness(value: CharacteristicValue) { | ||||
|     // implement your own code to set the brightness | ||||
|     this.exampleStates.Brightness = value as number; | ||||
|  | ||||
|     this.platform.log.debug('Set Characteristic Brightness -> ', value); | ||||
|   } | ||||
|  | ||||
| } | ||||
							
								
								
									
										210
									
								
								src/homebridgeNeatoPlatform.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										210
									
								
								src/homebridgeNeatoPlatform.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,210 @@ | ||||
| import {API, Characteristic, DynamicPlatformPlugin, Logger, PlatformAccessory, PlatformConfig, Service} from 'homebridge'; | ||||
| import Debug from "debug"; | ||||
| import NeatoApi from "node-botvac"; | ||||
| import {PLATFORM_NAME, PLUGIN_NAME} from './settings'; | ||||
| import {NeatoVacuumRobotAccessory} from './accessories/NeatoVacuumRobot'; | ||||
|  | ||||
| const debug = Debug("homebridge-neato"); | ||||
|  | ||||
| /** | ||||
|  * HomebridgePlatform | ||||
|  * This class is the main constructor for your plugin, this is where you should | ||||
|  * parse the user config and discover/register accessories with Homebridge. | ||||
|  */ | ||||
| export class HomebridgeNeatoPlatform implements DynamicPlatformPlugin | ||||
| { | ||||
| 	public readonly Service: typeof Service = this.api.hap.Service; | ||||
| 	public readonly Characteristic: typeof Characteristic = this.api.hap.Characteristic; | ||||
|  | ||||
| 	// this is used to track restored cached accessories | ||||
| 	public readonly accessories: PlatformAccessory[] = []; | ||||
|  | ||||
| 	constructor( | ||||
| 			public readonly log: Logger, | ||||
| 			public readonly config: PlatformConfig, | ||||
| 			public readonly api: API) | ||||
| 	{ | ||||
| 		this.log.debug('Finished initializing platform:', this.config.name); | ||||
|  | ||||
| 		this.api.on('didFinishLaunching', () => { | ||||
| 			log.debug('Executed didFinishLaunching callback'); | ||||
| 			this.discoverRobots(); | ||||
| 		}); | ||||
| 	} | ||||
|  | ||||
| 	/** | ||||
| 	 * This function is invoked when homebridge restores cached accessories from disk at startup. | ||||
| 	 * It should be used to setup event handlers for characteristics and update respective values. | ||||
| 	 */ | ||||
| 	configureAccessory(accessory: PlatformAccessory) | ||||
| 	{ | ||||
| 		this.log.info('Loading accessory from cache:', accessory.displayName); | ||||
|  | ||||
| 		// add the restored accessory to the accessories cache so we can track if it has already been registered | ||||
| 		this.accessories.push(accessory); | ||||
| 	} | ||||
|  | ||||
| 	discoverRobots() | ||||
| 	{ | ||||
| 		debug("Discovering new robots"); | ||||
| 		let client = new NeatoApi.Client(); | ||||
|  | ||||
| 		// Login | ||||
| 		client.authorize(this.email, this.password, false, (error) => { | ||||
| 			if (error) | ||||
| 			{ | ||||
| 				this.log.error("Can't log on to neato cloud. Please check your internet connection and your credentials. Try again later if the neato servers have issues: " + error); | ||||
| 				callback(); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				// Get all robots | ||||
| 				client.getRobots((error, robots) => { | ||||
| 					if (error) | ||||
| 					{ | ||||
| 						this.log.error("Successful login but can't connect to your neato robot: " + error); | ||||
| 						callback(); | ||||
| 					} | ||||
| 					else if (robots.length === 0) | ||||
| 					{ | ||||
| 						this.log.error("Successful login but no robots associated with your account."); | ||||
| 						this.robots = []; | ||||
| 						callback(); | ||||
| 					} | ||||
| 					else | ||||
| 					{ | ||||
| 						debug("Found " + robots.length + " robots"); | ||||
| 						let loadedRobots = 0; | ||||
|  | ||||
| 						robots.forEach((robot) => { | ||||
| 							// Get additional information for the robot | ||||
| 							robot.getState((error, state) => { | ||||
| 								if (error) | ||||
| 								{ | ||||
| 									this.log.error("Error getting robot meta information: " + error + ": " + state); | ||||
| 									callback(); | ||||
| 								} | ||||
| 								else | ||||
| 								{ | ||||
| 									// Get all maps for each robot | ||||
| 									robot.getPersistentMaps((error, maps) => { | ||||
| 										if (error) | ||||
| 										{ | ||||
| 											this.log.error("Error updating persistent maps: " + error + ": " + maps); | ||||
| 											callback(); | ||||
| 										} | ||||
| 										// Robot has no maps | ||||
| 										else if (maps.length === 0) | ||||
| 										{ | ||||
| 											robot.maps = []; | ||||
| 											this.robots.push({device: robot, meta: state.meta, availableServices: state.availableServices}); | ||||
| 											loadedRobots++; | ||||
| 											if (loadedRobots === robots.length) | ||||
| 											{ | ||||
| 												callback(); | ||||
| 											} | ||||
| 										} | ||||
| 										// Robot has maps | ||||
| 										else | ||||
| 										{ | ||||
| 											robot.maps = maps; | ||||
| 											let loadedMaps = 0; | ||||
| 											robot.maps.forEach((map) => { | ||||
| 												// Save zones in each map | ||||
| 												robot.getMapBoundaries(map.id, (error, result) => { | ||||
| 													if (error) | ||||
| 													{ | ||||
| 														this.log.error("Error getting boundaries: " + error + ": " + result) | ||||
| 													} | ||||
| 													else | ||||
| 													{ | ||||
| 														map.boundaries = result.boundaries; | ||||
| 													} | ||||
| 													loadedMaps++; | ||||
|  | ||||
| 													// Robot is completely requested if zones for all maps are loaded | ||||
| 													if (loadedMaps === robot.maps.length) | ||||
| 													{ | ||||
| 														this.robots.push({device: robot, meta: state.meta, availableServices: state.availableServices}); | ||||
| 														loadedRobots++; | ||||
| 														if (loadedRobots === robots.length) | ||||
| 														{ | ||||
| 															callback(); | ||||
| 														} | ||||
| 													} | ||||
| 												}) | ||||
| 											}); | ||||
| 										} | ||||
| 									}); | ||||
| 								} | ||||
| 							}); | ||||
| 						}); | ||||
| 					} | ||||
| 				}); | ||||
| 			} | ||||
| 		}); | ||||
|  | ||||
| 		const exampleDevices = [ | ||||
| 			{ | ||||
| 				exampleUniqueId: 'ABCD', | ||||
| 				exampleDisplayName: 'Bedroom', | ||||
| 			}, | ||||
| 			{ | ||||
| 				exampleUniqueId: 'EFGH', | ||||
| 				exampleDisplayName: 'Kitchen', | ||||
| 			}, | ||||
| 		]; | ||||
|  | ||||
| 		// loop over the discovered devices and register each one if it has not already been registered | ||||
| 		for (const device of exampleDevices) | ||||
| 		{ | ||||
|  | ||||
| 			// generate a unique id for the accessory this should be generated from | ||||
| 			// something globally unique, but constant, for example, the device serial | ||||
| 			// number or MAC address | ||||
| 			const uuid = this.api.hap.uuid.generate(device.exampleUniqueId); | ||||
|  | ||||
| 			// see if an accessory with the same uuid has already been registered and restored from | ||||
| 			// the cached devices we stored in the `configureAccessory` method above | ||||
| 			const existingAccessory = this.accessories.find(accessory => accessory.UUID === uuid); | ||||
|  | ||||
| 			if (existingAccessory) | ||||
| 			{ | ||||
| 				// the accessory already exists | ||||
| 				this.log.info('Restoring existing accessory from cache:', existingAccessory.displayName); | ||||
|  | ||||
| 				// if you need to update the accessory.context then you should run `api.updatePlatformAccessories`. eg.: | ||||
| 				// existingAccessory.context.device = device; | ||||
| 				// this.api.updatePlatformAccessories([existingAccessory]); | ||||
|  | ||||
| 				// create the accessory handler for the restored accessory | ||||
| 				// this is imported from `platformAccessory.ts` | ||||
| 				new NeatoVacuumRobotAccessory(this, existingAccessory); | ||||
|  | ||||
| 				// it is possible to remove platform accessories at any time using `api.unregisterPlatformAccessories`, eg.: | ||||
| 				// remove platform accessories when no longer present | ||||
| 				// this.api.unregisterPlatformAccessories(PLUGIN_NAME, PLATFORM_NAME, [existingAccessory]); | ||||
| 				// this.log.info('Removing existing accessory from cache:', existingAccessory.displayName); | ||||
| 			} | ||||
| 			else | ||||
| 			{ | ||||
| 				// the accessory does not yet exist, so we need to create it | ||||
| 				this.log.info('Adding new accessory:', device.exampleDisplayName); | ||||
|  | ||||
| 				// create a new accessory | ||||
| 				const accessory = new this.api.platformAccessory(device.exampleDisplayName, uuid); | ||||
|  | ||||
| 				// store a copy of the device object in the `accessory.context` | ||||
| 				// the `context` property can be used to store any data about the accessory you may need | ||||
| 				accessory.context.device = device; | ||||
|  | ||||
| 				// create the accessory handler for the newly create accessory | ||||
| 				// this is imported from `platformAccessory.ts` | ||||
| 				new NeatoVacuumRobotAccessory(this, accessory); | ||||
|  | ||||
| 				// link the accessory to your platform | ||||
| 				this.api.registerPlatformAccessories(PLUGIN_NAME, PLATFORM_NAME, [accessory]); | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										11
									
								
								src/index.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										11
									
								
								src/index.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,11 @@ | ||||
| import { API } from 'homebridge'; | ||||
|  | ||||
| import { PLATFORM_NAME } from './settings'; | ||||
| import { HomebridgeNeatoPlatform } from './platform'; | ||||
|  | ||||
| /** | ||||
|  * This method registers the platform with Homebridge | ||||
|  */ | ||||
| export = (api: API) => { | ||||
|   api.registerPlatform(PLATFORM_NAME, HomebridgeNeatoPlatform); | ||||
| }; | ||||
							
								
								
									
										9
									
								
								src/settings.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										9
									
								
								src/settings.ts
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,9 @@ | ||||
| /** | ||||
|  * This is the name of the platform that users will use to register the plugin in the Homebridge config.json | ||||
|  */ | ||||
| export const PLATFORM_NAME = 'NeatoVacuumRobot'; | ||||
|  | ||||
| /** | ||||
|  * This must match the name of your plugin as defined the package.json | ||||
|  */ | ||||
| export const PLUGIN_NAME = 'homebridge-neato'; | ||||
		Reference in New Issue
	
	Block a user