Para mostrar uma variedade de tarefas diferentes que podem ser automatizadas usando a API Automation e talvez inspirar mais ideias, confira alguns exemplos de automação.
Ligar um dispositivo quando outro está ligado ou desligado
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
...
let starterNode = starter(device1, OnOffLightDeviceType.self, OnOffTrait.self)
let device2State = stateReader(device2, OnOffLightDeviceType.self, OnOffTrait.self
automation (
name: "Turn on a device",
description:
"""
Turn on a device when another device is turned on or off
"""
) {
starterNode
device2State
condition {
// Only send the command if device2 is off
device2State.onOff.equals(false)
}
// Turn on device 2
action(device2, OnOffLightDeviceType.self) {
OnOffTrait.on()
}
}
Fechar automaticamente as persianas quando a temperatura cair abaixo de 16 °C e estiver escuro
import GoogleHomeSDK
import GoogleHomeTypes
typealias TemperatureMeasurementTrait = Matter.TemperatureMeasurementTrait
typealias TimeTrait = Google.TimeTrait
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
let temperatureMeasurement = stateReader(
thermostatDevice,
TemperatureSensorDeviceType.self,
TemperatureMeasurementTrait.self
)
let time = stateReader(structure, TimeTrait.self)
automation (
name: "Close window blinds",
description:
"""
Automatically close window blinds when the temperature outside drops below 60F and it's dark
outside.
"""
) {
select {
starter(
eveThermostat,
TemperatureSensorDeviceType.self,
TemperatureMeasurementTrait.self
)
starter(structure, TimeTrait.ScheduledEvent.self) {
TimeTrait.ScheduledEvent.solarTime(SolarTime(type: .sunrise, offset: .seconds(0)))
}
starter(structure, TimeTrait.ScheduledEvent.self) {
TimeTrait.ScheduledEvent.solarTime(SolarTime(type: .sunset, offset: .seconds(0)))
}
}
temperatureMeasurement
time
let exp1 = temperatureMeasurement.measuredValue.lessThan(1555) // 15 degrees C ~ 60 degrees F
let exp2 =
localTimeBetweenCondition != nil
? time.currentTime.between(localTimeBetweenCondition!.0, localTimeBetweenCondition!.1)
: time.currentTime.between(time.sunriseTime, time.sunsetTime)
condition {
exp1.and(exp2.not())
}
parallel {
for windowBlind in windowBlinds {
action(windowBlind, WindowCoveringDeviceType.self) {
WindowCoveringTrait.downOrClose()
}
}
}
}
Se a porta da garagem ficar aberta por mais de 10 minutos, envie uma notificação para os smartphones dos membros da família e envie um lembrete para fechar a porta da garagem
import GoogleHomeSDK
import GoogleHomeTypes
typealias BooleanStateTrait = Matter.BooleanStateTrait
automation (
name: "Broadcast reminder"
description:
"""
If garage door left open for more than 10 minutes,
send a notification to household members phones
and broadcast a reminder to close the garage door
"""
)
{
let garageSensorStarter = starter(
garageDoorSensor,
ContactSensorDeviceType.self,
BooleanStateTrait.self
)
garageSensorStarter
condition(
for: .seconds(10 * 60) // 10 minutes.
) {
// stateValue - True means garage door is closed, False means open
garageSensorStarter.stateValue.equals(false)
}
action(structure) {
Google.AssistantBroadcastTrait.broadcast(msg: "Garage is open")
}
action(structure) {
Google.NotificationTrait.sendNotifications(
title: "Garage is open", body: nil, optInMemberEmailsArray: [])
}
}
}
Quando a porta da garagem abrir, acender as luzes da varanda e da entrada da garagem
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
typealias BooleanStateTrait = Matter.BooleanStateTrait
automation (
name: "Turn on lights"
description:
"""
When the garage door opens, turn on porch and driveway lights
"""
) {
let garageSensorStarter = starter(
garageDoorSensor,
ContactSensorDeviceType.self,
BooleanStateTrait.self
)
garageSensorStarter
condition {
// stateValue - True means garage door is closed, False means open
garageSensorStarter.stateValue.equals(false)
}
parallel {
for light in drivewayLights {
action(light, OnOffLightDeviceType.self) {
OnOffTrait.on()
}
}
for light in porchLights {
action(light, OnOffLightDeviceType.self) {
OnOffTrait.on()
}
}
}
}
Se a TV estiver ligada quando o ciclo do forno for concluído, as luzes da sala de estar piscarão e o alto-falante inteligente vai transmitir "Ciclo do forno concluído"
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
typealias OperationalStateTrait = Matter.OperationalStateTrait
automation (
name: "Broadcast oven cycle complete"
description:
"""
If TV is on when oven cycle completes,
living room lights blink and smart speaker broadcasts \"Oven Cycle Complete\"
"""
) {
let ovenCompletedEvent = starter(
oven,
OvenDeviceType.self,
OvenCavityOperationalStateTrait.OperationCompletionEvent.self
)
ovenCompletedEvent
condition {
ovenCompletedEvent
.completionErrorCode
.equals(0x00) // no error
}
let operationalState = stateReader(
oven,
OvenDeviceType.self,
OvenCavityOperationalStateTrait.self
)
operationalState
condition {
operationalState.phaseList[operationalState.currentPhase.toUInt()].equals("pre-heated")
}
let tvOnOff = stateReader(
tv,
GoogleTVDeviceType.self,
OnOffTrait.self
)
tvOnOff
condition {
tvOnOff.onOff.equals(true)
}
parallel {
for speaker in speakers {
action(speaker, SpeakerDeviceType.self) {
Google.AssistantBroadcastTrait.broadcast(msg: "Oven Cycle Complete")
}
}
for light in lights {
action(light, OnOffLightDeviceType.self) {
OnOffTrait.toggle()
}
}
}
delay(for: .seconds(30))
parallel {
for light in lights {
action(light, OnOffLightDeviceType.self) {
OnOffTrait.toggle()
}
}
}
}
Às 21h, se alguém estiver em casa, a TV será desligada, as luzes do quarto das crianças serão reduzidas e o ar-condicionado será ajustado a uma determinada temperatura
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
typealias ThermostatTrait = Matter.ThermostatTrait
automation(
name: "Turn AC on",
description:
"""
At 9pm, if someone is home, TV turns off, kids' bedroom lights dim,
GE AC turns to [X#] degrees
"""
) {
let timeStarter = starter(
structure,
Google.TimeTrait.ScheduledEvent.self
) {
Google.TimeTrait.ScheduledEvent.clockTime(scheduledTime)
}
let stateReaderNode = stateReader(
structure,
Google.AreaPresenceStateTrait.self
)
timeStarter
stateReaderNode
condition {
stateReaderNode
.presenceState
.equals(Google.AreaPresenceStateTrait.PresenceState.presenceStateOccupied)
}
parallel {
action(tv, GoogleTVDeviceType.self) {
OnOffTrait.off()
}
for light in kidBedroomLights {
action(light, DimmableLightDeviceType.self) {
LevelControlTrait.moveToLevel(
level: dimmedLightLevel,
transitionTime: 10,
optionsMask: LevelControlTrait.OptionsBitmap(),
optionsOverride: LevelControlTrait.OptionsBitmap()
)
}
}
let fahrenheit = Measurement(value: acTempInFahrenheit, unit: UnitTemperature.fahrenheit)
let setpoint = Int16(fahrenheit.converted(to: .celsius).value)
action(geAc, RoomAirConditionerDeviceType.self) {
update(ThermostatTrait.self) {
$0.setOccupiedCoolingSetpoint(setpoint * 100)
}
}
}
}
Anunciar "A roupa está pronta" nos alto-falantes do quarto quando o ciclo da máquina de lavar roupa for concluído
import GoogleHomeSDK
import GoogleHomeTypes
typealias OperationalStateTrait = Matter.OperationalStateTrait
automation(
name: "Broadcast laundry is done",
description:
"""
Announce \"laundry is done\" on bedroom speakers when the laundry machine cycle completes
"""
) {
let laundryWasherCompletionEvent = starter(
laundryWasher,
LaundryWasherDeviceType.self,
OperationalStateTrait.OperationCompletionEvent.self
)
laundryWasherCompletionEvent
condition {
laundryWasherCompletionEvent
.completionErrorCode
.equals(0x00)
}
action(bedroomSpeaker, SpeakerDeviceType.self) {
Google.AssistantBroadcastTrait.broadcast(msg: "laundry is done")
}
}
Chegada em casa: se a fechadura Aqara estiver destrancada e for depois do pôr do sol, a luz de teto vai acender, a configuração do termostato 3P será atualizada para 26 graus, as tomadas inteligentes vão reiniciar a energia, a TV e a cafeteira vão ser ligadas. O alto-falante inteligente diz "Bem-vindo em casa!"
import GoogleHomeSDK
import GoogleHomeTypes
typealias DoorLockTrait = Matter.DoorLockTrait
typealias ThermostatTrait = Matter.ThermostatTrait
automation(
name: "Door unlock turn on appliances",
description:
"""
Home Arrival: If Aqara lock is unlocked and it is after sunset,
ceiling light turns on,
update the 3P thermostat setting to 26 degress, smart plugs restart power, TV and coffeemaker
turn on. Smart speaker says \"Welcome Home!\"
"""
) {
let doorLockEvent = starter(
doorLock, DoorLockDeviceType.self,
DoorLockTrait.LockOperationEvent.self
)
let doorIsUnlocked = doorLockEvent.lockOperationType.equals(.unlock)
let timeCondition =
localTimeBetweenCondition != nil
? time.currentTime.between(localTimeBetweenCondition!.0, localTimeBetweenCondition!.1)
: time.currentTime.between(time.sunsetTime, time.sunriseTime)
time
doorLockEvent
condition {
doorIsUnlocked.and(timeCondition)
}
parallel {
for light in allLights {
action(light, DimmableLightDeviceType.self) {
OnOffTrait.on()
}
}
action(thermostat, ThermostatDeviceType.self) {
update(ThermostatTrait.self) {
$0.setOccupiedCoolingSetpoint(2600)
}
}
action(plug, OnOffPluginUnitDeviceType.self) {
OnOffTrait.on()
}
action(tv, GoogleTVDeviceType.self) {
OnOffTrait.on()
}
action(coffeemaker, CooktopDeviceType.self) {
OnOffTrait.on()
}
action(structure) {
Google.AssistantBroadcastTrait.broadcast(msg: "Welcome Home!")
}
}
}
O usuário pode criar uma rotina do modo "Ar fresco", que liga o ventilador de teto e o aspirador de pó.
import GoogleHomeSDK
import GoogleHomeTypes
typealias FanControlTrait = Matter.FanControlTrait
automation(
name: "Fan and vaccum turn on",
description:
"""
User can create "Fresh Air Mode" routine which starts the ceiling fan,
and vacuum
"""
) {
manualStarter()
parallel {
action(fan, FanDeviceType.self) {
update(FanControlTrait.self) {
$0.setFanMode(.on)
}
}
action(vacuum, RoboticVacuumCleanerDeviceType.self) {
// 0 - idle, 1 - cleaning, 2 - mapping
RvcRunModeTrait.changeToMode(newMode: 1)
}
}
}
Quando o usuário acende as luzes do quarto e o horário é depois das 21h, a lâmpada do quarto se ajusta para uma cor quente para relaxar, as persianas de 3P fecham, e o ar-condicionado mini-split é ajustado para 2 graus para resfriar o ambiente. O Google Nest Audio toca "sons de chuva".
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
automation(
name: "Bulbs warm color after 9pm",
description:
"""
When user turns on bedroom lights, and the time is after 9p, bedroom bulb adjusts
to warm color to relax, 3P shades close,mini-split air conditioner adjusts
down 2 degrees to cool the room. Google Nest Audio plays 'rain sounds'.
"""
) {
select {
for light in bedroomLights {
let lightOnOffState = starter(
light,
OnOffLightDeviceType.self,
OnOffTrait.self
)
lightOnOffState
condition { lightOnOffState.onOff.equals(true) }
}
}
let time = stateReader(structure, Google.TimeTrait.self)
time
condition {
time.currentTime.between(
betweenConditionTime.0,
betweenConditionTime.1
)
}
parallel {
for light in colorControlBedroomLights {
action(light, ColorTemperatureLightDeviceType.self) {
ColorControlTrait.moveToColorTemperature(
colorTemperatureMireds: 200,
transitionTime: 10,
optionsMask: 0,
optionsOverride: 0
)
}
}
action(windowBlind, WindowCoveringDeviceType.self) {
WindowCoveringTrait.downOrClose()
}
action(thermostatDevice, RoomAirConditionerDeviceType.self) {
ThermostatTrait.setpointRaiseLower(
mode: .cool,
amount: 2
)
}
action(speaker, SpeakerDeviceType.self) {
Google.AssistantFulfillmentTrait.okGoogle(query: "Play rain sound.")
}
}
}
Acender as luzes ou desativar o modo Eco do termostato quando você destravar a porta.
import GoogleHomeSDK
import GoogleHomeTypes
typealias DoorLockTrait = Matter.DoorLockTrait
typealias OnOffTrait = Matter.OnOffTrait
typealias ThermostatTrait = Matter.ThermostatTrait
automation(
name: "Unlock door, turn on lights or turn off thermostat",
description:
"""
Turn on lights or turn off thermostat eco mode when you unlock the door.
"""
) {
let doorLockEvent = starter(
doorLock,
DoorLockDeviceType.self,
DoorLockTrait.LockOperationEvent.self
)
doorLockEvent
condition {
doorLockEvent.lockOperationType.equals(.unlock)
}
parallel {
for light in allLights {
action(light, OnOffLightDeviceType.self) {
OnOffTrait.on()
}
// Assume the thermostat is in eco mode, set to auto.
action(thermostat, ThermostatDeviceType.self) {
Google.SimplifiedThermostatTrait.setSystemMode(systemMode: .auto)
}
}
}
}
Tranque a porta às 21h
import GoogleHomeSDK
import GoogleHomeTypes
typealias DoorLockTrait = Matter.DoorLockTrait
automation(
name: "Lock the door",
description: "At 9pm lock the door."
) {
starter(structure, Google.TimeTrait.ScheduledEvent.self) {
Google.TimeTrait.ScheduledEvent.clockTime(startTime)
}
action(doorLock, DoorLockDeviceType.self) {
DoorLockTrait.lockDoor()
}
}
Quando todos estiverem fora de casa, desligue as luzes.
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
automation(
name: "Turn off light",
description: "When everyone is away from home, turn off lights."
) {
let homeAwayState = starter(structure, Google.AreaPresenceStateTrait.self)
homeAwayState
condition {
homeAwayState.presenceState.equals(.presenceStateVacant)
}
parallel {
for light in allLights {
action(light, OnOffLightDeviceType.self) {
OnOffTrait.off()
}
}
}
}
Se for detectado movimento (sensor), transmita um som de alarme nos alto-falantes inteligentes, ligue e desligue as luzes e a TV periodicamente para impedir invasores.
import GoogleHomeSDK
import GoogleHomeTypes
typealias OccupancySensingTrait = Matter.OccupancySensingTrait
typealias OnOffTrait = Matter.OnOffTrait
automation(
name: "Motion sensed, turn lights on and off to deter intruders",
description:
"""
If motion (sensor) is detected, broadcast alarm sound on smart speakers,
turn lights on and off periodically and TV to deter intruders.
"""
) {
let motionStarter =
starter(motionSensor, OccupancySensorDeviceType.self, OccupancySensingTrait.self)
let homeAwayState = stateReader(structure, Google.AreaPresenceStateTrait.self)
motionStarter
homeAwayState
let exp1 = homeAwayState.presenceState.equals(.presenceStateVacant)
let exp2 = motionStarter.occupancy.equals(.occupied)
condition {
exp1.and(exp2)
}
action(structure) {
Google.AssistantBroadcastTrait.broadcast(msg: "ALARM! ALARM! ALARM!")
}
turnOnOff(lights: allLights, tv: tv, shouldTurnOn: true)
delay(for: Duration.seconds(5))
turnOnOff(lights: allLights, tv: tv, shouldTurnOn: false)
delay(for: Duration.seconds(5))
turnOnOff(lights: allLights, tv: tv, shouldTurnOn: true)
}
private func turnOnOff(
lights: Set<HomeDevice>,
tv: HomeDevice,
shouldTurnOn: Bool
) -> ParallelFlow {
parallel {
for light in lights {
action(light, OnOffLightDeviceType.self) {
shouldTurnOn ? OnOffTrait.on() : OnOffTrait.off()
}
}
action(tv, GoogleTVDeviceType.self) {
shouldTurnOn ? OnOffTrait.on() : OnOffTrait.off()
}
}
}
Uma luminária no quarto. Se for depois das 22h e o usuário desligar a luminária, todas as luzes do ambiente serão desligadas, as persianas serão fechadas e a porta da frente será trancada (tranca não do Matter).
import GoogleHomeSDK
import GoogleHomeTypes
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
typealias OnOffTrait = Matter.OnOffTrait
typealias DoorLockTrait = Matter.DoorLockTrait
automation(
name: "After 10pm, turn all lights off, close shades, lock front door",
description:
"""
User has Lamp in their bedroom. If it is after 10pm and the user turns off the lamp,
then all room lights turn off, shades close, front door locks (non-matter lock).
"""
) {
let lampOnOffState = starter(Lamp, DimmableLightDeviceType.self, OnOffTrait.self)
let time = stateReader(structure, Google.TimeTrait.self)
lampOnOffState
time
let expr1 = lampOnOffState.onOff.equals(false)
let expr2 = time.currentTime.between(
localTimeBetweenCondition.0,
localTimeBetweenCondition.1
)
condition {
expr1.and(expr2)
}
parallel {
for light in allLights {
action(light, DimmableLightDeviceType.self) {
OnOffTrait.off()
}
}
action(windowBlind, WindowCoveringDeviceType.self) {
WindowCoveringTrait.downOrClose()
}
action(doorLock, DoorLockDeviceType.self) {
DoorLockTrait.lockDoor()
}
}
}
Se o usuário disser "Ok Google, não consigo dormir", toque sons de ondas do oceano, ligue o ventilador, ligue a tomada interna e abra as persianas 3P
import GoogleHomeSDK
import GoogleHomeTypes
typealias FanControlTrait = Matter.FanControlTrait
typealias OnOffTrait = Matter.OnOffTrait
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
automation(
name: "Turn sleep sound, fan, indoor plug on",
description:
"""
If user says "Hey Google, I can't sleep",
play ocean wave sounds, turn on the Fan,
Indoor Plug turns on, and 3P shades roll down
"""
) {
starter(structure, Google.VoiceStarterTrait.OkGoogleEvent.self) {
Google.VoiceStarterTrait.OkGoogleEvent.query("I can't sleep")
}
parallel {
action(speaker, SpeakerDeviceType.self) {
Google.AssistantFulfillmentTrait.okGoogle(query: "Play ocean wave sounds")
}
action(fan, FanDeviceType.self) {
update(FanControlTrait.self) {
$0.setFanMode(.on)
}
}
action(plug, OnOffPluginUnitDeviceType.self) {
OnOffTrait.on()
}
action(shades, WindowCoveringDeviceType.self) {
WindowCoveringTrait.downOrClose()
}
}
}
Se o sensor de presença ou de ocupação detectar que a sala de estar está vazia, o ventilador será desligado, o ar-condicionado vai entrar no modo Eco e o aspirador robô será iniciado (no máximo uma vez por dia).
import GoogleHomeSDK
import GoogleHomeTypes
typealias OccupancySensingTrait = Matter.OccupancySensingTrait
typealias FanControlTrait = Matter.FanControlTrait
{
let time = stateReader(structure, Google.TimeTrait.self)
let timeCondition: TypedExpression<Bool>
if let localTimeBetweenCondition {
timeCondition = time.currentTime.between(
localTimeBetweenCondition.0,
localTimeBetweenCondition.1
)
} else {
timeCondition = time.currentTime.between(time.sunriseTime, time.sunsetTime)
}
return automation(
name: "No motion detected, turn off fan and turn on vacuum",
description:
"""
If presence/occupancy sensor detects that the living room is empty, fan turns off,
AC goes into Eco mode and robot vacuum starts (max once per day)
"""
) {
{
let occupancySensorStarter = starter(
occupancySensor,
OccupancySensorDeviceType.self,
OccupancySensingTrait.self
)
occupancySensorStarter
time
condition {
occupancySensorStarter.occupancy.notEquals(.occupied)
.and(timeCondition)
}
suppress(for: .seconds(43200)) // 12 hours
parallel {
action(fan, FanDeviceType.self) {
update(FanControlTrait.self) {
$0.setFanMode(.off)
}
}
action(thermostat, ThermostatDeviceType.self) {
Google.SimplifiedThermostatTrait.setSystemMode(systemMode: .eco)
}
action(vacuum, RoboticVacuumCleanerDeviceType.self) {
RvcRunModeTrait.changeToMode(newMode: 1)
}
}
}
}
Se todos estiverem ausentes e o sensor de porta ou janela for aberto, todos os alto-falantes ou telas inteligentes conectados ao Google Home vão transmitir "Alerta de intruso, Alerta de intruso, Alerta de intruso".
import GoogleHomeSDK
import GoogleHomeTypes
typealias DoorLockTrait = Matter.DoorLockTrait
typealias BooleanStateTrait = Matter.BooleanStateTrait
automation(
name: "Broadcast intruder alert when door is open if no one is home",
description:
"""
If everyone is away and the door or window sensor opens, all Google Home-connected
smart speaker or displays broadcast 'Intruder Alert, Intruder Alert, Intruder Alert'
"""
) {
sequential {
let areaPresenceState = starter(structure, Google.AreaPresenceStateTrait.self)
areaPresenceState
condition {
areaPresenceState.presenceState.equals(.presenceStateVacant)
}
let doorLockState = stateReader(
doorLock,
DoorLockDeviceType.self,
DoorLockTrait.self
)
// In a Contact Sensor device type, FALSE=open or no contact, TRUE=closed or contact.
let contactSensorState = stateReader(
contactSensor,
ContactSensorDeviceType.self,
BooleanStateTrait.self
)
doorLockState
contactSensorState
condition {
let exp1 = doorLockState.lockState.equals(.unlocked)
let exp2 = contactSensorState.stateValue.equals(false)
return exp1.or(exp2)
}
action(structure) {
Google.AssistantBroadcastTrait.broadcast(
msg: "Intruder Alert, Intruder Alert, Intruder Alert"
)
}
}
}
}
Quando os usuários reproduzem mídia no Chromecast à noite, o Screen Mirror é ativado e as persianas inteligentes são abaixadas (automações)
import GoogleHomeSDK
import GoogleHomeTypes
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
automation(
name: "Lower blinds when media is played",
description:
"""
When users plays media on their Chromecast in the evening, Screen Mirror
activates and smart blinds lower (Automations)
"""
) {
select {
sequential {
playbackStarter
time
let isPlaying = playbackStarter.currentState.equals(.playing)
condition {
isPlaying.and(timeCondition)
}
}
starter(structure, Google.VoiceStarterTrait.OkGoogleEvent.self) {
Google.VoiceStarterTrait.OkGoogleEvent.query("resume my movie night")
}
}
action(nanoleaf4dLight, OnOffLightDeviceType.self) {
Google.ExtendedModeSelectTrait.changeModeSettings(
updateModeSettings: [
Google.ExtendedModeSelectTrait.ModeSetting(
modeNameKey: "Light Mode",
modeValueKey: "Screen Mirror"
)
]
)
}
parallel {
for windowBlind in windowBlinds {
action(windowBlind, WindowCoveringDeviceType.self) {
WindowCoveringTrait.downOrClose()
}
}
}
}
Quando o usuário pausa o Chromecast, o Screen Mirror é pausado e as persianas inteligentes permanecem abaixadas. O usuário pode retomar o Chromecast usando o comando "Ok G" ou manualmente com um controle remoto ou o smartphone.
import GoogleHomeSDK
import GoogleHomeTypes
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
{
let mediaPlayback = starter(tv, GoogleTVDeviceType.self, MediaPlaybackTrait.self)
let time = stateReader(structure, Google.TimeTrait.self)
let timeCondition: TypedExpression<Bool>
if let localTimeBetweenCondition {
timeCondition = time.currentTime.between(
localTimeBetweenCondition.0,
localTimeBetweenCondition.1
)
} else {
timeCondition = time.currentTime.between(time.sunsetTime, time.sunriseTime)
}
automation(
name: "When Chromecast pauses, pause screen mirror",
description:
"""
When the user pauses Chromecast, Screen Mirror pauses and smart blinds stay lowered.
The user can resume Chromecast using "Ok G" or by resuming Chromecast manually using
a remote or their phone.
"""
) {
mediaPlayback
time
let isPaused = mediaPlayback.currentState.equals(.paused)
condition {
isPaused.and(timeCondition)
}
action(nanoleaf4dLight, OnOffLightDeviceType.self) {
Google.ExtendedModeSelectTrait.changeModeSettings(
updateModeSettings: [
Google.ExtendedModeSelectTrait.ModeSetting(
modeNameKey: "Light Mode",
modeValueKey: "Screen Mirror Pause"
)
]
)
}
parallel {
for windowBlind in windowBlinds {
action(windowBlind, WindowCoveringDeviceType.self) {
WindowCoveringTrait.downOrClose()
}
}
}
}
}
Quando o usuário interrompe ou encerra a reprodução de mídia no Chromecast, o dispositivo interrompe o espelhamento de tela e volta ao estado original em que estava antes do espelhamento de tela (automações).
import GoogleHomeSDK
import GoogleHomeTypes
typealias WindowCoveringTrait = Matter.WindowCoveringTrait
{
let playbackState = starter(tv, GoogleTVDeviceType.self, MediaPlaybackTrait.self)
let time = stateReader(structure, Google.TimeTrait.self)
let timeCondition: TypedExpression<Bool>
if let localTimeBetweenCondition {
timeCondition = time.currentTime.between(
localTimeBetweenCondition.0,
localTimeBetweenCondition.1
)
} else {
timeCondition = time.currentTime.between(time.sunsetTime, time.sunriseTime)
}
automation(
name: "When media stops, screen mirroring stops",
description:
"""
When the user stops/ends media play on the Chromecast, the device stops screen mirroring
and goes back to the original state that it was on before screen mirror (Automations)
"""
) {
playbackState
time
let isNotPlaying = playbackState.currentState.equals(.notPlaying)
condition {
isNotPlaying.and(timeCondition)
}
action(nanoleaf4dLight, OnOffLightDeviceType.self) {
Google.ExtendedModeSelectTrait.changeModeSettings(
updateModeSettings: [
Google.ExtendedModeSelectTrait.ModeSetting()
]
)
}
parallel {
for windowBlind in windowBlinds {
action(windowBlind, WindowCoveringDeviceType.self) {
WindowCoveringTrait.upOrOpen()
}
}
}
}
}
Se o usuário desligar a smart TV do quarto entre 22h e 6h, as luzes vão mudar para branco quente e começar a desaparecer lentamente ao longo do tempo, e a faixa de luz e os painéis hexagonais vão escurecer.
import GoogleHomeSDK
import GoogleHomeTypes
typealias OnOffTrait = Matter.OnOffTrait
typealias LevelControlTrait = Matter.LevelControlTrait
typealias ColorControlTrait = Matter.ColorControlTrait
{
var matterLights = Set<HomeDevice>()
var smartHomeLights = Set<HomeDevice>()
for light in bedroomColorTemperatureLights {
if let device = await light.types.get(ColorTemperatureLightDeviceType.self) {
if !device.traits.contains(Google.LightEffectsTrait.self),
device.traits.contains(Matter.LevelControlTrait.self),
device.traits[Matter.LevelControlTrait.self]?.supportsMoveWithOnOffCommand ?? false
{
matterLights.insert(light)
} else if device.traits.contains(Google.LightEffectsTrait.self),
device.traits[Google.LightEffectsTrait.self]?.supportsSleepEffectSetCommand ?? false
{
smartHomeLights.insert(light)
}
}
}
automation(
structureID: structure.id,
name: "Change lights when Smart TV is off",
description:
"""
If user turns bedroom Smart TV off and time is between 10pm - 6am,
lights change to Warm White and begin to slowly fade off over time,
light strip and hexagon panels dim.
"""
) {
{
let tvOnOffState = starter(
tv,
GoogleTVDeviceType.self,
OnOffTrait.self
)
let time = stateReader(
structure,
Google.TimeTrait.self
)
tvOnOffState
time
let tvIsOn = tvOnOffState.onOff.equals(false)
let timeCondition = time.currentTime.between(
localTimeBetweenCondition.0,
localTimeBetweenCondition.1
)
condition {
tvIsOn.and(timeCondition)
}
parallel {
for light in matterLights {
action(light, ColorTemperatureLightDeviceType.self) {
LevelControlTrait.moveWithOnOff(
moveMode: .down,
rate: 1,
optionsMask: LevelControlTrait.OptionsBitmap.coupleColorTempToLevel,
optionsOverride: LevelControlTrait.OptionsBitmap.coupleColorTempToLevel
)
}
}
for light in smartHomeLights {
action(light, ColorTemperatureLightDeviceType.self) {
Google.LightEffectsTrait.sleepEffectSet(durationSeconds: 30)
}
}
for lightStrip in bedroomLightStripsAndHexagonPanels {
action(lightStrip, DimmableLightDeviceType.self) {
LevelControlTrait.moveWithOnOff(
moveMode: .down,
rate: 10,
optionsMask: LevelControlTrait.OptionsBitmap(),
optionsOverride: LevelControlTrait.OptionsBitmap()
)
}
}
}
}
}