UNPKG

iobroker.hass

Version:
657 lines 26.9 kB
"use strict"; var __importDefault = (this && this.__importDefault) || function (mod) { return (mod && mod.__esModule) ? mod : { "default": mod }; }; Object.defineProperty(exports, "__esModule", { value: true }); const adapter_core_1 = require("@iobroker/adapter-core"); const hass_1 = __importDefault(require("./lib/hass")); const knownAttributes = { azimuth: { write: false, read: true, unit: '°' }, elevation: { write: false, read: true, unit: '°' }, }; const mapTypes = { string: 'string', number: 'number', object: 'mixed', boolean: 'boolean', }; const skipServices = ['persistent_notification']; function getRoleForState(entity) { const domain = entity.domain || entity.entity_id.split('.')[0]; const state = entity.state; switch (domain) { case 'light': return 'switch'; case 'switch': return 'switch'; case 'binary_sensor': return 'sensor.binary'; case 'sensor': if (typeof state === 'number' || !isNaN(parseFloat(String(state)))) { if (entity.attributes?.unit_of_measurement) { const unit = entity.attributes.unit_of_measurement; if (unit === '°C' || unit === '°F' || unit === 'K') { return 'value.temperature'; } if (unit === '%') { return 'value.humidity'; } if (unit === 'hPa' || unit === 'mbar') { return 'value.pressure'; } if (unit === 'W' || unit === 'kW') { return 'value.power'; } if (unit === 'V') { return 'value.voltage'; } if (unit === 'A') { return 'value.current'; } if (unit.indexOf('m/s') !== -1 || unit.indexOf('km/h') !== -1) { return 'value.speed'; } } return 'value'; } return 'text'; case 'climate': return 'thermostat'; case 'cover': return 'blind'; case 'lock': return 'state'; case 'input_boolean': return 'switch'; case 'input_number': return 'level'; case 'input_text': return 'text'; case 'input_select': return 'text'; case 'media_player': return 'media.state'; case 'device_tracker': return 'state'; case 'scene': return 'button'; case 'script': return 'button'; case 'automation': return 'switch'; case 'vacuum': return 'state'; case 'weather': return 'weather'; default: if (state === 'on' || state === 'off') { return 'switch'; } if (typeof state === 'number' || !isNaN(parseFloat(String(state)))) { return 'value'; } if (typeof state === 'boolean') { return 'indicator'; } return 'state'; } } function getRoleForAttribute(attr, value, type) { const attrLower = attr.toLowerCase(); if (attrLower.includes('temperature')) { return 'value.temperature'; } if (attrLower.includes('humidity')) { return 'value.humidity'; } if (attrLower.includes('pressure')) { return 'value.pressure'; } if (attrLower === 'brightness' || attrLower === 'current_position') { return 'level.dimmer'; } if (attrLower === 'rgb_color' || attrLower === 'xy_color') { return 'level.color.rgb'; } if (attrLower === 'color_temp') { return 'level.color.temperature'; } if (attrLower === 'battery_level' || attrLower === 'battery') { return 'value.battery'; } if (attrLower === 'locked') { return 'indicator'; } if (attrLower === 'volume_level') { return 'level.volume'; } if (attrLower === 'position') { return 'level'; } if (attrLower === 'speed' || attrLower === 'percentage') { return 'level'; } if (attrLower === 'mode' || attrLower === 'preset_mode') { return 'text'; } switch (type) { case 'number': return 'value'; case 'boolean': return 'indicator'; case 'string': return 'text'; case 'object': case 'mixed': case 'array': return 'json'; default: return 'state'; } } class HassAdapter extends adapter_core_1.Adapter { hassConnected = false; hass = null; hassObjects = {}; delayTimeout = null; syncDebounceTimeout = null; stopped = false; constructor(options = {}) { super({ ...options, name: 'hass', ready: () => this.main(), unload: callback => this.onUnload(callback), stateChange: (id, state) => this.onStateChange(id, state), }); } debouncedSync(callback) { if (this.syncDebounceTimeout) { clearTimeout(this.syncDebounceTimeout); } this.syncDebounceTimeout = setTimeout(() => { this.syncDebounceTimeout = null; this.hass.getStates((err, states) => { if (err) { this.log.error(`Cannot read states during resync: ${err}`); return; } this.hass.getServices(async (err, services) => { if (err) { this.log.error(`Cannot read services during resync: ${err}`); return; } await this.parseStates(states, services); callback?.(); }); }); }, 3000); } onStateChange(id, state) { if (!state || state.ack) { return; } if (!this.hassConnected) { this.log.warn(`Cannot send command to "${id}", because not connected`); return; } if (!this.hassObjects[id]) { return; } if (!this.hassObjects[id].common.write) { this.log.warn(`Object ${id} is not writable!`); return; } // Handle boolean state toggle if (id.endsWith('.state_boolean')) { const entityId = this.hassObjects[id].native.entity_id; const domain = entityId ? entityId.split('.')[0] : this.hassObjects[id].native.domain || this.hassObjects[id].native.type; const service = state.val ? 'turn_on' : 'turn_off'; this.log.debug(`Processing boolean state change for ${id}`); this.log.debug(`Domain: ${domain}, Entity: ${this.hassObjects[id].native.entity_id}, Service: ${service}, Value: ${state.val}`); if (domain) { const serviceData = { entity_id: this.hassObjects[id].native.entity_id }; this.hass.callService(service, domain, serviceData, {}, err => { if (err) { this.log.error(`Cannot control ${id}: ${err}`); } else { this.log.debug(`Successfully sent command to HASS for ${id}`); } }); return; } this.log.warn(`No domain found for ${id}`); } const serviceData = {}; const fields = this.hassObjects[id].native.fields; const target = {}; let requestFields = {}; if (typeof state.val === 'string') { state.val = state.val.trim(); if (state.val.startsWith('{') && state.val.endsWith('}')) { try { requestFields = JSON.parse(state.val) || {}; } catch (err) { this.log.info(`Ignore data for service call ${id} is no valid JSON: ${err.message}`); requestFields = {}; } } } // If a non-JSON value was set, and we only have one relevant field, use this field as value if (fields && !Object.keys(requestFields).length) { const fieldList = Object.keys(fields); if (fieldList.length === 1 && fieldList[0] !== 'entity_id') { requestFields[fieldList[0]] = state.val; } else if (fieldList.length === 2 && fields.entity_id) { requestFields[fieldList[1 - fieldList.indexOf('entity_id')]] = state.val; } } this.log.debug(`Prepare service call for ${id} with (mapped) request parameters ${JSON.stringify(requestFields)} from value: ${JSON.stringify(state.val)}`); if (fields) { for (const field in fields) { if (!Object.prototype.hasOwnProperty.call(fields, field)) { continue; } if (field === 'entity_id') { target.entity_id = this.hassObjects[id].native.entity_id; } else if (requestFields[field] !== undefined) { serviceData[field] = requestFields[field]; } } } const noFields = Object.keys(serviceData).length === 0; serviceData.entity_id = this.hassObjects[id].native.entity_id; this.log.debug(`Send to HASS for service ${this.hassObjects[id].native.attr} with ${this.hassObjects[id].native.domain || this.hassObjects[id].native.type} and data ${JSON.stringify(serviceData)}`); this.hass.callService(this.hassObjects[id].native.attr, this.hassObjects[id].native.domain || this.hassObjects[id].native.type, serviceData, target, err => { if (err) { this.log.error(`Cannot control ${id}: ${err}`); } if (err && fields && noFields) { this.log.warn(`Please make sure to provide a stringified JSON as value to set relevant fields! Please refer to the Readme for details!`); this.log.warn(`Allowed field keys are: ${Object.keys(fields).join(', ')}`); } }); } onUnload(callback) { this.stopped = true; if (this.delayTimeout) { clearTimeout(this.delayTimeout); this.delayTimeout = null; } if (this.syncDebounceTimeout) { clearTimeout(this.syncDebounceTimeout); this.syncDebounceTimeout = null; } this.hass?.close(); callback?.(); } async syncStates(states) { if (states?.length) { for (const state of states) { const id = state.id; delete state.id; try { await this.setForeignStateAsync(id, state); } catch (err) { this.log.error(err.toString()); } } } } async syncObjects(objects) { const stats = { newCount: 0, updatedCount: 0 }; if (objects?.length) { for (const obj of objects) { this.hassObjects[obj._id] = obj; try { const oldObj = await this.getForeignObjectAsync(obj._id); if (!oldObj) { this.log.debug(`Create "${obj._id}": ${JSON.stringify(obj.common)}`); this.hassObjects[obj._id] = obj; await this.setForeignObjectAsync(obj._id, obj); stats.newCount++; } else { this.hassObjects[obj._id] = oldObj; if (JSON.stringify(obj.native) !== JSON.stringify(oldObj.native)) { oldObj.native = obj.native; this.log.debug(`Update "${obj._id}": ${JSON.stringify(obj.common)}`); await this.setForeignObjectAsync(obj._id, oldObj); stats.updatedCount++; } } } catch (err) { this.log.error(err.toString()); } } } return stats; } async deleteStaleObjects(expectedObjects) { const objectsToDelete = []; for (const id in this.hassObjects) { if (Object.prototype.hasOwnProperty.call(this.hassObjects, id) && id.startsWith(`${this.namespace}.entities.`) && !expectedObjects.has(id)) { objectsToDelete.push(id); } } for (const id of objectsToDelete) { try { await this.delObjectAsync(id); delete this.hassObjects[id]; } catch (err) { this.log.error(`Error deleting object ${id}: ${err}`); } } return objectsToDelete.length; } async parseStates(entities, services) { const objs = []; const states = []; const expectedObjects = new Set(); for (let e = 0; e < entities.length; e++) { const entity = entities[e]; if (!entity) { continue; } const name = entity.name || entity.attributes?.friendly_name || entity.entity_id; const desc = entity.attributes?.attribution || undefined; const channelId = `${this.namespace}.entities.${entity.entity_id}`; expectedObjects.add(channelId); const channel = { _id: channelId, common: { name, }, type: 'channel', native: { object_id: entity.object_id, entity_id: entity.entity_id, }, }; if (desc) { channel.common.desc = desc; } objs.push(channel); const lc = entity.last_changed ? new Date(entity.last_changed).getTime() : undefined; const ts = entity.last_updated ? new Date(entity.last_updated).getTime() : undefined; if (entity.state !== undefined) { const stateId = `${channelId}.state`; expectedObjects.add(stateId); const obj = { _id: stateId, type: 'state', common: { name: `${name} STATE`, type: typeof entity.state, role: getRoleForState(entity), read: true, write: false, }, native: { object_id: entity.object_id, domain: entity.domain, entity_id: entity.entity_id, }, }; if (entity.attributes?.unit_of_measurement) { obj.common.unit = entity.attributes.unit_of_measurement; } objs.push(obj); let val = entity.state; if ((typeof val === 'object' && val !== null) || Array.isArray(val)) { val = JSON.stringify(val); } states.push({ id: obj._id, lc, ts, val, ack: true }); // Create boolean state for on/off entities const boolStateId = `${channelId}.state_boolean`; expectedObjects.add(boolStateId); if (!objs.find(o => o._id === boolStateId)) { const booleanObj = { _id: boolStateId, type: 'state', common: { name: `${name} STATE_BOOLEAN`, type: 'boolean', read: true, write: true, role: 'switch', }, native: { object_id: entity.object_id, domain: entity.domain, entity_id: entity.entity_id, attr: 'state', type: entity.domain, }, }; objs.push(booleanObj); states.push({ id: boolStateId, lc: lc || Date.now(), ts: ts || Date.now(), val: entity.state === 'on', ack: true, }); } } if (entity.attributes) { for (const attr in entity.attributes) { if (!Object.prototype.hasOwnProperty.call(entity.attributes, attr) || attr === 'friendly_name' || attr === 'unit_of_measurement' || attr === 'icon' || !attr.length) { continue; } let common; if (knownAttributes[attr]) { common = { ...knownAttributes[attr] }; } else { common = {}; } const attrId = attr.replace(this.FORBIDDEN_CHARS, '_').replace(/\.+$/, '_'); const fullAttrId = `${channelId}.${attrId}`; expectedObjects.add(fullAttrId); const obj = { _id: fullAttrId, type: 'state', common, native: { object_id: entity.object_id, domain: entity.domain, entity_id: entity.entity_id, attr, }, }; common.name ||= `${name} ${attr.replace(/_/g, ' ')}`; common.read ??= true; common.write ??= false; common.type ??= mapTypes[typeof entity.attributes[attr]]; common.role ??= getRoleForAttribute(attr, entity.attributes[attr], common.type); objs.push(obj); let val = entity.attributes[attr]; if ((typeof val === 'object' && val !== null) || Array.isArray(val)) { val = JSON.stringify(val); } states.push({ id: obj._id, lc, ts, val, ack: true }); } } const serviceType = entity.entity_id.split('.')[0]; if (services[serviceType] && !skipServices.includes(serviceType)) { const service = services[serviceType]; for (const s in service) { if (Object.prototype.hasOwnProperty.call(service, s)) { const serviceId = `${channelId}.${s}`; expectedObjects.add(serviceId); const obj = { _id: serviceId, type: 'state', common: { name: entity.entity_id, desc: service[s].description, read: false, write: true, type: 'mixed', role: 'button', }, native: { object_id: entity.object_id, domain: entity.domain, fields: service[s].fields, entity_id: entity.entity_id, attr: s, type: serviceType, }, }; objs.push(obj); } } } } const deletedCount = await this.deleteStaleObjects(expectedObjects); const syncStats = await this.syncObjects(objs); await this.syncStates(states); if (syncStats.newCount > 0 || deletedCount > 0) { const changes = []; if (syncStats.newCount > 0) { changes.push(`${syncStats.newCount} created`); } if (deletedCount > 0) { changes.push(`${deletedCount} deleted`); } this.log.info(`Synchronization completed: ${changes.join(', ')}`); } } async main() { this.config.host ||= '127.0.0.1'; this.config.port = parseInt(String(this.config.port), 10) || 8123; await this.setStateAsync('info.connection', false, true); this.hass = new hass_1.default(this.config, this.log); this.hass.on('error', err => this.log.error(err)); this.hass.on('state_changed', entity => { this.log.debug(`HASS-Message: State Changed: ${JSON.stringify(entity)}`); if (!entity || typeof entity.entity_id !== 'string') { return; } const id = `entities.${entity.entity_id}.`; const lc = entity.last_changed ? new Date(entity.last_changed).getTime() : undefined; const ts = entity.last_updated ? new Date(entity.last_updated).getTime() : undefined; if (entity.state !== undefined) { if (this.hassObjects[`${this.namespace}.${id}state`]) { this.setState(`${id}state`, { val: entity.state, ack: true, lc, ts }); } else { this.log.info(`State changed for unknown object ${id}state. Triggering synchronization to resync the objects.`); this.debouncedSync(); } // Update boolean state if (this.hassObjects[`${this.namespace}.${id}state_boolean`]) { this.setState(`${id}state_boolean`, { val: entity.state === 'on', ack: true, lc: lc || Date.now(), ts: ts || Date.now(), }); } } if (entity.attributes) { for (const attr in entity.attributes) { if (!Object.prototype.hasOwnProperty.call(entity.attributes, attr) || attr === 'friendly_name' || attr === 'unit_of_measurement' || attr === 'icon' || !attr.length) { continue; } let val = entity.attributes[attr]; if ((typeof val === 'object' && val !== null) || Array.isArray(val)) { val = JSON.stringify(val); } const attrId = attr.replace(this.FORBIDDEN_CHARS, '_').replace(/\.+$/, '_'); if (this.hassObjects[`${this.namespace}.${id}state`]) { this.setState(id + attrId, { val, ack: true, lc, ts }); } else { this.log.info(`State changed for unknown object ${id + attrId}. Triggering synchronization to resync the objects.`); this.debouncedSync(); } } } }); this.hass.on('connected', () => { if (!this.hassConnected) { this.log.debug('Connected'); this.hassConnected = true; this.setState('info.connection', true, true); this.hass.getConfig(err => { if (err) { this.log.error(`Cannot read config: ${err}`); return; } this.delayTimeout = setTimeout(() => { this.delayTimeout = null; if (!this.stopped) { this.hass.getStates((err, states) => { if (this.stopped) { return; } if (err) { this.log.error(`Cannot read states: ${err}`); return; } this.delayTimeout = setTimeout(() => { this.delayTimeout = null; if (!this.stopped) { this.hass.getServices(async (err, services) => { if (this.stopped) { return; } if (err) { this.log.error(`Cannot read services: ${err}`); } else { await this.parseStates(states, services); this.log.info('Initialization completed'); await this.subscribeStatesAsync('*'); } }); } }, 100); }); } }, 100); }); } }); this.hass.on('disconnected', () => { if (this.hassConnected) { this.log.debug('Disconnected'); this.hassConnected = false; this.setState('info.connection', false, true); } }); this.hass.connect(); } } exports.default = HassAdapter; if (require.main !== module) { // Export the constructor in compact mode module.exports = (options) => new HassAdapter(options); } else { // otherwise start the instance directly (() => new HassAdapter())(); } //# sourceMappingURL=main.js.map