HAP (HomeKit Accessory Protocol)

License: GPL v3

Rust implementation of the Apple HomeKit Accessory Protocol (HAP) based on Tokio and Hyper.

This crate supports all HomeKit Services and Characteristics currently implemented by Apple and provides the ability to create custom Characteristics, Services and Accessories.

The HomeKit Accessory Protocol supports transports over IP and Bluetooth LE. Currently only the transport over IP is implemented in this crate. Accessories are exposed by the implemented HAP Accessory HTTP server and announced via built-in mDNS.

HomeKit Data Model

The HAP defines HomeKit enabled devices as virtual Accessories that are composed of Services that are composed of Characteristics.

Characteristics hold values of various data types as well as optional metadata like max/min values or units. Services group Characteristics and represent features of the Accessory. Every Accessory consist of at least one Accessory Information Service and any number of additional Services. For example a custom ceiling fan Accessory may consist of an Accessory Information Service, a Fan Service and a Lightbulb Service.

Ceiling Fan Accessory | |-- Accessory Information Service | |-- Identify Characteristic | |-- Manufacturer Characteristic | |-- Model Characteristic | |-- Name Characteristic | |-- Serial Characteristic | |-- Fan Service | |-- On Characteristic | |-- Rotation Direction Characteristic | |-- Rotation Speed Characteristic | |-- Lightbulb Service | |-- On Characteristic | |-- Brightness Characteristic | |-- Hue Characteristic | |-- Saturation Characteristic

This crate provides a pre-built Accessory for every Service predefined by Apple. Custom Characteristics and Services can be created, assembled and used alongside the predefined ones.

For a full list of the predefined Characteristics, Services and Accessories, see the docs or Apple's official specification.

Usage Examples

Creating a simple outlet Accessory and starting the IP transport:

```rust extern crate hap;

use hap::{ transport::{Transport, IpTransport}, accessory::{Category, Information, outlet}, Config, };

fn main() { let info = Information { name: "Outlet".into(), ..Default::default() };

let outlet = outlet::new(info).unwrap();

let config = Config {
    name: "Outlet".into(),
    category: Category::Outlet,
    ..Default::default()
};

let mut ip_transport = IpTransport::new(config, vec![Box::new(outlet)]).unwrap();
ip_transport.start().unwrap();

} ```

Using the Readable and Updatable traits to react to remote value reads and updates:

```rust extern crate hap;

use hap::{ transport::{Transport, IpTransport}, accessory::{Category, Information, outlet}, characteristic::{Readable, Updatable}, Config, HapType, };

[derive(Clone)]

pub struct VirtualOutlet { on: bool, }

impl Readable for VirtualOutlet { fn on_read(&mut self, _: HapType) -> Option { println!("On read."); Some(self.on) } }

impl Updatable for VirtualOutlet { fn onupdate(&mut self, oldval: &bool, newval: &bool, _: HapType) { println!("On updated from {} to {}.", oldval, newval); if newval != oldval { self.on = newval.clone(); } } }

fn main() { let info = Information { name: "Outlet".into(), ..Default::default() };

let mut outlet = outlet::new(info).unwrap();

let virtual_outlet = VirtualOutlet { on: false };
outlet.inner.outlet.inner.on.set_readable(virtual_outlet.clone()).unwrap();
outlet.inner.outlet.inner.on.set_updatable(virtual_outlet).unwrap();

let config = Config {
    name: "Outlet".into(),
    category: Category::Outlet,
    ..Default::default()
};

let mut ip_transport = IpTransport::new(config, vec![Box::new(outlet)]).unwrap();
ip_transport.start().unwrap();

} ```

Setting a Characteristic value directly:

rust outlet.inner.outlet.inner.on.set_value(true).unwrap();

Change dependent Characteristics on value changes:

```rust use std::{rc::Rc, cell::RefCell};

extern crate hap;

use hap::{ transport::{Transport, IpTransport}, accessory::{Category, Information, door}, characteristic::{Characteristic, Readable, Updatable}, Config, HapType, };

pub struct VirtualDoorInner { currentposition: u8, targetposition: u8, }

[derive(Clone)]

pub struct VirtualDoor { inner: Rc>, current_position: Characteristic, }

impl VirtualDoor { pub fn new(inner: VirtualDoorInner, currentposition: Characteristic) -> VirtualDoor { VirtualDoor { inner: Rc::new(RefCell::new(inner)), currentposition } } }

impl Readable for VirtualDoor { fn onread(&mut self, haptype: HapType) -> Option { match haptype { HapType::CurrentPosition => { println!("Current position read."); Some(self.inner.borrow().currentposition) }, HapType::TargetPosition => { println!("Target position read."); Some(self.inner.borrow().target_position) }, _ => None, } } }

impl Updatable for VirtualDoor { fn onupdate(&mut self, oldval: &u8, newval: &u8, haptype: HapType) { match haptype { HapType::CurrentPosition => { println!("Current position updated from {} to {}.", oldval, newval); if newval != oldval { self.inner.borrowmut().currentposition = newval.clone(); } }, HapType::TargetPosition => { println!("Target position updated from {} to {}.", oldval, newval); if newval != oldval { { let mut inner = self.inner.borrowmut(); inner.targetposition = newval.clone(); inner.currentposition = newval.clone(); } self.currentposition.setvalue(*newval).unwrap(); } }, _ => {}, } } }

fn main() { let mut door = door::new(Information { name: "Door".into(), ..Default::default() }).unwrap(); let virtualdoor = VirtualDoor::new( VirtualDoorInner { currentposition: 0, targetposition: 0 }, door.inner.door.inner.currentposition.clone(), ); door.inner.door.inner.currentposition.setreadable(virtualdoor.clone()).unwrap(); door.inner.door.inner.currentposition.setupdatable(virtualdoor.clone()).unwrap(); door.inner.door.inner.targetposition.setreadable(virtualdoor.clone()).unwrap(); door.inner.door.inner.targetposition.setupdatable(virtualdoor).unwrap();

let config = Config {
    name: "Door".into(),
    category: Category::Door,
    ..Default::default()
};
let mut ip_transport = IpTransport::new(config, vec![Box::new(door)]).unwrap();
ip_transport.start().unwrap();

} ```