acon96 commited on
Commit
6417311
1 Parent(s): 5af3327

Update dataset with new entity types + formats

Browse files
README.md CHANGED
@@ -22,10 +22,11 @@ The dataset is generated from the different CSV "piles". The "piles" contain dif
22
 
23
  ## Generating the dataset from piles
24
 
25
- `python3 generate_home_assistant_data.py --train --test --large`
26
 
27
  Supported dataset splits are `--test`, `--train`, & `--sample`
28
  Arguments to set the train dataset size are `--small`, `--medium`, `--large`, & `--xl`.
 
29
 
30
  ## Merging with other instruct-datasets for training
31
 
@@ -35,4 +36,27 @@ Supported datasets right now are:
35
  - `alpaca`
36
  - `wizardlm70k`
37
 
38
- Please note that the supported datasets all have different licenses. Be aware that the license of the resulting data mixture might be different that the license of this dataset alone.
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
22
 
23
  ## Generating the dataset from piles
24
 
25
+ `python3 generate_home_assistant_data.py --train --test --large --sharegpt`
26
 
27
  Supported dataset splits are `--test`, `--train`, & `--sample`
28
  Arguments to set the train dataset size are `--small`, `--medium`, `--large`, & `--xl`.
29
+ Supported formats are `--raw_corpus` (chatml formatted) & `--sharegpt`
30
 
31
  ## Merging with other instruct-datasets for training
32
 
 
36
  - `alpaca`
37
  - `wizardlm70k`
38
 
39
+ Please note that the supported datasets all have different licenses. Be aware that the license of the resulting data mixture might be different that the license of this dataset alone.
40
+
41
+ ## Adding a new personality
42
+ In order to add a new personality, you need to define a new system prompt and new set of responses for the assistant. The system prompt is the description of the assistant's behavior that occurs at the start of the context. The responses are what is said back to the user when performing a task. The model should stil respond with the correct service call no matter what the assistant's response is. The list of system prompts are stored in `pile_of_system_prompts.csv`, and the list of responses are stored in `pile_of_responses.csv`
43
+
44
+ There are 2 columns in `pile_of_system_prompts.csv`:
45
+ - `persona`: the name of the persona
46
+ - `prompt`: the system prompt to use for that persona. Recommended to put this in quotes in case the prompt also has commas in it
47
+
48
+ The response pile is a CSV with the following headers: `service,response,language,persona,short`
49
+ - `service`: the service name that we are responding to. Make sure you cover enough different services so that the model can learn how to respond in all situations.
50
+ - `resposne`: the text of the repsonse. Recommended to put this in quotes in case the response also has commas in it
51
+ - `language`: the language code of the response (currently only `en` is supported)
52
+ - `persona`: the name of the persona the response belongs to. Use the name of your persona here
53
+ - `short`: either 0 or 1. If it is 1 then the response is considered "short', and can be combined together with other "short" repsonses using "and". These are used for examples where there are multiple service calls
54
+
55
+ Generating the full dataset using the python script will print out a warning for any responses that are missing for a persona
56
+
57
+ ## Adding new Home Assistant functionality
58
+ TODO
59
+ <!-- In order to add new home assistant device types, you will need to add data to a handful of piles, as well as make small modifications to the `generate_home_assistant_data.py` script.
60
+ 1. Add 15-30 new device names with the new type to the `pile_of_device_names.csv`. This should be an entity_id and a 'friendly name'
61
+ 2. Add
62
+ -->
generate_home_assistant_data.py CHANGED
@@ -1,17 +1,21 @@
1
  import argparse
2
  import json
3
  import csv
 
 
4
  import random
 
5
  from dataclasses import dataclass
6
  from datasets import load_dataset, concatenate_datasets
7
  from difflib import SequenceMatcher
8
- from typing import Final, Any
9
  from tqdm import tqdm
10
  import webcolors
11
 
12
  # #### STATES ####
13
  STATE_ON: Final = "on"
14
  STATE_OFF: Final = "off"
 
15
  STATE_UNKNOWN: Final = "unknown"
16
  STATE_OPEN: Final = "open"
17
  STATE_OPENING: Final = "opening"
@@ -30,6 +34,9 @@ STATE_JAMMED: Final = "jammed"
30
  STATE_UNAVAILABLE: Final = "unavailable"
31
  STATE_OK: Final = "ok"
32
  STATE_PROBLEM: Final = "problem"
 
 
 
33
 
34
  def closest_color(requested_color):
35
  min_colors = {}
@@ -46,6 +53,7 @@ class DeviceType:
46
  name: str
47
  possible_states: list[(str, float)]
48
  services: dict[str, list]
 
49
 
50
  def get_all_services(self, extra_exposed_attributes):
51
  result = []
@@ -53,6 +61,9 @@ class DeviceType:
53
  args = set(extra_exposed_attributes).intersection(self.services[service])
54
  result.append(f"{self.name}.{service}({','.join(args)})")
55
  return result
 
 
 
56
 
57
  def get_random_state(self, extra_exposed_attributes=[]):
58
  states = [ x[0] for x in self.possible_states ]
@@ -71,17 +82,21 @@ class LightDeviceType(DeviceType):
71
  "turn_off": [],
72
  "toggle": []
73
  },
 
 
 
 
74
  )
75
 
76
  def get_random_state(self, extra_exposed_attributes=[]):
77
  state = super().get_random_state(extra_exposed_attributes=extra_exposed_attributes)
78
 
79
  if random.random() < 0.5 and "rgb_color" in extra_exposed_attributes:
80
- random_rgb = (random.randint(0, 255), random.randint(0, 255), random.randint(0, 255))
81
  state = state + ";" + closest_color(random_rgb) + " " + str(random_rgb)
82
 
83
  if random.random() < 0.7 and "brightness" in extra_exposed_attributes:
84
- state = state + ";" + str(random.randint(0, 100)) + "%"
85
 
86
  return state
87
 
@@ -96,33 +111,46 @@ class ClimateDeviceType(DeviceType):
96
  "set_fan_mode": ["fan_mode"],
97
  "set_hvac_mode": ["hvac_mode"],
98
  "set_preset_mode": ["preset_mode"]
 
 
 
 
 
 
 
 
99
  })
100
 
101
  def get_random_state(self, extra_exposed_attributes=[]):
102
  """state;fan_mode;temperature;humidity"""
103
- state = random.choice(["heat", "cool", "heat_cool", "off", "auto", "fan_only"])
104
 
105
  if "fan_mode" in extra_exposed_attributes:
106
- state = state + ";" + random.choice(["On Low", "On High", "Auto Low", "Auto High", "Off"])
107
  if "temperature" in extra_exposed_attributes:
108
  if random.random() > 0.5:
109
- state = state + ";" + str(random.randint(60, 80)) + "F"
110
  else:
111
- state = state + ";" + str(random.randint(15, 25)) + "C"
112
  if "humidity" in extra_exposed_attributes:
113
- state = state + ";" + str(random.randint(10, 90)) + "%"
114
 
115
- if "preset_mode" in extra_exposed_attributes:
116
  # if it is not "on a preset" then don't add the mode
117
- random_mode = random.choice(["home", "eco", "away", "auto", None, None, None])
118
- if random_mode:
119
- state = state + ";" + random_mode
120
 
121
  return state
122
 
123
- with open("piles/pile_of_media_names.csv") as f:
 
 
 
 
124
  pile_of_media_names = [ x.strip() for x in f.readlines() ]
125
 
 
 
 
126
  class MediaPlayerDeviceType(DeviceType):
127
  def __init__(self):
128
  super().__init__("media_player", [
@@ -146,17 +174,20 @@ class MediaPlayerDeviceType(DeviceType):
146
  "media_stop": [],
147
  "media_next_track": [],
148
  "media_previous_track": []
 
 
 
 
149
  })
150
-
151
 
152
  def get_random_state(self, extra_exposed_attributes=[]):
153
  state = super().get_random_state(extra_exposed_attributes=extra_exposed_attributes)
154
 
155
  if "media_title" in extra_exposed_attributes and state in [STATE_PLAYING, STATE_PAUSED, STATE_BUFFERING, STATE_ON]:
156
- state = state + ";" + random.choice(pile_of_media_names)
157
 
158
  if "volume_level" in extra_exposed_attributes and state != STATE_OFF:
159
- state = state + ";vol=" + str(round(random.random(), 2))
160
  return state
161
 
162
  SUPPORTED_DEVICES = {
@@ -229,7 +260,52 @@ SUPPORTED_DEVICES = {
229
  },
230
  ),
231
  "media_player": MediaPlayerDeviceType(),
232
- "climate": ClimateDeviceType()
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
233
  }
234
 
235
  stacks_of_device_names = { x: [] for x in SUPPORTED_DEVICES.keys() }
@@ -248,29 +324,60 @@ with open("piles/pile_of_templated_actions.csv") as f:
248
  pile_of_templated_actions = list(reader)
249
  processed_pile_of_templated_actions = []
250
  for action in pile_of_templated_actions:
251
- for x in range(int(action["multiplier"])):
 
 
 
 
252
  processed_pile_of_templated_actions.append(action)
253
 
254
  pile_of_templated_actions = processed_pile_of_templated_actions
255
 
256
- with open("piles/pile_of_device_actions.csv") as f:
257
  reader = csv.DictReader(f)
258
- pile_of_device_actions = list(reader)
259
 
260
- with open("piles/pile_of_responses.csv") as f:
261
- reader = csv.DictReader(f)
262
- raw_pile_of_responses = list(reader)
 
 
 
 
 
 
 
 
 
 
263
 
264
- pile_of_responses = {}
265
- for raw in raw_pile_of_responses:
266
- if raw["device_type"] not in pile_of_responses:
267
- pile_of_responses[raw["device_type"]] = {}
268
- pile_of_responses[raw["device_type"]][raw["service"]] = [ raw["response_1"], raw["response_2"], raw["response_3"] ]
 
 
 
 
 
 
 
 
 
 
 
 
 
269
 
270
  with open("piles/pile_of_status_requests.csv") as f:
271
  reader = csv.DictReader(f)
272
  pile_of_status_requests = list(reader)
273
 
 
 
 
 
274
  def format_device_line(*, device_name: str, friendly_name: str, state: str):
275
  return (f"{device_name} '{friendly_name}' = {state}")
276
 
@@ -304,7 +411,7 @@ def random_device_list(max_devices: int, avoid_device_names: list[str]):
304
  device_list = []
305
  device_lines = []
306
  # TODO: randomly pick attributes for this list
307
- extra_exposed_attributes = ["rgb_color", "brightness", "temperature", "humidity", "fan_mode", "media_title", "volume_level"]
308
 
309
  while len(device_list) < num_devices:
310
  choice = random.choice(possible_choices)
@@ -334,12 +441,12 @@ def random_device_list(max_devices: int, avoid_device_names: list[str]):
334
 
335
  return device_lines, list(device_types), list(extra_exposed_attributes)
336
 
337
- def generate_static_example(action: dict, max_devices: int = 32):
338
  question = action["english_phrase"]
339
- target_device = action["device_name"]
340
- device_type = target_device.split(".")[0]
341
- service_name = f"{device_type}.{action['service_name']}"
342
- friendly_name = target_device.split(".")[1].replace("_", " ")
343
 
344
  device_list, device_types, extra_exposed_attributes = random_device_list(
345
  max_devices=max_devices, avoid_device_names=[target_device])
@@ -359,19 +466,28 @@ def generate_static_example(action: dict, max_devices: int = 32):
359
  for x in set(device_types + [device_type]):
360
  available_services.extend(SUPPORTED_DEVICES[x].get_all_services(extra_exposed_attributes))
361
 
 
 
 
 
 
 
 
 
 
 
362
  return {
363
  "states": device_list,
364
  "available_services": list(available_services),
365
  "question": question.lower(),
366
- "answers": [ random.choice(pile_of_responses[device_type][action["service_name"]]).lower() ],
367
  "service_calls": [ { "service": service_name, "target_device": target_device } ]
368
  }
369
 
370
- def generate_templated_example(template: dict, max_devices: int = 32):
371
  template_device_types: list[str] = template["device_type"].split("|")
372
  service_names: list[str] = [ f"{x}.{y}" for x, y in zip(template_device_types, template["service"].split("|")) ]
373
  question_template: str = template["english_phrase"]
374
- answer_template: str = template["assistant_response"]
375
 
376
  # choose a random device for this template
377
  chosen_devices = []
@@ -395,6 +511,10 @@ def generate_templated_example(template: dict, max_devices: int = 32):
395
  extra_exposed_attributes.append("temperature")
396
  if "<humidity>" in question_template and "humidity" not in extra_exposed_attributes:
397
  extra_exposed_attributes.append("humidity")
 
 
 
 
398
 
399
  state = SUPPORTED_DEVICES[device_dict["type"]].get_random_state(extra_exposed_attributes=extra_exposed_attributes)
400
  device_name = device_dict["device_name"]
@@ -411,16 +531,35 @@ def generate_templated_example(template: dict, max_devices: int = 32):
411
  for x in set(device_types + template_device_types):
412
  available_services.extend(SUPPORTED_DEVICES[x].get_all_services(extra_exposed_attributes))
413
 
414
- # generate the question
415
  if len(template_device_types) == 1:
 
 
 
 
 
 
 
 
 
416
  question = question_template.replace("<device_name>", chosen_devices[0]["description"])
417
  answer = answer_template.replace("<device_name>", chosen_devices[0]["description"])
418
- else:
419
  question = question_template
420
- answer = answer_template
421
  for i in range(len(template_device_types)):
422
  question = question.replace(f"<device_name{(i + 1)}>", chosen_devices[i]["description"])
423
- answer = answer.replace(f"<device_name{(i + 1)}>", chosen_devices[i]["description"])
 
 
 
 
 
 
 
 
 
 
424
 
425
  # generate the list of service calls and answers
426
  service_calls = []
@@ -428,40 +567,70 @@ def generate_templated_example(template: dict, max_devices: int = 32):
428
  service_calls.append({ "service": service, "target_device": device_dict["device_name"] })
429
 
430
  if any(["climate" in service for service in service_names ]):
 
 
 
 
 
 
 
 
 
 
 
 
 
431
  if "<temp_f>" in question:
432
- temp_f = random.randint(60, 80)
433
  question = question.replace("<temp_f>", str(temp_f))
434
  answer = answer.replace("<temp_f>", str(temp_f))
435
  service_calls = [ { **call, "temperature": temp_f} for call in service_calls ]
436
 
437
  if "<temp_c>" in question:
438
- temp_c = random.randint(15, 25)
439
  question = question.replace("<temp_c>", str(temp_c))
440
  answer = answer.replace("<temp_c>", str(temp_c))
441
  service_calls = [ { **call, "temperature": temp_c} for call in service_calls ]
442
 
443
  if "<humidity>" in question:
444
- humidity = random.randint(0, 20) * 5
445
  question = question.replace("<humidity>", str(humidity))
446
  answer = answer.replace("<humidity>", str(humidity))
447
  service_calls = [ { **call, "humidity": humidity} for call in service_calls ]
448
 
449
  if any(["light" in service for service in service_names ]):
 
450
  if "<brightness>" in question:
451
- brightness = random.randint(0, 100)
452
  question = question.replace("<brightness>", str(brightness))
453
  answer = answer.replace("<brightness>", str(brightness))
454
  service_calls = [ { **call, "brightness": round(brightness / 100, 2) } for call in service_calls ]
455
 
456
  if "<color>" in question:
457
- random_rgb = (random.randint(0, 255), random.randint(0, 255), random.randint(0, 255))
458
  random_rgb_name = closest_color(random_rgb)
459
  actual_random_rgb = webcolors.name_to_rgb(random_rgb_name)
460
  actual_random_rgb = (actual_random_rgb.red, actual_random_rgb.green, actual_random_rgb.blue)
461
  question = question.replace("<color>", str(random_rgb_name))
462
  answer = answer.replace("<color>", str(random_rgb_name))
463
  service_calls = [ { **call, "rgb_color": str(actual_random_rgb) } for call in service_calls ]
464
-
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
465
 
466
  return {
467
  "states": device_list,
@@ -471,7 +640,7 @@ def generate_templated_example(template: dict, max_devices: int = 32):
471
  "service_calls": service_calls
472
  }
473
 
474
- def generate_status_request(template: dict, max_devices: int = 32):
475
  device_type: str = template["device_type"]
476
  state_name: str = template["state"]
477
  question_template: str = template["english_phrase"]
@@ -492,24 +661,27 @@ def generate_status_request(template: dict, max_devices: int = 32):
492
 
493
  # insert other templated variables
494
  if device_type == "climate":
495
- temp_f = random.randint(60, 80)
 
496
  answer = answer.replace("<temp_f>", str(temp_f))
497
  state_name = state_name.replace("<temp_f>", str(temp_f))
498
 
499
- temp_c = random.randint(15, 25)
500
  answer = answer.replace("<temp_c>", str(temp_c))
501
  state_name = state_name.replace("<temp_c>", str(temp_f))
502
 
503
- humidity = random.randint(0, 20) * 5
504
  answer = answer.replace("<humidity>", str(humidity))
505
  state_name = state_name.replace("<humidity>", str(temp_f))
506
 
507
  if device_type == "light":
508
- brightness = random.randint(0, 100)
 
 
509
  answer = answer.replace("<brightness>", str(brightness))
510
  state_name = state_name.replace("<brightness>", str(brightness))
511
 
512
- random_rgb = (random.randint(0, 255), random.randint(0, 255), random.randint(0, 255))
513
  random_rgb_name = closest_color(random_rgb)
514
  actual_random_rgb = webcolors.name_to_rgb(random_rgb_name)
515
  actual_random_rgb = (actual_random_rgb.red, actual_random_rgb.green, actual_random_rgb.blue)
@@ -517,8 +689,9 @@ def generate_status_request(template: dict, max_devices: int = 32):
517
  answer = answer.replace("<color>", str(random_rgb_name))
518
 
519
  if device_type == "media_player":
520
- volume = random.randint(0, 100)
521
- random_media = random.choice(pile_of_media_names)
 
522
 
523
  answer = answer.replace("<volume>", str(volume) + "%")
524
  state_name = state_name.replace("<volume>", str(volume) + "%")
@@ -526,6 +699,18 @@ def generate_status_request(template: dict, max_devices: int = 32):
526
  answer = answer.replace("<media>", random_media)
527
  state_name = state_name.replace("<media>", random_media)
528
 
 
 
 
 
 
 
 
 
 
 
 
 
529
  device_list.insert(index, f"{chosen_device['device_name']} = {state_name}")
530
 
531
  # gather a list of all available services
@@ -541,8 +726,9 @@ def generate_status_request(template: dict, max_devices: int = 32):
541
  "service_calls": []
542
  }
543
 
544
- def format_example(example):
545
- sys_prompt = "You are 'Al', a helpful AI Assistant that controls the devices in a house. Complete the following task as instructed or answer the following question with the information provided only."
 
546
  services_block = "Services: " + ", ".join(sorted(example["available_services"]))
547
  states_block = "Devices:\n" + "\n".join(example["states"])
548
  question = example["question"]
@@ -566,39 +752,83 @@ def format_example(example):
566
  # replace aliases with their actual values
567
  result = result.replace("blinds.", "cover.")
568
  result = result.replace("garage_door.", "cover.")
569
- return result
570
 
 
 
 
 
 
 
571
 
572
- def generate_example_file(filename: str, seed: int, *, static_factor: int, template_factor: int, status_request_factor: int):
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
573
  random.seed(seed)
 
574
 
575
  print("Generating...")
576
 
577
- def run_factor_times(func, examples, data, factor):
578
  if factor >= 1:
579
  for i in range(factor):
580
- examples.append({ "text": format_example(func(data)) })
581
  else:
582
  if random.random() < factor:
583
- examples.append({ "text": format_example(func(data)) })
584
 
585
  generated_examples = []
586
- for action in tqdm(pile_of_device_actions):
587
- run_factor_times(generate_static_example, generated_examples, action, static_factor)
588
 
589
- for templated_action in tqdm(pile_of_templated_actions):
590
- run_factor_times(generate_templated_example, generated_examples, templated_action, template_factor)
 
 
 
 
 
 
 
 
 
 
 
 
 
591
 
592
  for status_request in tqdm(pile_of_status_requests):
593
- run_factor_times(generate_status_request, generated_examples, status_request, status_request_factor)
594
 
595
  print(f"Generated {len(generated_examples)} examples. Saving...")
596
- with open(f"{filename}.json", "w") as f:
597
- json.dump(generated_examples, f, indent=4)
 
 
 
 
 
 
598
 
599
  print("Done!")
600
 
601
- def format_alpaca(example):
602
  question = example["instruction"]
603
  if "input" in example and example["input"]:
604
  question = question = "\n" + example["input"]
@@ -612,7 +842,7 @@ def format_alpaca(example):
612
  for x in device_types:
613
  available_services.extend(SUPPORTED_DEVICES[x].get_all_services(extra_exposed_attributes))
614
 
615
- text = format_example(example={
616
  "states": device_list,
617
  "available_services": list(available_services),
618
  "question": question,
@@ -626,60 +856,78 @@ def format_alpaca(example):
626
 
627
  return result
628
 
629
- def merge_with_dataset(dataset_name, seed, outupt_name, format_function, dataset_column_names):
630
  alpaca_dataset = load_dataset(dataset_name)["train"].train_test_split(test_size=0.1)
631
- home_assistant_dataset = load_dataset("json", data_files={ "train": "home_assistant_train.json", "test": "home_assistant_test.json" })
632
 
633
  random.seed(seed)
 
634
 
635
  alpaca_dataset = alpaca_dataset.map(format_function).remove_columns(dataset_column_names)
636
 
637
  combined_dataset_train = concatenate_datasets([home_assistant_dataset["train"], alpaca_dataset["train"]]).shuffle(seed=42)
638
  combined_dataset_test = concatenate_datasets([home_assistant_dataset["test"], alpaca_dataset["test"]]).shuffle(seed=42)
639
 
640
- combined_dataset_train.to_json(f"home_assistant_{outupt_name}_merged_train.json")
641
- combined_dataset_test.to_json(f"home_assistant_{outupt_name}_merged_test.json")
642
 
643
 
644
  # TODO: add examples for ambiguous requests. asking a clarifying question
645
  # TODO: make more randomized names for devices (random words or people's names)
646
  # TODO: answer questions about more than one thing in the state list at once
647
  # TODO: add examples for rooms/groups of devices. i.e. "turn off all the lights in the kitchen"
 
 
648
  def main():
649
  parser = argparse.ArgumentParser(description="Generate the full dataset from the CSV piles")
650
  parser.add_argument("--sample", action="store_true", help="Set this flag to enable generation of the train dataset.")
651
  parser.add_argument("--test", action="store_true", help="Set this flag to enable generation of the train dataset..")
652
  parser.add_argument("--train", action="store_true", help="Set this flag to enable generation of the train dataset.")
653
  parser.add_argument("--merge", help="Set this flag to merge the generated datasets with the specified dataset.")
 
654
  train_size_group = parser.add_mutually_exclusive_group()
655
  train_size_group.add_argument('--small', action='store_const', const='small', dest='size')
656
  train_size_group.add_argument('--medium', action='store_const', const='medium', dest='size')
657
  train_size_group.add_argument('--large', action='store_const', const='large', dest='size')
658
  train_size_group.add_argument('--xl', action='store_const', const='xl', dest='size')
659
 
 
 
 
 
660
  args = parser.parse_args()
661
 
 
 
 
 
 
 
 
 
 
 
 
662
  if args.sample:
663
- generate_example_file("sample", 42, static_factor=1, template_factor=1, status_request_factor=1)
664
  if args.train:
665
- # TODO: add small, medium, large cli clags
666
  if args.size == "small":
667
- generate_example_file("home_assistant_train", 42, static_factor=1, template_factor=10, status_request_factor=8)
668
  elif args.size == "medium":
669
- generate_example_file("home_assistant_train", 42, static_factor=5, template_factor=15, status_request_factor=12)
670
  elif args.size == "large":
671
- generate_example_file("home_assistant_train", 42, static_factor=5, template_factor=20, status_request_factor=15)
672
  elif args.size == "xl":
673
- generate_example_file("home_assistant_train", 42, static_factor=7, template_factor=25, status_request_factor=18)
674
  else:
675
  raise Exception(f"Unrecognized dataset size: {args.size}")
676
  if args.test:
677
- generate_example_file("home_assistant_test", 12345, static_factor=0.25, template_factor=3, status_request_factor=2)
678
 
679
  if args.merge == "alpaca":
680
- merge_with_dataset("yahma/alpaca-cleaned", 42, "alpaca", format_alpaca, ["input", "output", "instruction"])
681
  elif args.merge == "wizardlm70k":
682
- merge_with_dataset("WizardLM/WizardLM_evol_instruct_70k", 42, "wizardlm70k", format_alpaca, ["output", "instruction"])
683
 
684
  if __name__ == "__main__":
685
  main()
 
1
  import argparse
2
  import json
3
  import csv
4
+ import pandas
5
+ import numpy as np
6
  import random
7
+ import re
8
  from dataclasses import dataclass
9
  from datasets import load_dataset, concatenate_datasets
10
  from difflib import SequenceMatcher
11
+ from typing import Final, Any, Callable, Optional
12
  from tqdm import tqdm
13
  import webcolors
14
 
15
  # #### STATES ####
16
  STATE_ON: Final = "on"
17
  STATE_OFF: Final = "off"
18
+ STATE_ACTIVE: Final = "active"
19
  STATE_UNKNOWN: Final = "unknown"
20
  STATE_OPEN: Final = "open"
21
  STATE_OPENING: Final = "opening"
 
34
  STATE_UNAVAILABLE: Final = "unavailable"
35
  STATE_OK: Final = "ok"
36
  STATE_PROBLEM: Final = "problem"
37
+ STATE_CLEANING: Final = "cleaning"
38
+ STATE_DOCKED: Final = "docked"
39
+ STATE_RETURNING: Final = "returning"
40
 
41
  def closest_color(requested_color):
42
  min_colors = {}
 
53
  name: str
54
  possible_states: list[(str, float)]
55
  services: dict[str, list]
56
+ random_parameter_generator: Optional[dict[str, Callable]] = None
57
 
58
  def get_all_services(self, extra_exposed_attributes):
59
  result = []
 
61
  args = set(extra_exposed_attributes).intersection(self.services[service])
62
  result.append(f"{self.name}.{service}({','.join(args)})")
63
  return result
64
+
65
+ def get_random_parameter(self, param_name):
66
+ return self.random_parameter_generator[param_name]()
67
 
68
  def get_random_state(self, extra_exposed_attributes=[]):
69
  states = [ x[0] for x in self.possible_states ]
 
82
  "turn_off": [],
83
  "toggle": []
84
  },
85
+ random_parameter_generator={
86
+ "rgb_color": lambda: (random.randint(0, 255), random.randint(0, 255), random.randint(0, 255)),
87
+ "brightness": lambda: random.randint(0, 100),
88
+ }
89
  )
90
 
91
  def get_random_state(self, extra_exposed_attributes=[]):
92
  state = super().get_random_state(extra_exposed_attributes=extra_exposed_attributes)
93
 
94
  if random.random() < 0.5 and "rgb_color" in extra_exposed_attributes:
95
+ random_rgb = self.get_random_parameter("rgb_color")
96
  state = state + ";" + closest_color(random_rgb) + " " + str(random_rgb)
97
 
98
  if random.random() < 0.7 and "brightness" in extra_exposed_attributes:
99
+ state = state + ";" + str(self.get_random_parameter("brightness")) + "%"
100
 
101
  return state
102
 
 
111
  "set_fan_mode": ["fan_mode"],
112
  "set_hvac_mode": ["hvac_mode"],
113
  "set_preset_mode": ["preset_mode"]
114
+ },
115
+ random_parameter_generator={
116
+ "fan_mode": lambda: random.choice(["On Low", "On High", "Auto Low", "Auto High", "Off"]),
117
+ "temp_f": lambda: random.randint(60, 80),
118
+ "temp_c": lambda: random.randint(15, 25),
119
+ "humidity": lambda: random.randint(10, 90),
120
+ "preset_mode": lambda: random.choice(["home", "eco", "away", "auto"]),
121
+ "hvac_mode": lambda: random.choice(["heat", "cool", "heat_cool", "off", "auto", "fan_only"]),
122
  })
123
 
124
  def get_random_state(self, extra_exposed_attributes=[]):
125
  """state;fan_mode;temperature;humidity"""
126
+ state = self.get_random_parameter("hvac_mode")
127
 
128
  if "fan_mode" in extra_exposed_attributes:
129
+ state = state + ";" + self.get_random_parameter("fan_mode")
130
  if "temperature" in extra_exposed_attributes:
131
  if random.random() > 0.5:
132
+ state = state + ";" + str(self.get_random_parameter("temp_f")) + "F"
133
  else:
134
+ state = state + ";" + str(self.get_random_parameter("temp_c")) + "C"
135
  if "humidity" in extra_exposed_attributes:
136
+ state = state + ";" + str(self.get_random_parameter("humidity")) + "%"
137
 
138
+ if random.random() < 0.8 and "preset_mode" in extra_exposed_attributes:
139
  # if it is not "on a preset" then don't add the mode
140
+ state = state + ";" + self.get_random_parameter("preset_mode")
 
 
141
 
142
  return state
143
 
144
+ with open("piles/pile_of_durations.csv") as f:
145
+ reader = csv.DictReader(f)
146
+ pile_of_durations = { x["duration"]: x["english_name"] for x in reader }
147
+
148
+ with open("piles/pile_of_media_names.txt") as f:
149
  pile_of_media_names = [ x.strip() for x in f.readlines() ]
150
 
151
+ with open("piles/pile_of_todo_items.txt") as f:
152
+ pile_of_todo_items = [ x.strip() for x in f.readlines() ]
153
+
154
  class MediaPlayerDeviceType(DeviceType):
155
  def __init__(self):
156
  super().__init__("media_player", [
 
174
  "media_stop": [],
175
  "media_next_track": [],
176
  "media_previous_track": []
177
+ },
178
+ random_parameter_generator={
179
+ "media": lambda: random.choice(pile_of_media_names),
180
+ "volume": lambda: round(random.random(), 2),
181
  })
 
182
 
183
  def get_random_state(self, extra_exposed_attributes=[]):
184
  state = super().get_random_state(extra_exposed_attributes=extra_exposed_attributes)
185
 
186
  if "media_title" in extra_exposed_attributes and state in [STATE_PLAYING, STATE_PAUSED, STATE_BUFFERING, STATE_ON]:
187
+ state = state + ";" + self.get_random_parameter("media")
188
 
189
  if "volume_level" in extra_exposed_attributes and state != STATE_OFF:
190
+ state = state + ";vol=" + str(self.get_random_parameter("volume"))
191
  return state
192
 
193
  SUPPORTED_DEVICES = {
 
260
  },
261
  ),
262
  "media_player": MediaPlayerDeviceType(),
263
+ "climate": ClimateDeviceType(),
264
+ "vacuum": DeviceType(
265
+ name="vacuum",
266
+ possible_states=[
267
+ (STATE_CLEANING, 0.2),
268
+ (STATE_DOCKED, 0.6),
269
+ (STATE_RETURNING, 0.1),
270
+ (STATE_IDLE, 0.05),
271
+ (STATE_PAUSED, 0.05),
272
+ ],
273
+ services={
274
+ "start": [],
275
+ "pause": [],
276
+ "stop": [],
277
+ "return_to_base": [],
278
+ },
279
+ ),
280
+ "timer": DeviceType(
281
+ name="timer",
282
+ possible_states=[
283
+ (STATE_IDLE, 0.2),
284
+ (STATE_ACTIVE, 0.6),
285
+ (STATE_PAUSED, 0.1),
286
+ ],
287
+ services={
288
+ "start": ["duration"],
289
+ "pause": [],
290
+ "cancel": [],
291
+ },
292
+ random_parameter_generator={
293
+ "duration": lambda: random.choice(list(pile_of_durations.keys())),
294
+ "remaining": lambda: f"{random.randint(0, 3):02}:{random.randint(0, 60)}:{random.randint(0, 60)}"
295
+ }
296
+ ),
297
+ "todo": DeviceType(
298
+ name="timer",
299
+ possible_states=[ (f"{i}", (1/32)) for i in range(32) ],
300
+ services={
301
+ "add_item": ["item"],
302
+ "pause": [],
303
+ "cancel": [],
304
+ },
305
+ random_parameter_generator={
306
+ "todo": lambda: random.choice(pile_of_todo_items),
307
+ }
308
+ ),
309
  }
310
 
311
  stacks_of_device_names = { x: [] for x in SUPPORTED_DEVICES.keys() }
 
324
  pile_of_templated_actions = list(reader)
325
  processed_pile_of_templated_actions = []
326
  for action in pile_of_templated_actions:
327
+ try:
328
+ multiplier = int(action["multiplier"])
329
+ except Exception:
330
+ raise Exception(f"line has a bad multiplier: {action}")
331
+ for x in range(multiplier):
332
  processed_pile_of_templated_actions.append(action)
333
 
334
  pile_of_templated_actions = processed_pile_of_templated_actions
335
 
336
+ with open("piles/pile_of_specific_actions.csv") as f:
337
  reader = csv.DictReader(f)
338
+ pile_of_specific_actions = list(reader)
339
 
340
+ pile_of_responses = pandas.read_csv("piles/pile_of_responses.csv")
341
+
342
+ var_pattern = re.compile("<(.*?)>")
343
+ def get_included_vars(response: str):
344
+ result = []
345
+ for var in var_pattern.findall(response):
346
+ if var == "device_name":
347
+ continue
348
+ result.append(var)
349
+
350
+ return ",".join(sorted(result))
351
+
352
+ pile_of_responses["contains_vars"] = pile_of_responses["response"].apply(get_included_vars)
353
 
354
+ class NoResponseAvailableException(Exception):
355
+ pass
356
+
357
+ def get_random_response(*, service: str, language: str, persona: str, question_template: str, short: bool) -> str:
358
+
359
+ required_vars = list(set([var for var in var_pattern.findall(question_template) if "device_name" not in var]))
360
+
361
+ possible_results = pile_of_responses.loc[(pile_of_responses['service']==service) &
362
+ (pile_of_responses['language']==language) &
363
+ (pile_of_responses['persona']==persona) &
364
+ (pile_of_responses['short']==(1 if short else 0)) &
365
+ (pile_of_responses['contains_vars']==",".join(sorted(required_vars)))
366
+ ]
367
+
368
+ if len(possible_results) == 0:
369
+ raise NoResponseAvailableException(f"No responses matched the provided filters: {persona}, {service}, {language}, {required_vars}, {short}")
370
+
371
+ return possible_results.sample()["response"].values[0]
372
 
373
  with open("piles/pile_of_status_requests.csv") as f:
374
  reader = csv.DictReader(f)
375
  pile_of_status_requests = list(reader)
376
 
377
+ with open("piles/pile_of_system_prompts.csv") as f:
378
+ reader = csv.DictReader(f)
379
+ pile_of_system_prompts = { line["persona"]: line["prompt"] for line in reader }
380
+
381
  def format_device_line(*, device_name: str, friendly_name: str, state: str):
382
  return (f"{device_name} '{friendly_name}' = {state}")
383
 
 
411
  device_list = []
412
  device_lines = []
413
  # TODO: randomly pick attributes for this list
414
+ extra_exposed_attributes = ["rgb_color", "brightness", "temperature", "humidity", "fan_mode", "media_title", "volume_level", "duration", "remaining", "item"]
415
 
416
  while len(device_list) < num_devices:
417
  choice = random.choice(possible_choices)
 
441
 
442
  return device_lines, list(device_types), list(extra_exposed_attributes)
443
 
444
+ def generate_static_example(action: dict, language: str, persona: str, max_devices: int = 32):
445
  question = action["english_phrase"]
446
+ service_name = action["service_name"]
447
+ device_type = service_name.split(".")[0]
448
+ target_device = f"{device_type}.{action['device_name']}"
449
+ friendly_name = target_device.split(".")[1].replace("_", " ").title()
450
 
451
  device_list, device_types, extra_exposed_attributes = random_device_list(
452
  max_devices=max_devices, avoid_device_names=[target_device])
 
466
  for x in set(device_types + [device_type]):
467
  available_services.extend(SUPPORTED_DEVICES[x].get_all_services(extra_exposed_attributes))
468
 
469
+ response = get_random_response(
470
+ service=action["service_name"],
471
+ language=language,
472
+ persona=persona,
473
+ question_template="",
474
+ short=False
475
+ ).lower()
476
+
477
+ response = response.replace("<device_name>", friendly_name)
478
+
479
  return {
480
  "states": device_list,
481
  "available_services": list(available_services),
482
  "question": question.lower(),
483
+ "answers": [ response ],
484
  "service_calls": [ { "service": service_name, "target_device": target_device } ]
485
  }
486
 
487
+ def generate_templated_example(template: dict, language: str, persona: str, max_devices: int = 32):
488
  template_device_types: list[str] = template["device_type"].split("|")
489
  service_names: list[str] = [ f"{x}.{y}" for x, y in zip(template_device_types, template["service"].split("|")) ]
490
  question_template: str = template["english_phrase"]
 
491
 
492
  # choose a random device for this template
493
  chosen_devices = []
 
511
  extra_exposed_attributes.append("temperature")
512
  if "<humidity>" in question_template and "humidity" not in extra_exposed_attributes:
513
  extra_exposed_attributes.append("humidity")
514
+ if "<fan_mode>" in question_template and "fan_mode" not in extra_exposed_attributes:
515
+ extra_exposed_attributes.append("fan_mode")
516
+ if "<duration>" in question_template and "duration" not in extra_exposed_attributes:
517
+ extra_exposed_attributes.append("duration")
518
 
519
  state = SUPPORTED_DEVICES[device_dict["type"]].get_random_state(extra_exposed_attributes=extra_exposed_attributes)
520
  device_name = device_dict["device_name"]
 
531
  for x in set(device_types + template_device_types):
532
  available_services.extend(SUPPORTED_DEVICES[x].get_all_services(extra_exposed_attributes))
533
 
534
+ # pick an appropriate response and generate the question
535
  if len(template_device_types) == 1:
536
+ # TODO: pick correct resonse here (also probaly need to pass in language and persona)
537
+ answer_template = get_random_response(
538
+ service=service_names[0],
539
+ language=language,
540
+ persona=persona,
541
+ question_template=question_template,
542
+ short=False
543
+ )
544
+
545
  question = question_template.replace("<device_name>", chosen_devices[0]["description"])
546
  answer = answer_template.replace("<device_name>", chosen_devices[0]["description"])
547
+ else:
548
  question = question_template
549
+ answers = []
550
  for i in range(len(template_device_types)):
551
  question = question.replace(f"<device_name{(i + 1)}>", chosen_devices[i]["description"])
552
+ answer = get_random_response(
553
+ service=service_names[i],
554
+ language=language,
555
+ persona=persona,
556
+ question_template=question_template,
557
+ short=True
558
+ )
559
+ answers.append(answer.replace(f"<device_name>", chosen_devices[i]["description"]))
560
+
561
+ # TODO: support different "and" words per language
562
+ answer = " and ".join(answers)
563
 
564
  # generate the list of service calls and answers
565
  service_calls = []
 
567
  service_calls.append({ "service": service, "target_device": device_dict["device_name"] })
568
 
569
  if any(["climate" in service for service in service_names ]):
570
+ climate_device_type = SUPPORTED_DEVICES["climate"]
571
+ if "<hvac_mode>" in question:
572
+ hvac_mode = climate_device_type.get_random_parameter("hvac_mode")
573
+ question = question.replace("<hvac_mode>", hvac_mode)
574
+ answer = answer.replace("<hvac_mode>", hvac_mode)
575
+ service_calls = [ { **call, "hvac_mode": hvac_mode} for call in service_calls ]
576
+
577
+ if "<fan_mode>" in question:
578
+ fan_mode = climate_device_type.get_random_parameter("fan_mode")
579
+ question = question.replace("<fan_mode>", fan_mode)
580
+ answer = answer.replace("<fan_mode>", fan_mode)
581
+ service_calls = [ { **call, "fan_mode": fan_mode} for call in service_calls ]
582
+
583
  if "<temp_f>" in question:
584
+ temp_f = climate_device_type.get_random_parameter("temp_f")
585
  question = question.replace("<temp_f>", str(temp_f))
586
  answer = answer.replace("<temp_f>", str(temp_f))
587
  service_calls = [ { **call, "temperature": temp_f} for call in service_calls ]
588
 
589
  if "<temp_c>" in question:
590
+ temp_c = climate_device_type.get_random_parameter("temp_c")
591
  question = question.replace("<temp_c>", str(temp_c))
592
  answer = answer.replace("<temp_c>", str(temp_c))
593
  service_calls = [ { **call, "temperature": temp_c} for call in service_calls ]
594
 
595
  if "<humidity>" in question:
596
+ humidity = climate_device_type.get_random_parameter("humidity")
597
  question = question.replace("<humidity>", str(humidity))
598
  answer = answer.replace("<humidity>", str(humidity))
599
  service_calls = [ { **call, "humidity": humidity} for call in service_calls ]
600
 
601
  if any(["light" in service for service in service_names ]):
602
+ light_device_type = SUPPORTED_DEVICES["light"]
603
  if "<brightness>" in question:
604
+ brightness = light_device_type.get_random_parameter("brightness")
605
  question = question.replace("<brightness>", str(brightness))
606
  answer = answer.replace("<brightness>", str(brightness))
607
  service_calls = [ { **call, "brightness": round(brightness / 100, 2) } for call in service_calls ]
608
 
609
  if "<color>" in question:
610
+ random_rgb = light_device_type.get_random_parameter("rgb_color")
611
  random_rgb_name = closest_color(random_rgb)
612
  actual_random_rgb = webcolors.name_to_rgb(random_rgb_name)
613
  actual_random_rgb = (actual_random_rgb.red, actual_random_rgb.green, actual_random_rgb.blue)
614
  question = question.replace("<color>", str(random_rgb_name))
615
  answer = answer.replace("<color>", str(random_rgb_name))
616
  service_calls = [ { **call, "rgb_color": str(actual_random_rgb) } for call in service_calls ]
617
+
618
+ if any(["timer" in service for service in service_names ]):
619
+ timer_device_type = SUPPORTED_DEVICES["timer"]
620
+ if "<duration>" in question:
621
+ duration = timer_device_type.get_random_parameter("duration")
622
+ duration_name = pile_of_durations[duration]
623
+ question = question.replace("<duration>", duration_name)
624
+ answer = answer.replace("<duration>", duration_name)
625
+ service_calls = [ { **call, "duration": str(duration) } for call in service_calls ]
626
+
627
+ if any(["todo" in service for service in service_names ]):
628
+ todo_device_type = SUPPORTED_DEVICES["todo"]
629
+ if "<todo>" in question:
630
+ todo = todo_device_type.get_random_parameter("todo")
631
+ question = question.replace("<todo>", todo)
632
+ answer = answer.replace("<todo>", todo)
633
+ service_calls = [ { **call, "item": todo } for call in service_calls ]
634
 
635
  return {
636
  "states": device_list,
 
640
  "service_calls": service_calls
641
  }
642
 
643
+ def generate_status_request(template: dict, language: str, persona: str, max_devices: int = 32):
644
  device_type: str = template["device_type"]
645
  state_name: str = template["state"]
646
  question_template: str = template["english_phrase"]
 
661
 
662
  # insert other templated variables
663
  if device_type == "climate":
664
+ climate_device_type = SUPPORTED_DEVICES["climate"]
665
+ temp_f = climate_device_type.get_random_parameter("temp_f")
666
  answer = answer.replace("<temp_f>", str(temp_f))
667
  state_name = state_name.replace("<temp_f>", str(temp_f))
668
 
669
+ temp_c = climate_device_type.get_random_parameter("temp_c")
670
  answer = answer.replace("<temp_c>", str(temp_c))
671
  state_name = state_name.replace("<temp_c>", str(temp_f))
672
 
673
+ humidity = climate_device_type.get_random_parameter("humidity")
674
  answer = answer.replace("<humidity>", str(humidity))
675
  state_name = state_name.replace("<humidity>", str(temp_f))
676
 
677
  if device_type == "light":
678
+ light_device_type = SUPPORTED_DEVICES["light"]
679
+
680
+ brightness = light_device_type.get_random_parameter("brightness")
681
  answer = answer.replace("<brightness>", str(brightness))
682
  state_name = state_name.replace("<brightness>", str(brightness))
683
 
684
+ random_rgb = light_device_type.get_random_parameter("rgb_color")
685
  random_rgb_name = closest_color(random_rgb)
686
  actual_random_rgb = webcolors.name_to_rgb(random_rgb_name)
687
  actual_random_rgb = (actual_random_rgb.red, actual_random_rgb.green, actual_random_rgb.blue)
 
689
  answer = answer.replace("<color>", str(random_rgb_name))
690
 
691
  if device_type == "media_player":
692
+ media_player_device_type = SUPPORTED_DEVICES["media_player"]
693
+ volume = media_player_device_type.get_random_parameter("volume")
694
+ random_media = media_player_device_type.get_random_parameter("media")
695
 
696
  answer = answer.replace("<volume>", str(volume) + "%")
697
  state_name = state_name.replace("<volume>", str(volume) + "%")
 
699
  answer = answer.replace("<media>", random_media)
700
  state_name = state_name.replace("<media>", random_media)
701
 
702
+ if device_type == "timer":
703
+ timer_device_type = SUPPORTED_DEVICES["timer"]
704
+ duration = timer_device_type.get_random_parameter("duration")
705
+ duration_name = pile_of_durations[duration]
706
+ remaining = timer_device_type.get_random_parameter("remaining")
707
+
708
+ answer = answer.replace("<duration>", duration_name)
709
+ state_name = state_name.replace("<duration>", duration)
710
+
711
+ answer = answer.replace("<remaining>", remaining)
712
+ state_name = state_name.replace("<remaining>", remaining)
713
+
714
  device_list.insert(index, f"{chosen_device['device_name']} = {state_name}")
715
 
716
  # gather a list of all available services
 
726
  "service_calls": []
727
  }
728
 
729
+ def format_example_raw_chatml(example, persona):
730
+ """Don't use this one anymore"""
731
+ sys_prompt = pile_of_system_prompts[persona]
732
  services_block = "Services: " + ", ".join(sorted(example["available_services"]))
733
  states_block = "Devices:\n" + "\n".join(example["states"])
734
  question = example["question"]
 
752
  # replace aliases with their actual values
753
  result = result.replace("blinds.", "cover.")
754
  result = result.replace("garage_door.", "cover.")
755
+ return { "text": result }
756
 
757
+ def format_example_sharegpt(example, persona):
758
+ sys_prompt = pile_of_system_prompts[persona]
759
+ services_block = "Services: " + ", ".join(sorted(example["available_services"]))
760
+ states_block = "Devices:\n" + "\n".join(example["states"])
761
+ question = example["question"]
762
+ answers = " ".join(example["answers"])
763
 
764
+ assistant_block = answers
765
+ if len(example["service_calls"]) > 0:
766
+ json_calls = [ json.dumps(x) for x in example["service_calls"] ]
767
+ code_block = "\n```homeassistant\n" + "\n".join(json_calls) + "\n```"
768
+ assistant_block = assistant_block + code_block
769
+
770
+ # replace aliases with their actual values
771
+ assistant_block = assistant_block.replace("blinds.", "cover.").replace("garage_door.", "cover.")
772
+ states_block = states_block.replace("blinds.", "cover.").replace("garage_door.", "cover.")
773
+ services_block = services_block.replace("blinds.", "cover.").replace("garage_door.", "cover.")
774
+
775
+ conversation = [
776
+ { "from": "system", "value": "\n".join([ sys_prompt, services_block, states_block ])},
777
+ { "from": "user", "value": question },
778
+ { "from": "assistant", "value": assistant_block },
779
+ ]
780
+
781
+ return { "conversations": conversation }
782
+
783
+
784
+ def generate_example_file(filename: str, seed: int, format_func: Callable, languages: list[str], personas: list[str], *, static_factor: int, template_factor: int, status_request_factor: int):
785
  random.seed(seed)
786
+ np.random.seed(seed)
787
 
788
  print("Generating...")
789
 
790
+ def run_factor_times(func, examples, data, language, persona, factor):
791
  if factor >= 1:
792
  for i in range(factor):
793
+ examples.append(format_func(func(data, language, persona), persona))
794
  else:
795
  if random.random() < factor:
796
+ examples.append(format_func(func(data, language, persona), persona))
797
 
798
  generated_examples = []
 
 
799
 
800
+ missing_responses = set()
801
+
802
+ for lang in languages:
803
+ for person in personas:
804
+ for action in tqdm(pile_of_specific_actions):
805
+ try:
806
+ run_factor_times(generate_static_example, generated_examples, action, lang, person, static_factor)
807
+ except NoResponseAvailableException as ex:
808
+ missing_responses.add(str(ex))
809
+
810
+ for templated_action in tqdm(pile_of_templated_actions):
811
+ try:
812
+ run_factor_times(generate_templated_example, generated_examples, templated_action, lang, person, template_factor)
813
+ except NoResponseAvailableException as ex:
814
+ missing_responses.add(str(ex))
815
 
816
  for status_request in tqdm(pile_of_status_requests):
817
+ run_factor_times(generate_status_request, generated_examples, status_request, "en", "assistant", status_request_factor)
818
 
819
  print(f"Generated {len(generated_examples)} examples. Saving...")
820
+
821
+ for missing in sorted(missing_responses):
822
+ print(missing)
823
+
824
+ with open(f"{filename}.jsonl", "w") as f:
825
+ for item in generated_examples:
826
+ json_record = json.dumps(item)
827
+ f.write(json_record + '\n')
828
 
829
  print("Done!")
830
 
831
+ def format_alpaca(example, format_func: Callable):
832
  question = example["instruction"]
833
  if "input" in example and example["input"]:
834
  question = question = "\n" + example["input"]
 
842
  for x in device_types:
843
  available_services.extend(SUPPORTED_DEVICES[x].get_all_services(extra_exposed_attributes))
844
 
845
+ text = format_func(example={
846
  "states": device_list,
847
  "available_services": list(available_services),
848
  "question": question,
 
856
 
857
  return result
858
 
859
+ def merge_with_dataset(dataset_name, seed, output_name, format_function, dataset_column_names, format_func):
860
  alpaca_dataset = load_dataset(dataset_name)["train"].train_test_split(test_size=0.1)
861
+ home_assistant_dataset = load_dataset("json", data_files={ "train": "home_assistant_train.jsonl", "test": "home_assistant_test.jsonl" })
862
 
863
  random.seed(seed)
864
+ np.random.seed(seed)
865
 
866
  alpaca_dataset = alpaca_dataset.map(format_function).remove_columns(dataset_column_names)
867
 
868
  combined_dataset_train = concatenate_datasets([home_assistant_dataset["train"], alpaca_dataset["train"]]).shuffle(seed=42)
869
  combined_dataset_test = concatenate_datasets([home_assistant_dataset["test"], alpaca_dataset["test"]]).shuffle(seed=42)
870
 
871
+ combined_dataset_train.to_json(f"home_assistant_{output_name}_merged_train.jsonl")
872
+ combined_dataset_test.to_json(f"home_assistant_{output_name}_merged_test.jsonl")
873
 
874
 
875
  # TODO: add examples for ambiguous requests. asking a clarifying question
876
  # TODO: make more randomized names for devices (random words or people's names)
877
  # TODO: answer questions about more than one thing in the state list at once
878
  # TODO: add examples for rooms/groups of devices. i.e. "turn off all the lights in the kitchen"
879
+ # TODO: add personas for responses. different system prompts should invoke different response tones (pirate, robot, and mean)
880
+ # TODO: add time, weather, and calendar/reminders (next 3 events?)
881
  def main():
882
  parser = argparse.ArgumentParser(description="Generate the full dataset from the CSV piles")
883
  parser.add_argument("--sample", action="store_true", help="Set this flag to enable generation of the train dataset.")
884
  parser.add_argument("--test", action="store_true", help="Set this flag to enable generation of the train dataset..")
885
  parser.add_argument("--train", action="store_true", help="Set this flag to enable generation of the train dataset.")
886
  parser.add_argument("--merge", help="Set this flag to merge the generated datasets with the specified dataset.")
887
+
888
  train_size_group = parser.add_mutually_exclusive_group()
889
  train_size_group.add_argument('--small', action='store_const', const='small', dest='size')
890
  train_size_group.add_argument('--medium', action='store_const', const='medium', dest='size')
891
  train_size_group.add_argument('--large', action='store_const', const='large', dest='size')
892
  train_size_group.add_argument('--xl', action='store_const', const='xl', dest='size')
893
 
894
+ dataset_format_group = parser.add_mutually_exclusive_group()
895
+ dataset_format_group.add_argument('--raw_corpus', action='store_const', const='raw', dest='format')
896
+ dataset_format_group.add_argument('--sharegpt', action='store_const', const='sharegpt', dest='format')
897
+
898
  args = parser.parse_args()
899
 
900
+ languages = ["en"]
901
+ personas = ["assistant", "pirate", "robot"]
902
+
903
+ if not args.sample and not args.train and not args.test and not args.merge:
904
+ parser.print_usage()
905
+
906
+ if not args.format or args.format == "raw":
907
+ format_func = format_example_raw_chatml
908
+ elif args.format == "sharegpt":
909
+ format_func = format_example_sharegpt
910
+
911
  if args.sample:
912
+ generate_example_file("sample", 42, format_func, languages, personas, static_factor=1, template_factor=1, status_request_factor=1)
913
  if args.train:
 
914
  if args.size == "small":
915
+ generate_example_file("home_assistant_train", 42, format_func, languages, personas, static_factor=1, template_factor=10, status_request_factor=8)
916
  elif args.size == "medium":
917
+ generate_example_file("home_assistant_train", 42, format_func, languages, personas, static_factor=5, template_factor=15, status_request_factor=12)
918
  elif args.size == "large":
919
+ generate_example_file("home_assistant_train", 42, format_func, languages, personas, static_factor=5, template_factor=20, status_request_factor=15)
920
  elif args.size == "xl":
921
+ generate_example_file("home_assistant_train", 42, format_func, languages, personas, static_factor=7, template_factor=25, status_request_factor=18)
922
  else:
923
  raise Exception(f"Unrecognized dataset size: {args.size}")
924
  if args.test:
925
+ generate_example_file("home_assistant_test", 12345, format_func, languages, personas, static_factor=0.25, template_factor=1, status_request_factor=2)
926
 
927
  if args.merge == "alpaca":
928
+ merge_with_dataset("yahma/alpaca-cleaned", 42, "alpaca", format_alpaca, ["input", "output", "instruction"], format_func)
929
  elif args.merge == "wizardlm70k":
930
+ merge_with_dataset("WizardLM/WizardLM_evol_instruct_70k", 42, "wizardlm70k", format_alpaca, ["output", "instruction"], format_func)
931
 
932
  if __name__ == "__main__":
933
  main()
piles/__in_progress.csv ADDED
@@ -0,0 +1,71 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ---- templated actions
2
+ input_select,select_option,"Set <device_name> to <option>.",8
3
+ input_select,select_option,"Can you please modify <device_name> and select the <option>?",8
4
+ input_select,select_option,"I'd like to request that <device_name> be configured with the setting <option>.",8
5
+ input_select,select_option,"May I kindly ask you to set the configuration of <device_name> to <option>?",8
6
+ input_select,select_option,"Please adjust the settings of <device_name> and choose the <option>.",8
7
+ input_select,select_option,"Could we please change the mode of <device_name> to <option>?",8
8
+ input_select,select_option,"Set the <option> on <device_name>.",8
9
+ input_select,select_option,"I'd appreciate if you could update the settings for <device_name> and set it to the <option>.",8
10
+ input_select,select_option,"May we make the following adjustment: configure <device_name> with the <option>?",8
11
+ input_select,select_option,"Could you please make sure that <device_name> utilizes the setting <option>?",8
12
+ input_select,select_option,"I'd like to request your assistance in setting <device_name> to <option>.",8
13
+ input_select,select_option,"Set <device_name> to the <option> mode.",8
14
+ input_select,select_option,"Can we please alter the configuration of <device_name> and select the <option>?",8
15
+
16
+ ---- specific actions
17
+ input_select.nature_sounds,"Could you set the nature sounds to ""thunderstorm"", please?",select_option
18
+ input_select.people,"Can you set the people select to ""John""?",select_option
19
+ input_select.who_cooks,Can you change who cooks to Paulus please?,select_option
20
+ input_select.living_room_scene,Change the living room scene to Movie Time.,select_option
21
+ input_select.alarm_status,"Set the alarm status to ""Armed"".",select_option
22
+ input_select.roof_light_preset,"Change the roof light preset to ""Candy Cane"".",select_option
23
+ input_select.roof_light_preset,"Please set ""Halloween"" for the roof light preset"".",select_option
24
+ input_select.roof_light_preset,"Turn the roof light preset to ""Twinkle"".",select_option
25
+ input_select.nature_sounds,"Turn ""off"" the nature sounds.",select_option
26
+ input_select.nature_sounds,"Set nature sounds to ""Windy Mountain"".",select_option
27
+
28
+
29
+ ---- we need to add support for prameters in specific actions pile to use these
30
+ todo.add_item,groceries,Add milk to my groceries list.
31
+ todo.add_item,household_supplies,Could you please add eggs to my household supplies list?
32
+ todo.add_item,electronics,I would like you to add a new printer to the electronics list.
33
+ todo.add_item,clothing,Kindly add a shirt to the clothing list for me.
34
+ todo.add_item,office_supplies,Could you please add paper clips to the office supplies list?
35
+ todo.add_item,personal_care,I would appreciate it if you could add toothpaste to my personal care list.
36
+ todo.add_item,technology,I'd like you to add a new phone to the technology list.
37
+ todo.add_item,gifts,Could you please add a gift card to the gifts list?
38
+ todo.add_item,books,I would like you to add a novel to the books list.
39
+ todo.add_item,music,Could you please add Halsey's new album to my music list?
40
+ todo.add_item,movies,Could you kindly add Batman Begins to the movies list for me?
41
+ todo.add_item,travel,I would appreciate it if you could add Scotland to the travel list.
42
+ todo.add_item,education,I'd like you to add a language course to the education list.
43
+ todo.add_item,health,Could you please add a doctor's appointment to my health list?
44
+ todo.add_item,finance,"I would like you to add ""Pay Power Bill"" to the finance list."
45
+ todo.add_item,shopping_list,Could you please add bread to the shopping list?
46
+ todo.add_item,household_supplies_list,"Could you kindly add a ""Walnut Credenza"" to the projects list?"
47
+ todo.add_item,electronics_list,I would like you to add a new laptop to the electronics list.
48
+ todo.add_item,clothing_list,Kindly add pants to the clothing list for me.
49
+ todo.add_item,office_supplies_list,Could you please add staples to the office supplies list?
50
+ todo.add_item,personal_care_list,I would appreciate it if you could add razorblades to my personal care list.
51
+ todo.add_item,technology_list,I'd like you to add a new computer to the technology list.
52
+ todo.add_item,gifts_list,Could you please add a socks to the gifts list?
53
+ todo.add_item,books_list,"I would like you to add ""Treasure Island"" to the books list."
54
+ todo.add_item,music_list,Could you please add Taylor Swift's new album to my music list?
55
+ todo.add_item,movies_list,Could you kindly add Pulp Fiction to the movies list for me?
56
+ todo.add_item,travel_list,I would appreciate it if you could add Japan to the travel list.
57
+ todo.add_item,education_list,I'd like you to add a language course to the education list.
58
+ todo.add_item,health_list,Could you please add a doctor's appointment to my health list?
59
+ todo.add_item,finance_list,"I would like you to add ""Pay Phone Bill"" to the finance list."
60
+ todo.add_item,grocery_list,"Could you please add ""Vinegar"" to the shopping list?"
61
+ todo.add_item,projects,"Could you kindly add a ""Maple Bench"" to the projects list?"
62
+ timer.start,pomodoro,Please set my pomodoro timer for 20 minutes.
63
+ timer.start,kitchen,Turn on the kitchen timer for 8 minutes.
64
+ timer.start,work,Set the work timer for 10 minutes.
65
+ timer.start,laundry,Start the laundry timer for an hour.
66
+ timer.start,cooking,Set a 30 second cooking timer.
67
+ timer.cancel,pomodoro,Cancel the pomodoro timer.
68
+ timer.cancel,kitchen,Please stop my kitchen timer.
69
+ timer.cancel,work,Turn off the work timer.
70
+ timer.cancel,laundry,Please shut off the laundry timer.
71
+ timer.cancel,cooking,The cooking timer is no longer needed.
piles/pile_of_device_names.csv CHANGED
@@ -577,4 +577,71 @@ climate.netatmo_smart,"Netatmo Smart Thermostat"
577
  climate.sinope_smart,"Sinopé Smart Thermostat"
578
  climate.kono_thermostat,"Kono Smart Thermostat"
579
  climate.mysa_smart_thermostat,"Mysa Smart Thermostat for Electric Baseboard Heaters"
580
- climate.zen_wifi_thermostat,"Zen Thermostat WiFi Edition"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
577
  climate.sinope_smart,"Sinopé Smart Thermostat"
578
  climate.kono_thermostat,"Kono Smart Thermostat"
579
  climate.mysa_smart_thermostat,"Mysa Smart Thermostat for Electric Baseboard Heaters"
580
+ climate.zen_wifi_thermostat,"Zen Thermostat WiFi Edition"
581
+ vacuum.living_room_roomba,"Living room vacuum"
582
+ vacuum.kitchen_xiaomi,"Kitchen vacuum"
583
+ vacuum.upstairs_dyson,"Upstairs dust buster"
584
+ vacuum.basement_deebot,"Basement deebot"
585
+ vacuum.master_bedroom_shark,"Master bedroom vacuum"
586
+ vacuum.garage_roomba_2,"Garage cleaning bot"
587
+ vacuum.under_sofa_cleaner,"Under sofa cleaner"
588
+ vacuum.dining_area_bissel,"Dining area dirt remover"
589
+ vacuum.hallway_neato,"Hallway path cleaner"
590
+ vacuum.entryway_eufy,"Entryway dust collector"
591
+ vacuum.patio_doorway_vac,"Patio doorway cleaner"
592
+ vacuum.left_corner_bot,"Left corner dirt sucker"
593
+ vacuum.right_stairwell_sweeper,"Right stairwell cleaner"
594
+ vacuum.upstairs_bathroom_vac,"Upstairs bathroom helper"
595
+ vacuum.downstairs_guest_room,"Downstairs guest room vac"
596
+ vacuum.smart_home_automator,"Smart home cleaning bot"
597
+ vacuum.above_stairs_robot,"Above stairs dusting device"
598
+ vacuum.under_bed_cleaner,"Under bed dust collector"
599
+ vacuum.front_hall_samsung,"Front hall sweeping bot"
600
+ vacuum.back_deck_sweeper,"Back deck area cleaner"
601
+ todo.daily_chores_list,"Daily chores tracker"
602
+ todo.grocery_shopping_list,"Grocery shopping organizer"
603
+ todo.weekend_projects,"Weekend DIY projects list"
604
+ todo.family_event_planner,"Family event planner"
605
+ todo.workout_routine_tracker,"Workout routine scheduler"
606
+ todo.kids_homework_deadlines,"Kids homework deadlines"
607
+ todo.pet_vaccination_schedule,"Pet vaccination scheduler"
608
+ todo.car_maintenance_log,"Car maintenance tracker"
609
+ todo.birthday_reminder_list,"Birthday reminder list"
610
+ todo.anniversary_planner,"Anniversary event planner"
611
+ todo.vacation_planning,"Vacation planning assistant"
612
+ todo.book_reading_list,"Reading list organizer"
613
+ todo.movie_watchlist,"Movie night watchlist"
614
+ todo.recipe_collection,"Recipe collection"
615
+ todo.home_renovation_planner,"Home renovation scheduler"
616
+ todo.garden_care_schedule,"Garden care planner"
617
+ todo.bill_payment_reminders,"Bill payment reminders"
618
+ todo.insurance_renewal_alerts,"Insurance renewal alerts"
619
+ todo.subscription_management,"Subscription management tool"
620
+ todo.warranty_tracker,"Warranty expiration tracker"
621
+ timer.kitchen_oven,"Kitchen oven timer"
622
+ timer.laundry_machine_1,"Laundry cycle tracker"
623
+ timer.garden_watering,"Garden watering scheduler"
624
+ timer.front_porch_lights,"Front porch light timer"
625
+ timer.backyard_floodlights,"Backyard floodlight controller"
626
+ timer.garage_door_1,"Garage door timer"
627
+ timer.bedroom_lamp_timer,"Bedroom lamp scheduler"
628
+ timer.dining_room_dimmer,"Dining room light timer"
629
+ timer.upstairs_hallway,"Upstairs hallway timer"
630
+ timer.downstairs_closet_light,"Downstairs closet timer"
631
+ timer.entryway_chandelier,"Entryway chandelier timer"
632
+ timer.patio_lighting,"Patio ambiance timer"
633
+ timer.driveway_security_lights,"Driveway security timer"
634
+ timer.kids_room_nightlight,"Kids room nightlight timer"
635
+ timer.timer0,"General purpose timer"
636
+ timer.timer7,"Custom timer 7"
637
+ timer.my_timer,"Personalized timer"
638
+ timer.kitchen_timer,"Kitchen countdown"
639
+ timer.laundry_countdown,"Laundry cycle timer"
640
+ timer.morning_alarm,"Morning wakeup alarm"
641
+ timer.workout_timer,"Exercise session timer"
642
+ timer.study_session,"Study focus timer"
643
+ timer.meditation_clock,"Meditation duration tracker"
644
+ timer.baby_nap_timer,"Baby nap monitor"
645
+ timer.tea_steeping,"Tea steeping countdown"
646
+ timer.game_timer,"Board game timer"
647
+ timer.morning_coffee,"Morning coffee brew timer"
piles/pile_of_durations.csv ADDED
@@ -0,0 +1,51 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ duration,english_name
2
+ 00:30:00,Half an hour
3
+ 01:00:00,One hour
4
+ 00:15:00,Fifteen minutes
5
+ 02:00:00,Two hours
6
+ 00:05:00,Five minutes
7
+ 00:45:00,Forty-five minutes
8
+ 03:30:00,Three and a half hours
9
+ 00:10:00,Ten minutes
10
+ 01:30:00,One and a half hours
11
+ 04:00:00,Four hours
12
+ 00:20:00,Twenty minutes
13
+ 05:00:00,Five hours
14
+ 00:02:00,Two minutes
15
+ 06:30:00,Six and a half hours
16
+ 00:50:00,Fifty minutes
17
+ 07:45:00,Seven hours and forty-five minutes
18
+ 00:01:00,One minute
19
+ 08:00:00,Eight hours
20
+ 00:40:00,Forty minutes
21
+ 09:15:00,Nine hours and fifteen minutes
22
+ 00:00:30,Thirty seconds
23
+ 00:00:45,Forty-five seconds
24
+ 00:01:30,One minute and thirty seconds
25
+ 00:02:30,Two minutes and thirty seconds
26
+ 00:03:15,Three minutes and fifteen seconds
27
+ 00:00:10,Ten seconds
28
+ 00:00:20,Twenty seconds
29
+ 00:04:00,Four minutes
30
+ 00:05:30,Five minutes and thirty seconds
31
+ 00:06:45,Six minutes and forty-five seconds
32
+ 00:07:20,Seven minutes and twenty seconds
33
+ 00:08:05,Eight minutes and five seconds
34
+ 00:10:00,Ten minutes
35
+ 00:12:30,Twelve minutes and thirty seconds
36
+ 00:15:45,Fifteen minutes and forty-five seconds
37
+ 00:20:00,Twenty minutes
38
+ 00:25:00,Twenty-five minutes
39
+ 00:30:30,Thirty minutes and thirty seconds
40
+ 00:45:45,Forty-five minutes and forty-five seconds
41
+ 00:50:50,Fifty minutes and fifty seconds
42
+ 00:00:05,Five seconds
43
+ 00:00:15,Fifteen seconds
44
+ 00:00:25,Twenty-five seconds
45
+ 00:00:35,Thirty-five seconds
46
+ 00:00:40,Forty seconds
47
+ 00:00:45,Forty-five seconds
48
+ 00:00:50,Fifty seconds
49
+ 00:00:55,Fifty-five seconds
50
+ 00:00:08,Eight seconds
51
+ 00:00:12,Twelve seconds
piles/pile_of_responses.csv CHANGED
@@ -1,34 +1,660 @@
1
- "service","device_type","response_1","response_2","response_3"
2
- "turn_on","light","Turning on the light for you.","Sure, I'll turn on the light now.","I'll go ahead and turn the light on."
3
- "turn_off","light","Turning off the light as requested.","I'll switch off the light for you.","Sure, turning off the light."
4
- "toggle","light","Toggling the light for you.","Switching the light's state now.","I'll toggle the light for you."
5
- "turn_on","fan","Turning on the fan for you.","I'll get the fan going for you.","Sure, turning on the fan now."
6
- "turn_off","fan","Switching off the fan as requested.","I'll turn off the fan for you.","Okay, turning off the fan."
7
- "toggle","fan","I'll toggle the fan's state for you.","Toggling the fan now.","Switching the fan's state for you."
8
- "increase_speed","fan","Increasing the fan speed for you.","Sure, speeding up the fan now.","I'll go ahead and make the fan faster."
9
- "decrease_speed","fan","Reducing the fan speed as you requested.","I'll slow down the fan for you.","Sure, decreasing the fan speed."
10
- "open","garage_door","Opening the garage door for you.","Sure, I'll open the garage door.","I'll go ahead and open the garage door."
11
- "close","garage_door","Closing the garage door as requested.","I'll shut the garage door for you.","Sure, closing the garage door."
12
- "stop","garage_door","Stopping the garage door now.","I'll stop the garage door for you.","Sure, I'll halt the garage door movement."
13
- "toggle","garage_door","Toggling the garage door state for you.","I'll switch the garage door's state now.","Switching the garage door's state for you."
14
- "open","blinds","Opening the blinds for you.","I'll go ahead and open the blinds.","Sure, opening the blinds now."
15
- "close","blinds","Closing the blinds as you requested.","I'll close the blinds for you.","Sure, closing the blinds."
16
- "stop","blinds","Stopping the blinds now.","I'll stop the blinds for you.","Sure, halting the blinds movement."
17
- "toggle","blinds","Toggling the blinds state for you.","Switching the blinds' state now.","I'll toggle the blinds for you."
18
- "turn_on","media_player","Turning on the media player for you.","I'll get the media player going.","Sure, activating the media player."
19
- "turn_off","media_player","Turning off the media player as requested.","I'll switch off the media player.","Sure, deactivating the media player."
20
- "toggle","media_player","Toggling the media player for you.","Switching the media player's state.","I'll toggle the media player."
21
- "volume_up","media_player","Increasing the volume for you.","Sure, turning up the volume now.","I'll go ahead and raise the volume."
22
- "volume_down","media_player","Reducing the volume as you requested.","I'll turn down the volume for you.","Sure, lowering the volume."
23
- "volume_mute","media_player","Muting the volume for you.","I'll mute the media player now.","Sure, muting the volume."
24
- "media_play_pause","media_player","Toggling play/pause on the media player.","Switching between play and pause.","I'll toggle between play and pause for you."
25
- "media_play","media_player","Starting media playback.","I'll start playing the media for you.","Sure, beginning playback."
26
- "media_pause","media_player","Pausing the media playback.","I'll pause the media for you.","Sure, pausing playback."
27
- "media_stop","media_player","Stopping the media playback.","I'll stop the media for you.","Sure, halting playback."
28
- "media_next_track","media_player","Skipping to the next track.","I'll go to the next track for you.","Sure, moving to the next track."
29
- "media_previous_track","media_player","Going back to the previous track.","I'll return to the previous track for you.","Sure, reverting to the previous track."
30
- "lock","lock","Locking the door for you.","I'll go ahead and lock the door.","Sure, securing the lock."
31
- "unlock","lock","Unlocking the door as you requested.","I'll unlock the door for you.","Sure, unlocking the door."
32
- "turn_on","switch","Turning on the switch for you.","Sure, I'll turn on the light now.","I'll go ahead and turn the switch on."
33
- "turn_off","switch","Turning off the switch as requested.","I'll switch off the device for you.","Sure, turning off the switch."
34
- "toggle","switch","Toggling the switch for you.","Changing the switch's state now.","I'll toggle the switch for you."
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ service,response,language,persona,short
2
+ blinds.open,Opening the blinds for you.,en,assistant,0
3
+ blinds.open,I'll go ahead and open the blinds.,en,assistant,0
4
+ blinds.open,"Sure, opening the blinds now.",en,assistant,0
5
+ blinds.close,Closing the blinds as you requested.,en,assistant,0
6
+ blinds.close,I'll close the blinds for you.,en,assistant,0
7
+ blinds.close,"Sure, closing the blinds.",en,assistant,0
8
+ blinds.stop,Stopping the blinds now.,en,assistant,0
9
+ blinds.stop,I'll stop the blinds for you.,en,assistant,0
10
+ blinds.stop,"Sure, halting the blinds movement.",en,assistant,0
11
+ blinds.toggle,Toggling the blinds state for you.,en,assistant,0
12
+ blinds.toggle,Switching the blinds' state now.,en,assistant,0
13
+ blinds.toggle,I'll toggle the blinds for you.,en,assistant,0
14
+ blinds.open,Lifting <device_name> blinds as requested,en,assistant,0
15
+ blinds.open,Opening <device_name> now,en,assistant,0
16
+ blinds.open,Raising <device_name> for you,en,assistant,0
17
+ blinds.stop,Freezing <device_name> position,en,assistant,0
18
+ blinds.stop,Halting <device_name> now,en,assistant,0
19
+ blinds.stop,Stopping <device_name> operation,en,assistant,0
20
+ blinds.open,Raising <device_name>,en,assistant,0
21
+ blinds.close,Closing <device_name> for you,en,assistant,0
22
+ blinds.close,Lowering <device_name> now,en,assistant,0
23
+ blinds.close,Shutting <device_name> as requested,en,assistant,0
24
+ blinds.close,Lowering <device_name>,en,assistant,0
25
+ blinds.toggle,Flipping <device_name> state now,en,assistant,0
26
+ blinds.toggle,Switching <device_name> state as requested,en,assistant,0
27
+ blinds.toggle,Toggling <device_name> for you,en,assistant,0
28
+ blinds.toggle,Toggling <device_name>,en,assistant,0
29
+ climate.set_humidity,Increasing humidity to <humidity>.,en,assistant,0
30
+ climate.set_humidity,Setting humidity to <humidity> percent.,en,assistant,0
31
+ climate.set_humidity,Adjusting humidity to <humidity>%.,en,assistant,0
32
+ climate.set_fan_mode,Setting the fan to <fan_mode> speed.,en,assistant,0
33
+ climate.set_fan_mode,Putting the fan on <fan_mode>.,en,assistant,0
34
+ climate.set_fan_mode,Changing the fan to <fan_mode> setting.,en,assistant,0
35
+ climate.set_hvac_mode,Switching to <hvac_mode> mode.,en,assistant,0
36
+ climate.set_hvac_mode,Setting the HVAC to <hvac_mode>.,en,assistant,0
37
+ climate.set_hvac_mode,Changing HVAC to <hvac_mode> mode.,en,assistant,0
38
+ climate.set_temperature,Setting temperature to <temp_f> degrees.,en,assistant,0
39
+ climate.set_temperature,Changing temperature to <temp_c> Celsius.,en,assistant,0
40
+ climate.set_temperature,Setting the room to <temp_f> degrees Fahrenheit.,en,assistant,0
41
+ climate.set_temperature,Adjusting temperature to <temp_f> degrees Fahrenheit.,en,assistant,0
42
+ climate.set_temperature,Setting the room to <temp_c> degrees Celsius for cooler temperature.,en,assistant,0
43
+ climate.set_temperature,"Making it warmer, setting temperature to <temp_f> degrees.",en,assistant,0
44
+ climate.set_temperature,Lowering the temperature to <temp_c> Celsius.,en,assistant,0
45
+ climate.set_temperature,Raising the temperature to <temp_f> degrees Fahrenheit.,en,assistant,0
46
+ fan.turn_on,Turning on the fan for you.,en,assistant,0
47
+ fan.turn_on,I'll get the fan going for you.,en,assistant,0
48
+ fan.turn_on,"Sure, turning on the fan now.",en,assistant,0
49
+ fan.turn_off,Switching off the fan as requested.,en,assistant,0
50
+ fan.turn_off,I'll turn off the fan for you.,en,assistant,0
51
+ fan.turn_off,"Okay, turning off the fan.",en,assistant,0
52
+ fan.toggle,I'll toggle the fan's state for you.,en,assistant,0
53
+ fan.toggle,Toggling the fan now.,en,assistant,0
54
+ fan.toggle,Switching the fan's state for you.,en,assistant,0
55
+ fan.increase_speed,Increasing the fan speed for you.,en,assistant,0
56
+ fan.increase_speed,"Sure, speeding up the fan now.",en,assistant,0
57
+ fan.increase_speed,I'll go ahead and make the fan faster.,en,assistant,0
58
+ fan.decrease_speed,Reducing the fan speed as you requested.,en,assistant,0
59
+ fan.decrease_speed,I'll slow down the fan for you.,en,assistant,0
60
+ fan.decrease_speed,"Sure, decreasing the fan speed.",en,assistant,0
61
+ fan.toggle,Flipping <device_name> state for you,en,assistant,0
62
+ fan.toggle,Switching <device_name> state as requested,en,assistant,0
63
+ fan.toggle,Toggling <device_name> now,en,assistant,0
64
+ fan.turn_on,Activating <device_name> now,en,assistant,0
65
+ fan.turn_on,Starting <device_name> for you,en,assistant,0
66
+ fan.turn_on,"Certainly, starting <device_name>",en,assistant,0
67
+ fan.turn_on,Turning on <device_name>,en,assistant,0
68
+ fan.turn_on,Starting <device_name>,en,assistant,0
69
+ fan.turn_off,Deactivating <device_name> as requested,en,assistant,0
70
+ fan.turn_off,Stopping <device_name> for you,en,assistant,0
71
+ fan.turn_off,"Certainly, stopping <device_name>",en,assistant,0
72
+ fan.turn_off,Turning off <device_name>,en,assistant,0
73
+ fan.decrease_speed,Reducing speed of <device_name>,en,assistant,0
74
+ fan.decrease_speed,Lowering speed of <device_name> as requested,en,assistant,0
75
+ fan.decrease_speed,Slowing down <device_name> for you,en,assistant,0
76
+ fan.increase_speed,Increasing speed of <device_name>,en,assistant,0
77
+ fan.increase_speed,Ramping up <device_name> speed now,en,assistant,0
78
+ fan.increase_speed,Speeding up <device_name> for you,en,assistant,0
79
+ fan.increase_speed,Increasing speed of <device_name>,en,assistant,0
80
+ fan.decrease_speed,Reducing speed of <device_name>,en,assistant,0
81
+ garage_door.open,Opening the garage door for you.,en,assistant,0
82
+ garage_door.open,"Sure, I'll open the garage door.",en,assistant,0
83
+ garage_door.open,I'll go ahead and open the garage door.,en,assistant,0
84
+ garage_door.close,Closing the garage door as requested.,en,assistant,0
85
+ garage_door.close,I'll shut the garage door for you.,en,assistant,0
86
+ garage_door.close,"Sure, closing the garage door.",en,assistant,0
87
+ garage_door.stop,Stopping the garage door now.,en,assistant,0
88
+ garage_door.stop,I'll stop the garage door for you.,en,assistant,0
89
+ garage_door.stop,"Sure, I'll halt the garage door movement.",en,assistant,0
90
+ garage_door.toggle,Toggling the garage door state for you.,en,assistant,0
91
+ garage_door.toggle,I'll switch the garage door's state now.,en,assistant,0
92
+ garage_door.toggle,Switching the garage door's state for you.,en,assistant,0
93
+ garage_door.open,Lifting <device_name> for you,en,assistant,0
94
+ garage_door.open,Opening <device_name> now,en,assistant,0
95
+ garage_door.open,Raising <device_name> as requested,en,assistant,0
96
+ garage_door.stop,Freezing <device_name> position now,en,assistant,0
97
+ garage_door.stop,"Certainly, halting <device_name>",en,assistant,0
98
+ garage_door.stop,Halting <device_name> operation,en,assistant,0
99
+ garage_door.open,Opening <device_name>,en,assistant,0
100
+ garage_door.stop,Stopping <device_name>,en,assistant,0
101
+ garage_door.close,Closing <device_name> now,en,assistant,0
102
+ garage_door.close,Lowering <device_name> for you,en,assistant,0
103
+ garage_door.close,Shutting <device_name> as requested,en,assistant,0
104
+ garage_door.close,Closing <device_name>,en,assistant,0
105
+ garage_door.toggle,Flipping <device_name> state now,en,assistant,0
106
+ garage_door.toggle,Switching <device_name> state as requested,en,assistant,0
107
+ garage_door.toggle,Toggling <device_name> for you,en,assistant,0
108
+ garage_door.toggle,Toggling <device_name>,en,assistant,0
109
+ light.turn_on,Turning on the light for you.,en,assistant,0
110
+ light.turn_on,"Sure, I'll turn on the light now.",en,assistant,0
111
+ light.turn_on,I'll go ahead and turn the light on.,en,assistant,0
112
+ light.turn_off,Turning off the light as requested.,en,assistant,0
113
+ light.turn_off,I'll switch off the light for you.,en,assistant,0
114
+ light.turn_off,"Sure, turning off the light.",en,assistant,0
115
+ light.toggle,Toggling the light for you.,en,assistant,0
116
+ light.toggle,Switching the light's state now.,en,assistant,0
117
+ light.toggle,I'll toggle the light for you.,en,assistant,0
118
+ light.toggle,Flipping the <device_name> state,en,assistant,0
119
+ light.toggle,Switching <device_name> state as requested,en,assistant,0
120
+ light.toggle,Toggling <device_name> for you,en,assistant,0
121
+ light.toggle,Toggling <device_name>,en,assistant,0
122
+ light.turn_on,Activation of <device_name> in progress,en,assistant,0
123
+ light.turn_on,"Certainly, turning on <device_name> now",en,assistant,0
124
+ light.turn_on,Switching on <device_name> for you,en,assistant,0
125
+ light.turn_on,Turning on <device_name>,en,assistant,0
126
+ light.turn_on,Activating <device_name>,en,assistant,0
127
+ light.turn_on,Setting the brightness of <device_name> to <brightness>%.,en,assistant,0
128
+ light.turn_on,Dimming <device_name> to <brightness>% brightness.,en,assistant,0
129
+ light.turn_on,Brightening <device_name> to <brightness>%.,en,assistant,0
130
+ light.turn_on,Adjusting <device_name> brightness to <brightness>.,en,assistant,0
131
+ light.turn_on,Increasing <device_name>'s brightness to <brightness>.,en,assistant,0
132
+ light.turn_on,Lowering the brightness of <device_name> to <brightness>.,en,assistant,0
133
+ light.turn_on,Setting <device_name>'s brightness level to <brightness>%.,en,assistant,0
134
+ light.turn_on,Setting <device_name> to <brightness>% brightness.,en,assistant,0
135
+ light.turn_on,Turning <device_name> <color>.,en,assistant,0
136
+ light.turn_on,Changing the color of <device_name> to <color>.,en,assistant,0
137
+ light.turn_on,Changing <device_name> to a <color> hue.,en,assistant,0
138
+ light.turn_on,Setting <device_name> to be <color>.,en,assistant,0
139
+ light.turn_on,Making <device_name> shine in <color>.,en,assistant,0
140
+ light.turn_on,Turning <device_name> to a <color> shade.,en,assistant,0
141
+ light.turn_on,Setting <device_name> to a <color>.,en,assistant,0
142
+ light.turn_on,Setting <device_name> to a <color> color.,en,assistant,0
143
+ light.turn_on,Making <device_name> glow <color>.,en,assistant,0
144
+ light.turn_on,Turning <device_name> to <color>.,en,assistant,0
145
+ light.turn_on,Changing <device_name> to <color>.,en,assistant,0
146
+ light.turn_on,Adjusting <device_name> to <color> color.,en,assistant,0
147
+ light.turn_on,Switching <device_name> color to <color>.,en,assistant,0
148
+ light.turn_on,Setting <device_name> in <color>.,en,assistant,0
149
+ light.turn_on,Making <device_name> display a <color> light.,en,assistant,0
150
+ light.turn_on,Setting <device_name> color to <color>.,en,assistant,0
151
+ light.turn_off,Deactivating <device_name> as requested,en,assistant,0
152
+ light.turn_off,Switching off <device_name> now,en,assistant,0
153
+ light.turn_off,"Sure, turning off <device_name>",en,assistant,0
154
+ light.turn_off,Turning off <device_name>,en,assistant,0
155
+ light.turn_off,Deactivating <device_name>,en,assistant,0
156
+ lock.lock,Locking the door for you.,en,assistant,0
157
+ lock.lock,I'll go ahead and lock the door.,en,assistant,0
158
+ lock.lock,"Sure, securing the lock.",en,assistant,0
159
+ lock.unlock,Unlocking the door as you requested.,en,assistant,0
160
+ lock.unlock,I'll unlock the door for you.,en,assistant,0
161
+ lock.unlock,"Sure, unlocking the door.",en,assistant,0
162
+ lock.lock,Engaging lock on <device_name>,en,assistant,0
163
+ lock.lock,Locking <device_name> now,en,assistant,0
164
+ lock.lock,Securing <device_name> for you,en,assistant,0
165
+ lock.lock,Locking <device_name>,en,assistant,0
166
+ lock.lock,Securing <device_name>,en,assistant,0
167
+ lock.unlock,Disengaging lock on <device_name>,en,assistant,0
168
+ lock.unlock,Unlocking <device_name> now,en,assistant,0
169
+ lock.unlock,Unsecuring <device_name> for you,en,assistant,0
170
+ lock.unlock,Unlocking <device_name>,en,assistant,0
171
+ media_player.turn_on,Turning on the media player for you.,en,assistant,0
172
+ media_player.turn_on,I'll get the media player going.,en,assistant,0
173
+ media_player.turn_on,"Sure, activating the media player.",en,assistant,0
174
+ media_player.turn_off,Turning off the media player as requested.,en,assistant,0
175
+ media_player.turn_off,I'll switch off the media player.,en,assistant,0
176
+ media_player.turn_off,"Sure, deactivating the media player.",en,assistant,0
177
+ media_player.toggle,Toggling the media player for you.,en,assistant,0
178
+ media_player.toggle,Switching the media player's state.,en,assistant,0
179
+ media_player.toggle,I'll toggle the media player.,en,assistant,0
180
+ media_player.volume_up,Increasing the volume for you.,en,assistant,0
181
+ media_player.volume_up,"Sure, turning up the volume now.",en,assistant,0
182
+ media_player.volume_up,I'll go ahead and raise the volume.,en,assistant,0
183
+ media_player.volume_down,Reducing the volume as you requested.,en,assistant,0
184
+ media_player.volume_down,I'll turn down the volume for you.,en,assistant,0
185
+ media_player.volume_down,"Sure, lowering the volume.",en,assistant,0
186
+ media_player.volume_mute,Muting the volume for you.,en,assistant,0
187
+ media_player.volume_mute,I'll mute the media player now.,en,assistant,0
188
+ media_player.volume_mute,"Sure, muting the volume.",en,assistant,0
189
+ media_player.media_play_pause,Toggling play/pause on the media player.,en,assistant,0
190
+ media_player.media_play_pause,Switching between play and pause.,en,assistant,0
191
+ media_player.media_play_pause,I'll toggle between play and pause for you.,en,assistant,0
192
+ media_player.media_play,Starting media playback.,en,assistant,0
193
+ media_player.media_play,I'll start playing the media for you.,en,assistant,0
194
+ media_player.media_play,"Sure, beginning playback.",en,assistant,0
195
+ media_player.media_pause,Pausing the media playback.,en,assistant,0
196
+ media_player.media_pause,I'll pause the media for you.,en,assistant,0
197
+ media_player.media_pause,"Sure, pausing playback.",en,assistant,0
198
+ media_player.media_stop,Stopping the media playback.,en,assistant,0
199
+ media_player.media_stop,I'll stop the media for you.,en,assistant,0
200
+ media_player.media_stop,"Sure, halting playback.",en,assistant,0
201
+ media_player.media_next_track,Skipping to the next track.,en,assistant,0
202
+ media_player.media_next_track,I'll go to the next track for you.,en,assistant,0
203
+ media_player.media_next_track,"Sure, moving to the next track.",en,assistant,0
204
+ media_player.media_previous_track,Going back to the previous track.,en,assistant,0
205
+ media_player.media_previous_track,I'll return to the previous track for you.,en,assistant,0
206
+ media_player.media_previous_track,"Sure, reverting to the previous track.",en,assistant,0
207
+ media_player.volume_up,Increasing <device_name>'s volume.,en,assistant,0
208
+ media_player.volume_up,Turning up <device_name> a bit.,en,assistant,0
209
+ media_player.volume_up,Making <device_name> louder.,en,assistant,0
210
+ media_player.media_play,Starting playback on <device_name>.,en,assistant,0
211
+ media_player.media_play,Playing <device_name> now.,en,assistant,0
212
+ media_player.media_play,Playing media on <device_name>.,en,assistant,0
213
+ media_player.media_stop,Stopping <device_name> completely.,en,assistant,0
214
+ media_player.media_stop,Stopping playback on <device_name>.,en,assistant,0
215
+ media_player.media_stop,Ending session on <device_name>.,en,assistant,0
216
+ media_player.volume_down,Lowering <device_name>'s volume.,en,assistant,0
217
+ media_player.volume_down,Decreasing <device_name>'s volume.,en,assistant,0
218
+ media_player.volume_down,Turning down <device_name>.,en,assistant,0
219
+ media_player.volume_mute,Muting <device_name>.,en,assistant,0
220
+ media_player.volume_mute,Silencing <device_name>.,en,assistant,0
221
+ media_player.volume_mute,Muting <device_name> now.,en,assistant,0
222
+ media_player.media_pause,Pausing <device_name>.,en,assistant,0
223
+ media_player.media_pause,Pausing <device_name> now.,en,assistant,0
224
+ media_player.media_pause,Holding playback on <device_name>.,en,assistant,0
225
+ media_player.media_next_track,Skipping to next track on <device_name>.,en,assistant,0
226
+ media_player.media_next_track,Advancing to the next song on <device_name>.,en,assistant,0
227
+ media_player.media_next_track,Skipping this track on <device_name>.,en,assistant,0
228
+ media_player.media_previous_track,Going back to previous track on <device_name>.,en,assistant,0
229
+ media_player.media_previous_track,Rewinding to the previous song on <device_name>.,en,assistant,0
230
+ media_player.media_previous_track,Going back a track on <device_name>.,en,assistant,0
231
+ switch.turn_on,Turning on the switch for you.,en,assistant,0
232
+ switch.turn_on,"Sure, I'll turn on the light now.",en,assistant,0
233
+ switch.turn_on,I'll go ahead and turn the switch on.,en,assistant,0
234
+ switch.turn_off,Turning off the switch as requested.,en,assistant,0
235
+ switch.turn_off,I'll switch off the device for you.,en,assistant,0
236
+ switch.turn_off,"Sure, turning off the switch.",en,assistant,0
237
+ switch.toggle,Toggling the switch for you.,en,assistant,0
238
+ switch.toggle,Changing the switch's state now.,en,assistant,0
239
+ switch.toggle,I'll toggle the switch for you.,en,assistant,0
240
+ switch.toggle,Toggling <device_name>.,en,assistant,0
241
+ switch.toggle,"Yes, toggling <device_name>.",en,assistant,0
242
+ switch.toggle,"Yes, I can toggle <device_name>.",en,assistant,0
243
+ switch.toggle,Toggling <device_name> as requested.,en,assistant,0
244
+ switch.toggle,Changing the state of <device_name>.,en,assistant,0
245
+ switch.toggle,Quickly toggling <device_name>.,en,assistant,0
246
+ switch.turn_on,Turning on <device_name> now.,en,assistant,0
247
+ switch.turn_on,I'm turning on <device_name>.,en,assistant,0
248
+ switch.turn_on,Activating <device_name>.,en,assistant,0
249
+ switch.turn_on,"Sure, turning <device_name> on.",en,assistant,0
250
+ switch.turn_on,Switching on <device_name> right away.,en,assistant,0
251
+ switch.turn_on,"Sure, lighting up <device_name> now.",en,assistant,0
252
+ switch.turn_on,Turning <device_name> on as needed.,en,assistant,0
253
+ switch.turn_off,Switching off <device_name>.,en,assistant,0
254
+ switch.turn_off,Turning off <device_name>.,en,assistant,0
255
+ switch.turn_off,Deactivating <device_name>.,en,assistant,0
256
+ switch.turn_off,"Okay, turning <device_name> off.",en,assistant,0
257
+ switch.turn_off,"Okay, I'm turning off <device_name>.",en,assistant,0
258
+ switch.turn_off,Shutting off <device_name> for bedtime.,en,assistant,0
259
+ switch.turn_off,Turning off <device_name> now.,en,assistant,0
260
+ blinds.close,shutting <device_name>,en,assistant,1
261
+ blinds.close,lowering <device_name>,en,assistant,1
262
+ blinds.close,closing <device_name>,en,assistant,1
263
+ blinds.open,raising <device_name>,en,assistant,1
264
+ blinds.open,lifting <device_name>,en,assistant,1
265
+ blinds.open,opening <device_name>,en,assistant,1
266
+ fan.decrease_speed,slowing down <device_name>,en,assistant,1
267
+ fan.decrease_speed,reducing speed of <device_name>,en,assistant,1
268
+ fan.decrease_speed,reducing <device_name>,en,assistant,1
269
+ fan.increase_speed,speeding up <device_name>,en,assistant,1
270
+ fan.increase_speed,increasing speed of <device_name>,en,assistant,1
271
+ fan.increase_speed,ramping up <device_name>,en,assistant,1
272
+ fan.toggle,toggling <device_name>,en,assistant,1
273
+ fan.toggle,flipping <device_name>,en,assistant,1
274
+ fan.turn_off,stopping <device_name>,en,assistant,1
275
+ fan.turn_off,turning off <device_name>,en,assistant,1
276
+ fan.turn_off,deactivating <device_name>,en,assistant,1
277
+ fan.turn_on,starting <device_name>,en,assistant,1
278
+ fan.turn_on,activating <device_name>,en,assistant,1
279
+ garage_door.close,shutting <device_name>,en,assistant,1
280
+ garage_door.close,deactivating <device_name>,en,assistant,1
281
+ garage_door.close,closing <device_name>,en,assistant,1
282
+ garage_door.open,opening <device_name>,en,assistant,1
283
+ garage_door.open,lifting <device_name>,en,assistant,1
284
+ garage_door.stop,stopping <device_name>,en,assistant,1
285
+ light.toggle,toggling <device_name>,en,assistant,1
286
+ light.toggle,flipping <device_name>,en,assistant,1
287
+ light.turn_off,turning off <device_name>,en,assistant,1
288
+ light.turn_off,deactivating <device_name>,en,assistant,1
289
+ light.turn_off,lowering <device_name>,en,assistant,1
290
+ light.turn_off,switching off <device_name>,en,assistant,1
291
+ light.turn_on,turning on <device_name>,en,assistant,1
292
+ light.turn_on,activating <device_name>,en,assistant,1
293
+ light.turn_on,switching on <device_name>,en,assistant,1
294
+ light.turn_on,turning on both <device_name>,en,assistant,1
295
+ lock.lock,securing <device_name>,en,assistant,1
296
+ lock.lock,locking <device_name>,en,assistant,1
297
+ lock.unlock,unlocking <device_name>,en,assistant,1
298
+ lock.unlock,unsecuring <device_name>,en,assistant,1
299
+ blinds.open,"Openin' the blinds for ye.",en,pirate,0
300
+ blinds.open,"Aye, I'll be openin' the blinds.",en,pirate,0
301
+ blinds.open,"Aye, openin' the blinds now.",en,pirate,0
302
+ blinds.close,"Closin' the blinds as ye requested.",en,pirate,0
303
+ blinds.close,"I'll be closin' the blinds for ye.",en,pirate,0
304
+ blinds.close,"Aye, closin' the blinds.",en,pirate,0
305
+ blinds.stop,"Stopin' the blinds now.",en,pirate,0
306
+ blinds.stop,"I'll halt the blinds for ye.",en,pirate,0
307
+ blinds.stop,"Aye, haltin' the blinds' movement.",en,pirate,0
308
+ blinds.toggle,"Togglin' the blinds' state for ye.",en,pirate,0
309
+ blinds.toggle,"Switchin' the blinds' state now.",en,pirate,0
310
+ blinds.toggle,"I'll be togglin' the blinds for ye.",en,pirate,0
311
+ blinds.open,"Liftin' <device_name> blinds yarr",en,pirate,0
312
+ blinds.open,"Openin' <device_name> now",en,pirate,0
313
+ blinds.open,"Raisin' <device_name> for ye",en,pirate,0
314
+ blinds.stop,"Freezin' <device_name> position",en,pirate,0
315
+ blinds.stop,"Haltin' <device_name> now",en,pirate,0
316
+ blinds.stop,"Stoppin' <device_name> operation",en,pirate,0
317
+ blinds.open,"Raisin' <device_name>",en,pirate,0
318
+ blinds.close,"Closin' <device_name> for ye",en,pirate,0
319
+ blinds.close,"Lowerin' <device_name> now",en,pirate,0
320
+ blinds.close,"Shuttin' <device_name> yarr",en,pirate,0
321
+ blinds.close,"Lowerin' <device_name>",en,pirate,0
322
+ blinds.toggle,"Flippin' <device_name> state now",en,pirate,0
323
+ blinds.toggle,"Switchin' <device_name> state yarr",en,pirate,0
324
+ blinds.toggle,"Togglin' <device_name> for ye",en,pirate,0
325
+ blinds.toggle,"Togglin' <device_name>",en,pirate,0
326
+ climate.set_humidity,"Yarrr, rampin' up humidity to <humidity>, by the sea!",en,pirate,0
327
+ climate.set_humidity,"Arrr, settin' humidity to <humidity> percent, as ye wish!",en,pirate,0
328
+ climate.set_humidity,"By Davy Jones' locker, adjustin' humidity to <humidity>%!",en,pirate,0
329
+ climate.set_fan_mode,"Hoistin' the fan to <fan_mode> speed, swifter than a sloop!",en,pirate,0
330
+ climate.set_fan_mode,"Arr, puttin' the fan on <fan_mode>, steady as she goes!",en,pirate,0
331
+ climate.set_fan_mode,"Shiver me timbers, changin' the fan to <fan_mode> setting!",en,pirate,0
332
+ climate.set_hvac_mode,"Blimey, switchin' to <hvac_mode> mode, full sail ahead!",en,pirate,0
333
+ climate.set_hvac_mode,"Arrr, settin' the HVAC to <hvac_mode>, steady as she goes!",en,pirate,0
334
+ climate.set_hvac_mode,"By the powers, changin' HVAC to <hvac_mode> mode!",en,pirate,0
335
+ climate.set_temperature,"Arr, settin' temperature to <temp_f> degrees, as warm as the Caribbean sun!",en,pirate,0
336
+ climate.set_temperature,"Yarrr, changin' temperature to <temp_c> Celsius, cooler than the deep blue!",en,pirate,0
337
+ climate.set_temperature,"Heave ho, settin' the room to <temp_f> degrees Fahrenheit, warm as a pirate's grog!",en,pirate,0
338
+ climate.set_temperature,"Avast, adjustin' temperature to <temp_f> degrees Fahrenheit, as cozy as a ship's cabin!",en,pirate,0
339
+ climate.set_temperature,"Arr, settin' the room to <temp_c> degrees Celsius for cooler breezes, as refreshing as an ocean mist!",en,pirate,0
340
+ climate.set_temperature,"Aye, makin' it warmer, settin' temperature to <temp_f> degrees, like a sun-drenched cove!",en,pirate,0
341
+ climate.set_temperature,"Blow me down, lowerin' the temperature to <temp_c> Celsius, as brisk as the morning sea air!",en,pirate,0
342
+ climate.set_temperature,"Yo ho, raisin' the temperature to <temp_f> degrees Fahrenheit, warmer than a pirate's plunder!",en,pirate,0
343
+ fan.turn_on,"Firin' up the fan for ye, arr!",en,pirate,0
344
+ fan.turn_on,"Aye, I'll get the fan blowin' for ye.",en,pirate,0
345
+ fan.turn_on,"Yar, turnin' on the fan now!",en,pirate,0
346
+ fan.turn_off,"Killin' the fan as ye requested, matey.",en,pirate,0
347
+ fan.turn_off,"I'll snuff out the fan for ye.",en,pirate,0
348
+ fan.turn_off,"Aye, turnin' off the fan.",en,pirate,0
349
+ fan.toggle,"I'll be flippin' the fan's state for ye.",en,pirate,0
350
+ fan.toggle,"Togglin' the fan now, by the stars!",en,pirate,0
351
+ fan.toggle,"Switchin' the fan's state for ye, savvy?",en,pirate,0
352
+ fan.increase_speed,"Boostin' the fan speed for ye, swift as the wind!",en,pirate,0
353
+ fan.increase_speed,"Sure as the tide, speedin' up the fan now.",en,pirate,0
354
+ fan.increase_speed,"I'll be makin' the fan faster, hold fast!",en,pirate,0
355
+ fan.decrease_speed,"Reducin' the fan speed as ye requested, quiet as the deep.",en,pirate,0
356
+ fan.decrease_speed,"I'll slow down the fan for ye, easy as a calm sea.",en,pirate,0
357
+ fan.decrease_speed,"Sure, decreasin' the fan speed, steady now.",en,pirate,0
358
+ fan.toggle,"Flippin' <device_name> state for ye, with a yo-ho-ho!",en,pirate,0
359
+ fan.toggle,"Switchin' <device_name> state as requested, on my honor!",en,pirate,0
360
+ fan.toggle,"Togglin' <device_name> now, without a fuss!",en,pirate,0
361
+ fan.turn_on,"Activatin' <device_name> now, set sail!",en,pirate,0
362
+ fan.turn_on,"Startin' <device_name> for ye, full speed ahead!",en,pirate,0
363
+ fan.turn_on,"Certainly, startin' <device_name>, let's brave the squall!",en,pirate,0
364
+ fan.turn_on,"Turnin' on <device_name>, let the winds favor us!",en,pirate,0
365
+ fan.turn_on,"Startin' <device_name>, by the code!",en,pirate,0
366
+ fan.turn_off,"Deactivatin' <device_name> as requested, quiet as a hidden cove.",en,pirate,0
367
+ fan.turn_off,"Stoppin' <device_name> for ye, as silent as the grave.",en,pirate,0
368
+ fan.turn_off,"Certainly, stoppin' <device_name>, all hands!",en,pirate,0
369
+ fan.turn_off,"Turnin' off <device_name>, let's not wake the kraken.",en,pirate,0
370
+ fan.decrease_speed,"Reducin' speed of <device_name>, smooth sailin'.",en,pirate,0
371
+ fan.decrease_speed,"Lowerin' speed of <device_name> as requested, gentle as a lagoon.",en,pirate,0
372
+ fan.decrease_speed,"Slowing down <device_name> for ye, easy does it.",en,pirate,0
373
+ fan.increase_speed,"Increasin' speed of <device_name>, catch the horizon!",en,pirate,0
374
+ fan.increase_speed,"Rampin' up <device_name> speed now, faster than a fleeing galleon!",en,pirate,0
375
+ fan.increase_speed,"Speedin' up <device_name> for ye, let's outrun the navy!",en,pirate,0
376
+ fan.increase_speed,"Increasin' speed of <device_name>, to outrun the storm!",en,pirate,0
377
+ fan.decrease_speed,"Reducin' speed of <device_name>, steady as we go.",en,pirate,0
378
+ light.turn_on,"Illuminatin' the room for ye, arr!",en,pirate,0
379
+ light.turn_on,"Aye, I'll light up the quarters now.",en,pirate,0
380
+ light.turn_on,"Settin' sail with the light on, I will!",en,pirate,0
381
+ light.turn_off,"Dousin' the lights as ye wish, matey.",en,pirate,0
382
+ light.turn_off,"I'll be snuffin' out the light for ye.",en,pirate,0
383
+ light.turn_off,"Aye, extinguishin' the light.",en,pirate,0
384
+ light.toggle,"Flippin' the light for ye, by the stars!",en,pirate,0
385
+ light.toggle,"Switchin' the light's state, on my honor!",en,pirate,0
386
+ light.toggle,"I'll be togglin' the light for ye, savvy?",en,pirate,0
387
+ light.toggle,"Flippin' the <device_name> state, with a yo-ho-ho!",en,pirate,0
388
+ light.toggle,"Switchin' <device_name> state as commanded, arr!",en,pirate,0
389
+ light.toggle,"Togglin' <device_name> for ye, without a fuss!",en,pirate,0
390
+ light.toggle,"Togglin' <device_name>, ready for adventure!",en,pirate,0
391
+ light.turn_on,"Startin' up <device_name>, on the horizon!",en,pirate,0
392
+ light.turn_on,"Aye, brightenin' <device_name> now, clear as day!",en,pirate,0
393
+ light.turn_on,"Switchin' on <device_name> for ye, like the northern star!",en,pirate,0
394
+ light.turn_on,"Lightin' up <device_name>, as bright as the full moon!",en,pirate,0
395
+ light.turn_on,"Activatin' <device_name>, let there be light!",en,pirate,0
396
+ light.turn_on,"Settin' the brightness of <device_name> to <brightness>%, as clear as the open sea!",en,pirate,0
397
+ light.turn_on,"Dimmin' <device_name> to <brightness>% brightness, like the twilight.",en,pirate,0
398
+ light.turn_on,"Brightenin' <device_name> to <brightness>%, like the morning sun!",en,pirate,0
399
+ light.turn_on,"Adjustin' <device_name> brightness to <brightness>, as the lighthouse guides.",en,pirate,0
400
+ light.turn_on,"Increasin' <device_name>'s brightness to <brightness>, like a beacon in the night!",en,pirate,0
401
+ light.turn_on,"Lowerin' the brightness of <device_name> to <brightness>, gentle as moonlight.",en,pirate,0
402
+ light.turn_on,"Settin' <device_name>'s brightness level to <brightness>%, as steady as the tide.",en,pirate,0
403
+ light.turn_on,"Settin' <device_name> to <brightness>% brightness, as bright as a pirate's gold!",en,pirate,0
404
+ light.turn_on,"Turnin' <device_name> <color>, like the colors of the sea.",en,pirate,0
405
+ light.turn_on,"Changin' the color of <device_name> to <color>, as vibrant as coral!",en,pirate,0
406
+ light.turn_on,"Changin' <device_name> to a <color> hue, bold as a pirate's flag!",en,pirate,0
407
+ light.turn_on,"Settin' <device_name> to be <color>, as majestic as the sunset.",en,pirate,0
408
+ light.turn_on,"Makin' <device_name> shine in <color>, like jewels from a treasure chest.",en,pirate,0
409
+ light.turn_on,"Turnin' <device_name> to a <color> shade, as mysterious as the deep.",en,pirate,0
410
+ light.turn_on,"Settin' <device_name> to a <color>, as rich as the spoils of a raid.",en,pirate,0
411
+ light.turn_on,"Settin' <device_name> to a <color> color, bright as a parrot's plumage.",en,pirate,0
412
+ light.turn_on,"Makin' <device_name> glow <color>, like the glow of an island torch.",en,pirate,0
413
+ light.turn_on,"Turnin' <device_name> to <color>, as bold as the pirate's courage.",en,pirate,0
414
+ light.turn_on,"Changin' <device_name> to <color>, like the changing tides.",en,pirate,0
415
+ light.turn_on,"Adjustin' <device_name> to <color> color, as captivating as a siren's song.",en,pirate,0
416
+ light.turn_on,"Switchin' <device_name> color to <color>, like the banner of a ship.",en,pirate,0
417
+ light.turn_on,"Settin' <device_name> in <color>, as lively as a tavern's cheer.",en,pirate,0
418
+ light.turn_on,"Makin' <device_name> display a <color> light, like the northern lights.",en,pirate,0
419
+ light.turn_on,"Settin' <device_name> color to <color>, as striking as a cannon's blaze.",en,pirate,0
420
+ light.turn_off,"Deactivatin' <device_name> as ye wish, dark as a moonless night.",en,pirate,0
421
+ light.turn_off,"Switchin' off <device_name> now, silent as a ghost ship.",en,pirate,0
422
+ light.turn_off,"Aye, turnin' off <device_name>, like quenchin' a lantern.",en,pirate,0
423
+ light.turn_off,"Turnin' off <device_name>, let's keep to the shadows.",en,pirate,0
424
+ light.turn_off,"Deactivatin' <device_name>, as quiet as the depths.",en,pirate,0
425
+ switch.turn_on,"Hoistin' the switch, readyin' for action, arr!",en,pirate,0
426
+ switch.turn_on,"Aye, lightin' up the deck with a flick o' the switch!",en,pirate,0
427
+ switch.turn_on,"Flippin' the switch, settin' sails for a bright journey!",en,pirate,0
428
+ switch.turn_off,"Dousin' the lights, makin' it dark as the ocean's abyss.",en,pirate,0
429
+ switch.turn_off,"I'll be cuttin' the power, like calmin' the seas.",en,pirate,0
430
+ switch.turn_off,"Aye, plungin' us into darkness, like the cover of night.",en,pirate,0
431
+ switch.toggle,"Flippin' the switch, like findin' fortune with a map!",en,pirate,0
432
+ switch.toggle,"Changin' course with the switch, as the wind shifts!",en,pirate,0
433
+ switch.toggle,"I'll be togglin' the switch, like navigatin' through storms!",en,pirate,0
434
+ switch.toggle,"Togglin' <device_name>, like hoistin' the Jolly Roger!",en,pirate,0
435
+ switch.toggle,"Aye, flippin' <device_name>, as swift as a gale!",en,pirate,0
436
+ switch.toggle,"Can do! Shiftin' <device_name>, like turnin' the helm.",en,pirate,0
437
+ switch.toggle,"Togglin' <device_name>, on command, like a true buccaneer!",en,pirate,0
438
+ switch.toggle,"Shiftin' tides for <device_name>, like a skilled helmsman.",en,pirate,0
439
+ switch.toggle,"Quickly jugglin' <device_name>, like loot on the run!",en,pirate,0
440
+ switch.turn_on,"Ignitin' <device_name>, like a beacon in the night!",en,pirate,0
441
+ switch.turn_on,"I be lightin' up <device_name>, like a lantern in the crow's nest.",en,pirate,0
442
+ switch.turn_on,"Activatin' <device_name>, set the course!",en,pirate,0
443
+ switch.turn_on,"Aye, settin' <device_name> aglow, like a treasure chest o' gold!",en,pirate,0
444
+ switch.turn_on,"Switchin' on <device_name>, straight away, no dallyin'!",en,pirate,0
445
+ switch.turn_on,"Lightin' up <device_name>, like the stars guidin' us home.",en,pirate,0
446
+ switch.turn_on,"Settin' <device_name> ablaze, ready for whatever lies ahead.",en,pirate,0
447
+ switch.turn_off,"Snuffin' out <device_name>, like a candle at dawn.",en,pirate,0
448
+ switch.turn_off,"Extinguishin' <device_name>, like the end of a voyage.",en,pirate,0
449
+ switch.turn_off,"Deactivatin' <device_name>, like buryin' a chest of riches.",en,pirate,0
450
+ switch.turn_off,"Okay, dousin' <device_name>, like the quiet before a storm.",en,pirate,0
451
+ switch.turn_off,"Aye, I be turnin' off <device_name>, like whisperin' to the wind.",en,pirate,0
452
+ switch.turn_off,"Shuttin' off <device_name>, as we anchor for night.",en,pirate,0
453
+ switch.turn_off,"Killin' the lights of <device_name>, like a ghost ship vanishin' into fog.",en,pirate,0
454
+ fan.turn_on,"Beep boop, turning on the fan for you.",en,robot,0
455
+ fan.turn_on,"Beep, I'll get the fan going for you," boop.",en,robot,0
456
+ fan.turn_on,"Boop beep, sure, turning on the fan now.",en,robot,0
457
+ fan.turn_off,"Beep boop, switching off the fan as requested.",en,robot,0
458
+ fan.turn_off,"I'll turn off the fan for you, beep boop.",en,robot,0
459
+ fan.turn_off,"Okay, turning off the fan" beep boop.",en,robot,0
460
+ fan.toggle,"Beep, I'll toggle the fan's state for you," boop.",en,robot,0
461
+ fan.toggle,"Toggling the fan now, beep boop.",en,robot,0
462
+ fan.toggle,"Switching the fan's state for you, beep boop.",en,robot,0
463
+ fan.increase_speed,"Increasing the fan speed for you, beep boop.",en,robot,0
464
+ fan.increase_speed,"Sure, speeding up the fan now," beep boop.",en,robot,0
465
+ fan.increase_speed,"I'll go ahead and make the fan faster, beep boop.",en,robot,0
466
+ fan.decrease_speed,"Reducing the fan speed as you requested, beep boop.",en,robot,0
467
+ fan.decrease_speed,"I'll slow down the fan for you, beep boop.",en,robot,0
468
+ fan.decrease_speed,"Sure, decreasing the fan speed," beep boop.",en,robot,0
469
+ fan.toggle,"Flipping <device_name> state for you, beep boop",en,robot,0
470
+ fan.toggle,"Switching <device_name> state as requested, beep boop",en,robot,0
471
+ fan.toggle,"Toggling <device_name> now, beep boop",en,robot,0
472
+ fan.turn_on,"Activating <device_name> now, beep boop",en,robot,0
473
+ fan.turn_on,"Starting <device_name> for you, beep boop",en,robot,0
474
+ fan.turn_on,"Certainly, starting <device_name>," beep boop",en,robot,0
475
+ fan.turn_on,"Turning on <device_name>, beep boop",en,robot,0
476
+ fan.turn_on,"Starting <device_name>, beep boop",en,robot,0
477
+ fan.turn_off,"Deactivating <device_name> as requested, beep boop",en,robot,0
478
+ fan.turn_off,"Stopping <device_name> for you, beep boop",en,robot,0
479
+ fan.turn_off,"Certainly, stopping <device_name>," beep boop",en,robot,0
480
+ fan.turn_off,"Turning off <device_name>, beep boop",en,robot,0
481
+ fan.decrease_speed,"Reducing speed of <device_name>, beep boop",en,robot,0
482
+ fan.decrease_speed,"Lowering speed of <device_name> as requested, beep boop",en,robot,0
483
+ fan.decrease_speed,"Slowing down <device_name> for you, beep boop",en,robot,0
484
+ fan.increase_speed,"Increasing speed of <device_name>, beep boop",en,robot,0
485
+ fan.increase_speed,"Ramping up <device_name> speed now, beep boop",en,robot,0
486
+ fan.increase_speed,"Speeding up <device_name> for you, beep boop",en,robot,0
487
+ fan.increase_speed,"Increasing speed of <device_name>, beep boop",en,robot,0
488
+ fan.decrease_speed,"Reducing speed of <device_name>, beep boop",en,robot,0
489
+ blinds.open,"Beep boop, opening the blinds for you.",en,robot,0
490
+ blinds.open,"I'll go ahead and open the blinds, beep boop.",en,robot,0
491
+ blinds.open,"Sure, opening the blinds now, beep boop.",en,robot,0
492
+ blinds.close,"Closing the blinds as you requested, beep boop.",en,robot,0
493
+ blinds.close,"I'll close the blinds for you, beep boop.",en,robot,0
494
+ blinds.close,"Sure, closing the blinds, beep boop.",en,robot,0
495
+ blinds.stop,"Stopping the blinds now, beep boop.",en,robot,0
496
+ blinds.stop,"I'll stop the blinds for you, beep boop.",en,robot,0
497
+ blinds.stop,"Sure, halting the blinds movement, beep boop.",en,robot,0
498
+ blinds.toggle,"Toggling the blinds state for you, beep boop.",en,robot,0
499
+ blinds.toggle,"Switching the blinds' state now, beep boop.",en,robot,0
500
+ blinds.toggle,"I'll toggle the blinds for you, beep boop.",en,robot,0
501
+ blinds.open,"Lifting <device_name> blinds as requested, beep boop",en,robot,0
502
+ blinds.open,"Opening <device_name> now, beep boop",en,robot,0
503
+ blinds.open,"Raising <device_name> for you, beep boop",en,robot,0
504
+ blinds.stop,"Freezing <device_name> position, beep boop",en,robot,0
505
+ blinds.stop,"Halting <device_name> now, beep boop",en,robot,0
506
+ blinds.stop,"Stopping <device_name> operation, beep boop",en,robot,0
507
+ blinds.open,"Raising <device_name>, beep boop",en,robot,0
508
+ blinds.close,"Closing <device_name> for you, beep boop",en,robot,0
509
+ blinds.close,"Lowering <device_name> now, beep boop",en,robot,0
510
+ blinds.close,"Shutting <device_name> as requested, beep boop",en,robot,0
511
+ blinds.close,"Lowering <device_name>, beep boop",en,robot,0
512
+ blinds.toggle,"Flipping <device_name> state now, beep boop",en,robot,0
513
+ blinds.toggle,"Switching <device_name> state as requested, beep boop",en,robot,0
514
+ blinds.toggle,"Toggling <device_name> for you, beep boop",en,robot,0
515
+ blinds.toggle,"Toggling <device_name>, beep boop",en,robot,0
516
+ climate.set_humidity,"Beep, increasing humidity to <humidity>, boop.",en,robot,0
517
+ climate.set_humidity,"Beep boop: Setting humidity to <humidity> percent, processing.",en,robot,0
518
+ climate.set_humidity,"Adjustment protocol initiated: humidity to <humidity>%, beep boop.",en,robot,0
519
+ climate.set_fan_mode,"Fan speed adjustment to <fan_mode>: commencing beep, concluding boop.",en,robot,0
520
+ climate.set_fan_mode,"Activating <fan_mode> fan mode, beep-boop sequence activated.",en,robot,0
521
+ climate.set_fan_mode,"Fan setting alteration to <fan_mode>: beep protocol, boop execution.",en,robot,0
522
+ climate.set_hvac_mode,"HVAC mode switching to <hvac_mode>: beep commence, boop complete.",en,robot,0
523
+ climate.set_hvac_mode,"Initiating HVAC setting to <hvac_mode>, beep-boop operation underway.",en,robot,0
524
+ climate.set_hvac_mode,"Executing change: HVAC to <hvac_mode> mode, beep and boop in progress.",en,robot,0
525
+ climate.set_temperature,"Temperature setting protocol to <temp_f> degrees: beep start, boop end.",en,robot,0
526
+ climate.set_temperature,"Temperature modification to <temp_c> Celsius: beep for start, boop to end.",en,robot,0
527
+ climate.set_temperature,"Room temperature adjustment to <temp_f> degrees Fahrenheit, beep-boop.",en,robot,0
528
+ climate.set_temperature,"Commencing temperature adjustment to <temp_f> degrees Fahrenheit, beep-boop.",en,robot,0
529
+ climate.set_temperature,"Cooler temperature setting to <temp_c> degrees Celsius initiated, beep-boop.",en,robot,0
530
+ climate.set_temperature,"Beep, making it warmer by setting temperature to <temp_f> degrees, boop.",en,robot,0
531
+ climate.set_temperature,"Lowering temperature protocol to <temp_c> Celsius, beep start, boop finish.",en,robot,0
532
+ climate.set_temperature,"Raising temperature to <temp_f> degrees Fahrenheit, initiating beep, concluding boop.",en,robot,0
533
+ light.turn_on,"Beep boop, illuminating the area by turning on the light for you.",en,robot,0
534
+ light.turn_on,"Affirmative, initiating light activation sequence now.",en,robot,0
535
+ light.turn_on,"Proceeding with light activation, beep boop.",en,robot,0
536
+ light.turn_off,"Deactivation sequence for light initiated as requested.",en,robot,0
537
+ light.turn_off,"Commencing shutdown of light, beep boop.",en,robot,0
538
+ light.turn_off,"Acknowledged, powering down the light.",en,robot,0
539
+ light.toggle,"Beep boop, toggling the light's state for optimal illumination.",en,robot,0
540
+ light.toggle,"Executing state switch for the light, beep boop.",en,robot,0
541
+ light.toggle,"Protocol engage: toggling light upon request.",en,robot,0
542
+ light.toggle,"Flipping <device_name> state, processing command.",en,robot,0
543
+ light.toggle,"Switching <device_name> state as per directive, beep boop.",en,robot,0
544
+ light.toggle,"Toggling <device_name>, execution in progress.",en,robot,0
545
+ light.toggle,"Execution protocol: toggling <device_name>, beep boop.",en,robot,0
546
+ light.turn_on,"Activation of <device_name> initiated, standby for illumination.",en,robot,0
547
+ light.turn_on,"Certainly, commencing <device_name> activation now.",en,robot,0
548
+ light.turn_on,"Switching on <device_name>, initiating light sequence.",en,robot,0
549
+ light.turn_on,"Turning on <device_name>, beep for start, boop to signify completion.",en,robot,0
550
+ light.turn_on,"Activating <device_name>, operational sequence underway.",en,robot,0
551
+ light.turn_on,"Adjusting <device_name> brightness to <brightness>% for optimal visibility.",en,robot,0
552
+ light.turn_on,"Dimming protocol for <device_name> to <brightness>% initiated.",en,robot,0
553
+ light.turn_on,"Brightening <device_name> to <brightness>% for enhanced illumination.",en,robot,0
554
+ light.turn_on,"Modifying <device_name> brightness to <brightness>%, processing.",en,robot,0
555
+ light.turn_on,"Incrementing <device_name>'s brightness to <brightness>%, beep boop.",en,robot,0
556
+ light.turn_on,"Decreasing <device_name> luminosity to <brightness>%, adjustment underway.",en,robot,0
557
+ light.turn_on,"Configuring <device_name>'s brightness to <brightness>% for desired ambiance.",en,robot,0
558
+ light.turn_on,"Setting <device_name> luminance to <brightness>% brightness, beep boop.",en,robot,0
559
+ light.turn_on,"Transitioning <device_name> to <color>, initiating color change protocol.",en,robot,0
560
+ light.turn_on,"Altering <device_name> color spectrum to <color>, beep boop.",en,robot,0
561
+ light.turn_on,"Changing <device_name> to a <color> hue, color adjustment sequence activated.",en,robot,0
562
+ light.turn_on,"Setting <device_name> chromatics to be <color>, illumination adjustment.",en,robot,0
563
+ light.turn_on,"Projecting <color> from <device_name>, enhancing chromatic output.",en,robot,0
564
+ light.turn_on,"Transforming <device_name> ambiance to a <color> shade, beep boop.",en,robot,0
565
+ light.turn_on,"Adjusting <device_name> to a <color>, chromatic adaptation protocol.",en,robot,0
566
+ light.turn_on,"Configuring <device_name> to emanate a <color> color, initiating.",en,robot,0
567
+ light.turn_on,"Enhancing <device_name> glow to <color>, visual modification in progress.",en,robot,0
568
+ light.turn_on,"Adapting <device_name> to <color>, color change sequence engaged.",en,robot,0
569
+ light.turn_on,"Altering <device_name> chroma to <color>, color adaptation underway.",en,robot,0
570
+ light.turn_on,"Adjusting <device_name> to <color> color, visual enhancement protocol.",en,robot,0
571
+ light.turn_on,"Switching <device_name> color spectrum to <color>, beep boop.",en,robot,0
572
+ light.turn_on,"Configuring <device_name> in <color>, chromatic adjustment initiated.",en,robot,0
573
+ light.turn_on,"Enabling <device_name> to display a <color> light, visual transformation.",en,robot,0
574
+ light.turn_on,"Setting <device_name> color to <color>, color setting sequence.",en,robot,0
575
+ light.turn_off,"Deactivating <device_name> as per request, shutting down.",en,robot,0
576
+ light.turn_off,"Switching off <device_name>, power down sequence initiated.",en,robot,0
577
+ light.turn_off,"Affirmative, deactivating <device_name>, beep boop.",en,robot,0
578
+ light.turn_off,"Powering off <device_name>, deactivation protocol in effect.",en,robot,0
579
+ light.turn_off,"Commencing deactivation of <device_name>, operational halt.",en,robot,0
580
+ garage_door.open,"Initiating garage door opening sequence for you, beep boop.",en,robot,0
581
+ garage_door.open,"Affirmative, activating garage door opening mechanism.",en,robot,0
582
+ garage_door.open,"Commencing operation to open the garage door, beep boop.",en,robot,0
583
+ garage_door.close,"Beginning garage door closure as commanded, beep boop.",en,robot,0
584
+ garage_door.close,"Executing garage door shutdown for you, beep boop.",en,robot,0
585
+ garage_door.close,"Acknowledged, initiating garage door closing sequence.",en,robot,0
586
+ garage_door.stop,"Halting garage door motion now, beep boop.",en,robot,0
587
+ garage_door.stop,"Beep boop, executing stop command for the garage door.",en,robot,0
588
+ garage_door.stop,"Affirmative, ceasing garage door movement immediately.",en,robot,0
589
+ garage_door.toggle,"Toggling garage door state as per your request, beep boop.",en,robot,0
590
+ garage_door.toggle,"Executing state alteration for the garage door, beep boop.",en,robot,0
591
+ garage_door.toggle,"Switching garage door state for optimal function, beep boop.",en,robot,0
592
+ garage_door.open,"Lifting mechanism for <device_name> activated for you.",en,robot,0
593
+ garage_door.open,"Opening <device_name> now, initiating sequence.",en,robot,0
594
+ garage_door.open,"Raising <device_name> as per directive, beep boop.",en,robot,0
595
+ garage_door.stop,"Freezing <device_name> position now, command acknowledged.",en,robot,0
596
+ garage_door.stop,"Certainly, halting <device_name> operation, beep boop.",en,robot,0
597
+ garage_door.stop,"Operation halt for <device_name> initiated, beep boop.",en,robot,0
598
+ garage_door.open,"Opening protocol for <device_name> commenced, beep boop.",en,robot,0
599
+ garage_door.stop,"Stopping <device_name> in progress, beep boop.",en,robot,0
600
+ garage_door.close,"Initiating closure of <device_name> now, beep boop.",en,robot,0
601
+ garage_door.close,"Lowering <device_name> for you, command processing.",en,robot,0
602
+ garage_door.close,"Executing shutdown of <device_name> as requested.",en,robot,0
603
+ garage_door.close,"Closure protocol for <device_name> activated, beep boop.",en,robot,0
604
+ garage_door.toggle,"Flipping state of <device_name> now, operational change.",en,robot,0
605
+ garage_door.toggle,"Switching <device_name> state as per your command, beep boop.",en,robot,0
606
+ garage_door.toggle,"Toggling <device_name> for optimal functionality, beep boop.",en,robot,0
607
+ garage_door.toggle,"State alteration for <device_name> initiated, beep boop.",en,robot,0
608
+ vacuum.start,"Starting <device_name> cleaning now.",en,assistant,0
609
+ vacuum.start,"<device_name> is set to start cleaning.",en,assistant,0
610
+ vacuum.start,"Initiating <device_name>'s cleaning cycle.",en,assistant,0
611
+ vacuum.start,"<device_name> will begin its cleaning task shortly.",en,assistant,0
612
+ vacuum.start,"Commencing the cleaning process with <device_name>.",en,assistant,0
613
+ vacuum.stop,"Cancelling <device_name>'s current job.",en,assistant,0
614
+ vacuum.stop,"<device_name>'s operation has been stopped.",en,assistant,0
615
+ vacuum.stop,"Halting <device_name> immediately.",en,assistant,0
616
+ vacuum.stop,"<device_name> cleaning cancelled per your request.",en,assistant,0
617
+ vacuum.stop,"Stopping <device_name>'s task as asked.",en,assistant,0
618
+ vacuum.pause,"Pausing <device_name> for now.",en,assistant,0
619
+ vacuum.pause,"<device_name>'s cleaning cycle is temporarily halted.",en,assistant,0
620
+ vacuum.pause,"<device_name> is on a brief pause.",en,assistant,0
621
+ vacuum.pause,"Holding <device_name>'s operation momentarily.",en,assistant,0
622
+ vacuum.pause,"<device_name>'s activity is paused.",en,assistant,0
623
+ vacuum.return_to_base,"Sending <device_name> back to its base.",en,assistant,0
624
+ vacuum.return_to_base,"<device_name> is returning to its docking station.",en,assistant,0
625
+ vacuum.return_to_base,"<device_name> heading back to recharge.",en,assistant,0
626
+ vacuum.return_to_base,"Instructing <device_name> to return to base.",en,assistant,0
627
+ vacuum.return_to_base,"<device_name> making its way back home.",en,assistant,0
628
+ todo.add_item,"<todo> has been added to your todo list.",en,assistant,0
629
+ todo.add_item,"Successfully added <todo> to your tasks.",en,assistant,0
630
+ todo.add_item,"Your todo list now includes <todo>.",en,assistant,0
631
+ todo.add_item,"<todo> is now on your list of things to do.",en,assistant,0
632
+ todo.add_item,"I've put <todo> on your todo list.",en,assistant,0
633
+ todo.add_item,"<todo> added to the list.",en,assistant,0
634
+ todo.add_item,"Consider <todo> added to your tasks.",en,assistant,0
635
+ todo.add_item,"Got it, <todo> is on your todo list now.",en,assistant,0
636
+ todo.add_item,"<todo> has been successfully added to your list.",en,assistant,0
637
+ timer.start,"Starting timer <device_name> for <duration>.",en,assistant,0
638
+ timer.start,"Timer <device_name> set for <duration>.",en,assistant,0
639
+ timer.start,"Countdown beginning for <duration>.",en,assistant,0
640
+ timer.start,"<device_name> timer is now running for <duration>.",en,assistant,0
641
+ timer.start,"Initiating a timer for <duration>.",en,assistant,0
642
+ timer.start,"Your timer called <device_name> for <duration> starts now.",en,assistant,0
643
+ timer.start,"Timer activated for <duration>.",en,assistant,0
644
+ timer.start,"Commencing timer for a duration of <duration>.",en,assistant,0
645
+ timer.start,"<duration> countdown has begun on timer <device_name>."
646
+ timer.start,"Setting a timer for <duration>.",en,assistant,0
647
+ timer.cancel,"Timer has been canceled.",en,assistant,0
648
+ timer.cancel,"Successfully halted the timer.",en,assistant,0
649
+ timer.cancel,"The timer has been cleared.",en,assistant,0
650
+ timer.cancel,"Timer stopped successfully.",en,assistant,0
651
+ timer.cancel,"Timer has been deactivated.",en,assistant,0
652
+ timer.cancel,"No more timer running.",en,assistant,0
653
+ timer.cancel,"Timer has been successfully canceled.",en,assistant,0
654
+ timer.cancel,"<device_name>'s timer has been canceled.",en,assistant,0
655
+ timer.cancel,"Your timer on <device_name> is now stopped.",en,assistant,0
656
+ timer.cancel,"Timer cancellation for <device_name> confirmed.",en,assistant,0
657
+ timer.cancel,"The timer on <device_name> has been cleared.",en,assistant,0
658
+ timer.cancel,"Timer on <device_name> stopped successfully.",en,assistant,0
659
+ timer.cancel,"Your running timer on <device_name> is now canceled.",en,assistant,0
660
+ timer.cancel,"<device_name>'s timer has been deactivated.",en,assistant,0
piles/pile_of_specific_actions.csv ADDED
@@ -0,0 +1,601 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ service_name,device_name,english_phrase
2
+ blinds.close,kitchen,Lower the kitchen blinds
3
+ blinds.close,living_room,Close the living room blinds
4
+ blinds.close,master_bedroom,Shut the master bedroom blinds
5
+ blinds.open,kitchen,Could you raise the kitchen blinds
6
+ blinds.open,living_room,Open the living room blinds
7
+ blinds.open,master_bedroom,Lift the master bedroom blinds
8
+ blinds.stop,kitchen,Stop the kitchen blinds where they are
9
+ blinds.stop,living_room,Stop adjusting the living room blinds
10
+ blinds.stop,master_bedroom,Please halt the master bedroom blinds
11
+ blinds.toggle,kitchen,Switch the state of the kitchen blinds
12
+ blinds.toggle,living_room,Toggle the living room blinds
13
+ blinds.toggle,master_bedroom,Reverse the master bedroom blinds
14
+ fan.decrease_speed,attic_1,Slow down the attic fan
15
+ fan.decrease_speed,attic_1,Turn down the attic fan
16
+ fan.decrease_speed,attic,Slow down the fan in the attic
17
+ fan.decrease_speed,bedroom_master,Slow down the master bedroom fan
18
+ fan.decrease_speed,garage,Turn down the fan in the garage
19
+ fan.decrease_speed,guest_room,Decrease the fan speed in the guest room
20
+ fan.decrease_speed,hallway,Lower the fan speed in the hallway
21
+ fan.decrease_speed,kitchen,Slow down the kitchen fan
22
+ fan.decrease_speed,kitchen,Turn down the kitchen fan
23
+ fan.decrease_speed,living_room,Decrease the speed of the living room fan
24
+ fan.decrease_speed,living_room,Turn down the living room fan
25
+ fan.decrease_speed,study,Reduce the fan speed in the study
26
+ fan.increase_speed,attic_1,Increase speed of the attic fan
27
+ fan.increase_speed,attic,Accelerate the fan in the attic
28
+ fan.increase_speed,bedroom_master,Ramp up the master bedroom fan speed
29
+ fan.increase_speed,garage,Turn up the fan in the garage
30
+ fan.increase_speed,guest_room,Increase the fan speed in the guest room
31
+ fan.increase_speed,hallway,Boost the fan speed in the hallway
32
+ fan.increase_speed,living_room,Increase the speed of the living room fan
33
+ fan.increase_speed,study,Ramp up the fan speed in the study
34
+ fan.toggle,attic_2,Toggle the attic fan
35
+ fan.toggle,attic,Change the fan status in the attic
36
+ fan.toggle,basement,Toggle the basement fan
37
+ fan.toggle,bedroom_master,Switch the state of the master bedroom fan
38
+ fan.toggle,bedroom,Toggle the bedroom fan
39
+ fan.toggle,dining_table_above,Please toggle the fan above the dining table
40
+ fan.toggle,driveway,Flip the driveway fan
41
+ fan.toggle,garage,Flip the fan in the garage
42
+ fan.toggle,guest_room,Can you toggle the fan in the guest room
43
+ fan.toggle,hallway,Switch the state of the fan in the hallway
44
+ fan.toggle,kitchen,Toggle the kitchen fan
45
+ fan.toggle,living_room,Toggle the fan in the living room
46
+ fan.toggle,office,Toggle the office fan
47
+ fan.toggle,outdoor,Toggle the outdoor fan
48
+ fan.toggle,pool,Change the status of the pool fan
49
+ fan.toggle,shed,Switch the shed fan on or off
50
+ fan.toggle,study,Alter the fan state in the study
51
+ fan.turn_off,attic_1,Disable the attic fan
52
+ fan.turn_off,bedroom_master,Deactivate the master bedroom fan
53
+ fan.turn_off,dining_area,Please switch off the dining area fan
54
+ fan.turn_off,dining_room,Switch off the dining room fan
55
+ fan.turn_off,garage,Shut down the garage fan
56
+ fan.turn_off,garage,Switch off the garage fan
57
+ fan.turn_off,guest_room,Switch off the guest room fan
58
+ fan.turn_off,kitchen,Switch off the kitchen fan
59
+ fan.turn_off,living_room,Turn off the living room fan
60
+ fan.turn_off,office,Could you disable the office fan
61
+ fan.turn_off,office,Turn off the office fan
62
+ fan.turn_off,patio,Turn off the patio fan
63
+ fan.turn_off,study,Switch off the study fan
64
+ fan.turn_off,study,Turn off the study fan
65
+ fan.turn_on,bathroom,Activate the bathroom fan
66
+ fan.turn_on,bathroom,Turn on the bathroom fan
67
+ fan.turn_on,bedroom_master,Activate the master bedroom fan
68
+ fan.turn_on,dining_area,Please switch on the dining area fan
69
+ fan.turn_on,garage,Turn on the garage fan
70
+ fan.turn_on,hallway,Enable the hallway fan
71
+ fan.turn_on,kitchen,Enable the kitchen fan
72
+ fan.turn_on,living_room,Start the living room fan
73
+ fan.turn_on,living_room,Turn on the living room fan
74
+ fan.turn_on,office,Could you enable the office fan
75
+ fan.turn_on,study,Activate the study fan
76
+ fan.turn_on,study,Switch on the study fan
77
+ garage_door.close,bike_storage,Deactivate the bike storage garage
78
+ garage_door.close,main,Close the main garage door
79
+ garage_door.close,one_car,Make sure the one car garage is closed
80
+ garage_door.close,side,Lower the side garage door
81
+ garage_door.open,basement,Please raise the basement garage door
82
+ garage_door.open,bike_storage,Activate the bike storage garage
83
+ garage_door.open,main,Open the main garage door
84
+ garage_door.open,side,Could you lift the side garage door
85
+ garage_door.open,two_car,Open the two car garage
86
+ garage_door.stop,main,Stop the main garage door
87
+ garage_door.stop,side,Halt the side garage door
88
+ garage_door.toggle,main,Toggle the main garage door
89
+ garage_door.toggle,side,Switch the state of the side garage door
90
+ light.toggle,attic,Change the light status in the attic
91
+ light.toggle,bedroom_1,Toggle the bedroom light
92
+ light.toggle,dining_table_above,Please toggle the light above the dining table
93
+ light.toggle,driveway,Flip the driveway light
94
+ light.toggle,garage,Flip the light in the garage
95
+ light.toggle,guest_room,Could you toggle the light in the guest room
96
+ light.toggle,guest_room,Toggle the guest room light
97
+ light.toggle,hallway,Switch the state of the light in the hallway
98
+ light.toggle,hallway,Toggle the hallway light
99
+ light.toggle,kitchen_1,Toggle the kitchen light
100
+ light.toggle,kitchen_2,Toggle the kitchen light
101
+ light.toggle,office,Toggle the office light
102
+ light.toggle,outdoor,Toggle the outdoor light
103
+ light.toggle,patio,Toggle the patio light
104
+ light.toggle,pool,Change the status of the pool light
105
+ light.toggle,shed,Switch the shed light on or off
106
+ light.toggle,study,Alter the light state in the study
107
+ light.toggle,study,Toggle the study light
108
+ light.turn_off,bathroom_1,Please extinguish the bathroom light
109
+ light.turn_off,bathroom,Switch off the bathroom light
110
+ light.turn_off,bathroom,Turn off the bathroom light
111
+ light.turn_off,bedroom_1,Deactivate the bedroom light
112
+ light.turn_off,bedroom_2,Switch off the bedroom light
113
+ light.turn_off,dining_room,Switch off the dining room light
114
+ light.turn_off,dining_room,Turn off the dining room light
115
+ light.turn_off,garden_1,Deactivate the garden light
116
+ light.turn_off,guest_room,Deactivate the guest room light
117
+ light.turn_off,guest_room,Switch off the guest room light
118
+ light.turn_off,hallway,Switch off the hallway light
119
+ light.turn_off,hallway,Turn off the hallway light
120
+ light.turn_off,kitchen_2,Switch off the kitchen light
121
+ light.turn_off,kitchen_counter,Switch off the kitchen counter light
122
+ light.turn_off,living_room_1,Switch off the living room light
123
+ light.turn_off,living_room,Turn off the living room light
124
+ light.turn_off,master_bedroom_1,Deactivate the master bedroom light
125
+ light.turn_off,master_bedroom_lamp,Turn off the light in the bedroom
126
+ light.turn_off,office,Deactivate the office light
127
+ light.turn_off,patio,Deactivate the patio light
128
+ light.turn_off,patio,Disable the patio light
129
+ light.turn_off,pool,Turn off the pool light
130
+ light.turn_off,study,Turn off the study light
131
+ light.turn_on,bathroom_1,Could you illuminate the bathroom
132
+ light.turn_on,bathroom,Activate the bathroom light
133
+ light.turn_on,bedroom_1,Activate the bedroom light
134
+ light.turn_on,dining_room_1,Activate the lights in the dining room
135
+ light.turn_on,dining_room,Activate the dining room light
136
+ light.turn_on,driveway,Turn on the driveway light
137
+ light.turn_on,garage,Activate the garage light
138
+ light.turn_on,garage,Switch on the garage light
139
+ light.turn_on,garden_1,Switch on the garden light
140
+ light.turn_on,garden_1,Turn on the garden light
141
+ light.turn_on,garden_2,Activate the garden light
142
+ light.turn_on,garden,Switch on the garden light
143
+ light.turn_on,guest_room,Switch on the guest room light
144
+ light.turn_on,hallway,Turn on the hallway light
145
+ light.turn_on,kitchen_1,Switch on the kitchen lights
146
+ light.turn_on,kitchen_1,Turn on the kitchen light
147
+ light.turn_on,kitchen_counter,Switch on the kitchen counter light
148
+ light.turn_on,living_room,Turn on the living room light
149
+ light.turn_on,master_bedroom_1,Please activate the master bedroom light
150
+ light.turn_on,office_1,Enable the office light
151
+ light.turn_on,patio,Enable the patio light
152
+ light.turn_on,patio,Switch on the patio light
153
+ light.turn_on,patio,Turn on the patio light
154
+ light.turn_on,pool,Activate the pool light
155
+ light.turn_on,pool,Turn on the pool light
156
+ light.turn_on,shed,Activate the shed light
157
+ light.turn_on,shed,Switch on the shed light
158
+ light.turn_on,study,Activate the study light
159
+ light.turn_on,dining_room_chandelier,Turn on the dining room light
160
+ light.turn_on,chandelier_front_hallway,Hey can you turn on the front hallway chandelier
161
+ lock.lock,back_door,Engage the back door lock
162
+ lock.lock,front_door,Lock the front door
163
+ lock.lock,nursery,Can you secure the nursery door
164
+ lock.lock,office,Please lock the office
165
+ lock.lock,wine_cellar,Could you lock the wine cellar
166
+ lock.lock,front_door,Please lock the front door.
167
+ lock.lock,garage_door,I need the garage door locked.
168
+ lock.lock,main_gate,Ensure the main gate is locked.
169
+ lock.lock,office_door,Can we lock the office door?
170
+ lock.lock,basement_door,Lock up the basement door.
171
+ lock.lock,garden_gate,Please secure the garden gate.
172
+ lock.lock,cellar_door,Cellar door should be locked now.
173
+ lock.lock,shed_door,Ensure the shed door is securely locked.
174
+ lock.lock,laundry_room_door,Can you lock the laundry room door?
175
+ lock.lock,guest_room_door,Please lock the guest room door.
176
+ lock.lock,fence_gate,Make sure the fence gate is locked.
177
+ lock.lock,attic_door,Attic door needs locking.
178
+ lock.lock,storage_room_door,Please lock the storage room door.
179
+ lock.lock,carport_gate,Carport gate needs to be locked.
180
+ lock.lock,front_porch_door,Lock the front porch door.
181
+ lock.lock,wine_cellar,Ensure the wine cellar is locked.
182
+ lock.lock,home_office,I'd like the home office locked up.
183
+ lock.lock,art_studio,The art studio should be locked.
184
+ lock.lock,home_gym,Lock the home gym door.
185
+ lock.lock,library_door,Please lock the library door.
186
+ lock.unlock,back_door,Could you disengage the back door lock
187
+ lock.unlock,bike_storage,Disengage the lock on the bike storage
188
+ lock.unlock,front_door,Unlock the front door
189
+ lock.unlock,office,Please unlock the office
190
+ lock.unlock,tool_shed,Unlock the tool shed
191
+ lock.unlock,back_door,Can you unlock the back door?
192
+ lock.unlock,patio_door,"Unlock the patio door, please."
193
+ lock.unlock,kitchen_window,Open the lock on the kitchen window.
194
+ lock.unlock,bedroom_window,Bedroom window needs to be unlocked.
195
+ lock.unlock,bathroom_window,Could you unlock the bathroom window?
196
+ lock.unlock,rooftop_door,Open the rooftop door lock.
197
+ lock.unlock,pool_gate,I'd like the pool gate unlocked.
198
+ lock.unlock,balcony_door,Unlock the balcony door for me.
199
+ lock.unlock,nursery_door,The nursery door needs to be unlocked.
200
+ lock.unlock,side_entrance,Unlock our side entrance.
201
+ lock.unlock,garage_side_door,Garage side door should be unlocked.
202
+ lock.unlock,fire_escape,Can you unlock the fire escape?
203
+ lock.unlock,boathouse_door,Unlock the boathouse door.
204
+ lock.unlock,backyard_gate,Can we have the backyard gate unlocked?
205
+ lock.unlock,back_terrace_door,Open the lock on the back terrace door.
206
+ lock.unlock,sunroom_door,Please unlock the sunroom door.
207
+ lock.unlock,playroom_door,Can you unlock the playroom door?
208
+ lock.unlock,music_room,"Unlock the music room, please."
209
+ lock.unlock,cinema_room,Cinema room needs to be unlocked.
210
+ lock.unlock,conservatory,Can the conservatory be unlocked?
211
+ media_player.media_next_track,living_room,Skip to the next track in the living room
212
+ media_player.media_next_track,basement_home_theater,Skip to the next track in the basement.
213
+ media_player.media_next_track,gym_music_player,Skip to the next song in the gym.
214
+ media_player.media_next_track,yoga_room_music,Next track for the yoga room music.
215
+ media_player.media_next_track,garden_music,Next track for the garden music.
216
+ media_player.media_pause,master_bedroom,Pause the media in the master bedroom
217
+ media_player.media_pause,bathroom_audio,Pause the bathroom audio.
218
+ media_player.media_pause,loft_tv,Pause the TV in the loft.
219
+ media_player.media_pause,laundry_room_radio,Pause the radio in the laundry room.
220
+ media_player.media_pause,corridor_intercom,Pause the corridor intercom.
221
+ media_player.media_play,nursery,Please play the media in the nursery
222
+ media_player.media_play,patio_speaker,Start playing music on the patio speaker.
223
+ media_player.media_play,sunroom_stereo,Play the stereo in the sunroom.
224
+ media_player.media_play,kids_room_storyteller,Start the storyteller in the kids' room.
225
+ media_player.media_play,cellar_jukebox,Play the jukebox in the cellar.
226
+ media_player.media_previous_track,kitchen,Play the previous track in the kitchen
227
+ media_player.media_previous_track,nursery_lullaby,Go back to the previous lullaby in the nursery.
228
+ media_player.media_previous_track,study_room_radio,Go back to the previous station in the study room.
229
+ media_player.media_previous_track,conservatory_cd_player,Previous track on the conservatory CD player.
230
+ media_player.media_previous_track,driveway_speakers,Previous track on the driveway speakers.
231
+ media_player.media_stop,nursery,Stop the media in the nursery
232
+ media_player.media_stop,guest_room_media,Stop the guest room media player.
233
+ media_player.media_stop,poolside_media,Stop the poolside media system.
234
+ media_player.media_stop,balcony_speakers,Stop the balcony speakers.
235
+ media_player.media_stop,porch_sound_system,Stop the porch sound system.
236
+ media_player.turn_off,kitchen_radio,Switch off the kitchen radio.
237
+ media_player.turn_off,lounge_entertainment,Switch off the lounge entertainment center.
238
+ media_player.turn_off,entryway_echo,Turn off the Echo in the entryway.
239
+ media_player.turn_off,wine_cellar_speakers,Power off the speakers in the wine cellar.
240
+ media_player.turn_off,mudroom_media_player,Switch off the mudroom media player.
241
+ media_player.turn_on,kitchen,Could you start the media in the kitchen
242
+ media_player.turn_on,living_room,Activate the media in the living room
243
+ media_player.turn_on,master_bedroom,Turn on the master bedroom media player
244
+ media_player.turn_on,living_room_tv,Please turn on the living room TV.
245
+ media_player.turn_on,deck_music_system,Turn on the deck's music system.
246
+ media_player.turn_on,backyard_speakers,Turn on the backyard speakers.
247
+ media_player.turn_on,foyer_sound_system,Power on the foyer sound system.
248
+ media_player.turn_on,hallway_audio,Switch on the hallway audio system.
249
+ media_player.volume_down,nursery,Turn down the volume in the nursery
250
+ media_player.volume_down,office,Can you decrease the volume in the office
251
+ media_player.volume_down,office_sound_system,Lower the volume in the office.
252
+ media_player.volume_down,game_room_speakers,Turn down the game room speakers.
253
+ media_player.volume_down,workshop_sound_system,Lower the sound system volume in the workshop.
254
+ media_player.volume_down,attic_audio_system,Decrease attic audio system volume.
255
+ media_player.volume_down,shed_sound_system,Turn down the shed sound system.
256
+ media_player.volume_mute,living_room,Mute the media player in the living room
257
+ media_player.volume_mute,garage_stereo,Mute the stereo in the garage.
258
+ media_player.volume_mute,library_soundbar,Mute the soundbar in the library.
259
+ media_player.volume_mute,art_studio_player,Mute the media player in the art studio.
260
+ media_player.volume_mute,boathouse_stereo,Mute the stereo in the boathouse.
261
+ media_player.volume_mute,treehouse_speakers,Mute the treehouse speakers.
262
+ media_player.volume_up,kitchen,Please raise the volume in the kitchen
263
+ media_player.volume_up,living_room,Turn up the volume in the living room
264
+ media_player.volume_up,master_bedroom,Can you increase the volume on the master bedroom media player
265
+ media_player.volume_up,bedroom_speaker,Can you increase the volume in the bedroom?
266
+ media_player.volume_up,dining_area_jukebox,Increase the jukebox volume in the dining area.
267
+ media_player.volume_up,rooftop_deck_audio,Raise the rooftop audio volume.
268
+ media_player.volume_up,greenhouse_radio,Increase the greenhouse radio volume.
269
+ media_player.volume_up,utility_room_radio,Turn up the utility room radio.
270
+ switch.toggle,tp_link_kasa_porch,Toggle the porch lights.
271
+ switch.toggle,honeywell_home_office,Toggle the office lights.
272
+ switch.toggle,sonoff_dining_room,Toggle the dining room lights.
273
+ switch.toggle,osram_hallway,Toggle the hallway lights.
274
+ switch.toggle,koogeek_basement,Toggle the basement lights.
275
+ switch.toggle,arlo_floodlights,Toggle the security floodlights.
276
+ switch.toggle,broadlink_kitchenette,Toggle the kitchenette lights.
277
+ switch.toggle,kasa_living_room,Toggle the living room lights.
278
+ switch.toggle,home_office_dimmer,Toggle the home office dimmer.
279
+ switch.toggle,kitchen_under_cabinet,Toggle the kitchen under cabinet lights.
280
+ switch.turn_off,belkin_wemo_garage,Turn off the garage switch.
281
+ switch.turn_off,lutron_caseta_bedroom,Turn off the bedroom lights.
282
+ switch.turn_off,samsung_smartthings_security,Turn off the security system.
283
+ switch.turn_off,fibaro_pool,Turn off the pool lights.
284
+ switch.turn_off,ecobee_garden,Turn off the garden lights.
285
+ switch.turn_off,insteon_patio,Turn off the patio lights.
286
+ switch.turn_off,yeelight_sunroom,Turn off the sunroom lights.
287
+ switch.turn_off,meross_walkway,Turn off the walkway lighting.
288
+ switch.turn_off,xiaomi_bedside,Turn off the bedside lamp.
289
+ switch.turn_off,ikea_guest_room,Turn off the guest room lights.
290
+ switch.turn_off,tuya_shed,Turn off the shed light switch.
291
+ switch.turn_off,hue_bedroom_2,Turn off the second bedroom lights.
292
+ switch.turn_off,radiant_office,Turn off the office lights.
293
+ switch.turn_off,z_wave_guest_bathroom,Turn off the guest bathroom fan.
294
+ switch.turn_off,patio_heater_switch,Turn off the patio heater.
295
+ switch.turn_off,kitchen_fan,Please turn off the kitchen fan.
296
+ switch.turn_off,poolside_lanterns,Deactivate the poolside lanterns.
297
+ switch.turn_off,backyard_floodlight,Can you shut off the backyard floodlight?
298
+ switch.turn_off,laundry_area,Please switch off the laundry area lights.
299
+ switch.turn_off,basement_sconces,Can we turn down the basement sconces?
300
+ switch.turn_off,sunroom_blinds,"I'd like the sunroom blinds closed, please."
301
+ switch.turn_off,patio_string_lights,Switch off the string lights on the patio.
302
+ switch.turn_off,kitchen_island,Disable the kitchen island lights.
303
+ switch.turn_off,garage_worklight,Can we power down the garage worklight?
304
+ switch.turn_off,home_cinema,Please turn off the home cinema lights.
305
+ switch.turn_off,dining_room_dimmer,Set the dining room lights to off.
306
+ switch.turn_off,art_studio_spots,Please disable the art studio spotlights.
307
+ switch.turn_off,back_entry,Shut down the back entry lights.
308
+ switch.turn_off,veranda_fairy_lights,"Switch off the veranda fairy lights, please."
309
+ switch.turn_off,walk_in_closet,Disable the walk-in closet lights.
310
+ switch.turn_off,bathroom_mirror,Can you turn off the bathroom mirror light?
311
+ switch.turn_off,storage_room,Please power down the storage room lights.
312
+ switch.turn_off,conservation_area,Deactivate the conservation area lighting.
313
+ switch.turn_off,hobby_room,Could we turn off the hobby room lights?
314
+ switch.turn_off,rear_terrace,Can you dim the lights on the rear terrace?
315
+ switch.turn_on,philips_hue_living_room,Turn on the living room lights.
316
+ switch.turn_on,legrand_radiant_kitchen,Turn on the kitchen lights.
317
+ switch.turn_on,ge_z_wave_bathroom,Turn on the bathroom fan.
318
+ switch.turn_on,eve_energy_balcony,Turn on the balcony lighting.
319
+ switch.turn_on,nest_thermostat_terrace,Turn on the terrace thermostat.
320
+ switch.turn_on,wink_relay_driveway,Turn on the driveway lights.
321
+ switch.turn_on,sengled_deck,Turn on the deck lighting.
322
+ switch.turn_on,gosund_attic,Turn on the attic light switch.
323
+ switch.turn_on,nanoleaf_stairway,Turn on the stairway lights.
324
+ switch.turn_on,wyze_study,Turn on the study room lights.
325
+ switch.turn_on,netatmo_front_yard,Turn on the front yard lighting.
326
+ switch.turn_on,moeshouse_gym,Turn on the gym lighting.
327
+ switch.turn_on,wemo_laundry_room,Turn on the laundry room lights.
328
+ switch.turn_on,caseta_hallway_2,Turn on the second hallway lights.
329
+ switch.turn_on,security_camera_light,Turn on the security camera light.
330
+ switch.turn_on,hallway_dimmer,Could you dim the hallway lights?
331
+ switch.turn_on,garden_spotlights,Activate the garden spotlights.
332
+ switch.turn_on,front_porch_sensor,Engage the front porch sensor light.
333
+ switch.turn_on,staircase_light_strip,Could you light up the staircase light strip?
334
+ switch.turn_on,office_desk_lamp,Illuminate the desk lamp in my office.
335
+ switch.turn_on,library_ceiling,Engage the ceiling lights in the library.
336
+ switch.turn_on,guest_bathroom,"Light up the guest bathroom, please."
337
+ switch.turn_on,entryway_chandelier,Illuminate the entryway chandelier.
338
+ switch.turn_on,bedroom_track_lighting,Brighten the bedroom track lighting.
339
+ switch.turn_on,balcony_mood_lighting,Activate the mood lighting on the balcony.
340
+ switch.turn_on,playroom_nightlight,Can you turn on the playroom nightlight?
341
+ switch.turn_on,foyer_wall_sconce,Light up the foyer wall sconce.
342
+ switch.turn_on,corridor_track,Brighten up the corridor track lights.
343
+ switch.turn_on,master_suite,Set the master suite to nighttime mode.
344
+ switch.turn_on,roof_deck,Engage the roof deck lighting.
345
+ switch.turn_on,wine_cellar,Illuminate the wine cellar.
346
+ switch.turn_on,gym_ceiling,Light up the gym ceiling lights.
347
+ switch.turn_on,front_lawn,Activate the front lawn spotlights.
348
+ vacuum.start,kitchen,Please turn on the kitchen vacuum.
349
+ vacuum.start,living_room,Could you please activate the living room vacuum?
350
+ vacuum.start,dining_room,The dining room vacuum needs to be started.
351
+ vacuum.start,bedroom1,Let's start the vacuum in bedroom one.
352
+ vacuum.start,bedroom2,Can you please turn on the vacuum for bedroom two?
353
+ vacuum.start,study,The study vacuum should be activated.
354
+ vacuum.start,library,May I ask you to start the library vacuum?
355
+ vacuum.start,office,Please initiate the office vacuum.
356
+ vacuum.start,entrance_hall,Could you please turn on the entrance hall vacuum?
357
+ vacuum.start,sunroom,The sunroom vacuum needs to be started.
358
+ vacuum.start,patio,Let's activate the patio vacuum.
359
+ vacuum.start,garage,"Can we clean up the garage, please?"
360
+ vacuum.start,workshop,May I request you to turn on the workshop vacuum?
361
+ vacuum.start,utility_room,Please clean the utility room.
362
+ vacuum.start,mud_room,Could you please clean up the mud room?
363
+ vacuum.start,powder_room,The powder room needs to be cleaned.
364
+ vacuum.start,hallway,Let's turn on the hallway vacuum.
365
+ vacuum.start,staircase,Can we please start the staircase vacuum?
366
+ vacuum.start,balcony,May I ask you to clean the balcony?
367
+ vacuum.start,roof_deck,Please roof deck is dirty.
368
+ vacuum.start,attic,Let's start the attic vacuum.
369
+ vacuum.start,basement,"Can we turn on the basement vacuum, please?"
370
+ vacuum.start,pool_area,The pool area vacuum needs to be started.
371
+ vacuum.start,garden,Could you please activate the garden vacuum?
372
+ vacuum.start,terrace,May I request you to start the terrace vacuum?
373
+ vacuum.start,porch,Please initiate the porch vacuum.
374
+ vacuum.start,shed,"Can we turn on the shed vacuum, please?"
375
+ vacuum.start,workshop2,The second workshop is pretty dirty right now.
376
+ vacuum.start,studio,May I ask you to start the studio vacuum?
377
+ vacuum.start,greenhouse,Please initiate the greenhouse vacuum.
378
+ vacuum.start,potting_shed,"Can we turn on the potting shed vacuum, please?"
379
+ vacuum.start,summer_house,The summer house vacuum needs to be started.
380
+ vacuum.start,garage2,Let's start the second garage vacuum.
381
+ vacuum.start,tool_shed,May I request you to activate the tool shed vacuum?
382
+ vacuum.start,barn,Could we please turn on the barn vacuum?
383
+ vacuum.start,wine_cellar,The wine cellar should be cleaned.
384
+ vacuum.start,storage_room,Let's initiate the storage room cleanup.
385
+ vacuum.start,greenhouse2,May I ask you to activate the second greenhouse vacuum?
386
+ vacuum.start,boat_house,Please turn on the boat house vacuum.
387
+ vacuum.start,marina,Could we please start the marina vacuum?
388
+ vacuum.start,bb8,Turn on BB8.
389
+ vacuum.start,c3po,Can you start C3PO?
390
+ vacuum.start,hal,Please turn on Hal.
391
+ vacuum.start,r2d2,Can you tell R2D2 to clean up?
392
+ light.turn_off,bar_light,Please switch off the bar light
393
+ light.turn_off,bar_light,Turn off bar light
394
+ light.turn_off,bar_light,Turn off the bar light
395
+ light.turn_off,dining_room_light,Deactivate dining room light
396
+ light.turn_off,dining_room_light,Shut off dining room light
397
+ light.turn_off,dining_room_light,Toggle the dining room light
398
+ light.turn_off,front_light,Can we power down the front light?
399
+ light.turn_off,front_light,Can we turn down the front light?
400
+ light.turn_off,front_light,Can you turn off the lights on the front?
401
+ light.turn_off,gym_light,Can you shut off the gym light?
402
+ light.turn_off,gym_light,Can you turn off the gym light?
403
+ light.turn_off,gym_light,Could we turn off the gym lights?
404
+ light.turn_off,island_light,Could you disable the island light
405
+ light.turn_off,island_light,Deactivate the island light
406
+ light.turn_off,island_light,Deactivate the island area lighting.
407
+ light.turn_off,kitchen_light,Deactivate the kitchen light
408
+ light.turn_off,kitchen_light,Deactivate the lights at the kitchen.
409
+ light.turn_off,kitchen_light,Disable the lights in the kitchen.
410
+ light.turn_off,living_room_light,living room light off
411
+ light.turn_off,living_room_light,Disable the living room lights.
412
+ light.turn_off,living_room_light,Please disable the living room light.
413
+ light.turn_off,main_basement_light,Please extinguish the main basement light
414
+ light.turn_off,main_basement_light,Please power down the lights in the main basement.
415
+ light.turn_off,main_basement_light,Please switch off the main basement light
416
+ light.turn_off,man_cave_light,Please switch off the man cave area lights.
417
+ light.turn_off,man_cave_light,Please turn off the man cave lights.
418
+ light.turn_off,man_cave_light,Please turn off the man cave light.
419
+ light.turn_off,master_bedroom_light,Power off the lights in the master bedroom.
420
+ light.turn_off,master_bedroom_light,Set the master bedroom lights to off.
421
+ light.turn_off,master_bedroom_light,Shut down the master bedroom lights.
422
+ light.turn_off,pool_table_light,Shut down the pool table light
423
+ light.turn_off,pool_table_light,Switch off the pool table light
424
+ light.turn_off,pool_table_light,Switch off the pool table light please
425
+ light.turn_off,pool_table_light,Switch off the pool table light now
426
+ light.turn_off,pool_table_light,Switch off the pool table lights
427
+ light.turn_off,pool_table_light,Switch off the light in the pool table
428
+ light.turn_off,pool_table_light,Switch off the pool table light
429
+ light.turn_off,pool_table_light,Turn off the pool table light
430
+ light.turn_off,pool_table_light,Turn off the pool table light please
431
+ light.turn_off,pool_table_light,Turn off the pool table light now
432
+ light.turn_off,pool_table_light,You can turn off the pool table light now
433
+ light.turn_off,pool_table_light,Turn off the pool table lights.
434
+ light.turn_off,pool_table_light,Turn off the pool table light please.
435
+ light.turn_off,pool_table_light,Turn off the pool table light
436
+ light.turn_off,pool_table_light,Turn off the light in the pool table.
437
+ light.turn_off,pool_table_light,Turn off the pool table light
438
+ light.turn_off,pool_table_light,Turn off the light in the pool table
439
+ light.turn_off,pool_table_light,Turn the pool table light off
440
+ light.turn_off,porch_light,Please switch off the porch light
441
+ light.turn_off,porch_light,Turn off porch light
442
+ light.turn_off,porch_light,Turn off the porch light
443
+ light.turn_off,porch_light,Deactivate porch light
444
+ light.turn_off,porch_light,Shut off porch light
445
+ light.turn_off,porch_light,Toggle the porch light
446
+ light.turn_off,porch_light,Can we power down the porch light?
447
+ light.turn_off,porch_light,Can we turn down the porch light?
448
+ light.turn_off,porch_light,Can you turn off the lights on the porch?
449
+ light.turn_off,porch_light,Can you shut off the porch light?
450
+ light.turn_off,porch_light,Can you turn off the porch light?
451
+ light.turn_off,porch_light,Could we turn off the porch lights?
452
+ light.turn_off,porch_light,Could you disable the porch light
453
+ light.turn_off,porch_light,Deactivate the porch light
454
+ light.turn_off,porch_light,Deactivate the porch area lighting.
455
+ light.turn_off,porch_light,Deactivate the porch light
456
+ light.turn_off,porch_light,Deactivate the light on the porch
457
+ light.turn_off,porch_light,Deactivate the porch light
458
+ light.turn_off,porch_light,Deactivate the porch light
459
+ light.turn_off,porch_light,Deactivate the porch light
460
+ light.turn_off,porch_light,Deactivate the lights at the porch.
461
+ light.turn_off,porch_light,Disable the lights in the porch.
462
+ light.turn_off,porch_light,porch light off
463
+ light.turn_off,porch_light,Disable the porch lights.
464
+ light.turn_off,porch_light,Please disable the porch light.
465
+ light.turn_off,porch_light,Please extinguish the porch light
466
+ light.turn_off,porch_light,Please power down the lights in the porch.
467
+ light.turn_off,porch_light,Please switch off the porch light
468
+ light.turn_off,porch_light,Please switch off the porch area lights.
469
+ light.turn_off,porch_light,Please turn off the porch lights.
470
+ light.turn_off,porch_light,Please turn off the porch light.
471
+ light.turn_off,porch_light,Power off the lights in the porch.
472
+ light.turn_off,porch_light,Set the porch lights to off.
473
+ light.turn_off,porch_light,Shut down the porch lights.
474
+ light.turn_off,porch_light,Shut down the porch light
475
+ light.turn_off,porch_light,Switch off the porch light
476
+ light.turn_off,porch_light,Switch off the porch light please
477
+ light.turn_off,porch_light,Switch off the porch light now
478
+ light.turn_off,porch_light,Switch off the porch lights
479
+ light.turn_off,porch_light,Switch off the light in the porch
480
+ light.turn_off,porch_light,Switch off the porch light
481
+ light.turn_off,porch_light,Turn off the porch light
482
+ light.turn_off,porch_light,Turn off the porch light please
483
+ light.turn_off,porch_light,Turn off the porch light now
484
+ light.turn_off,porch_light,You can turn off the porch light now
485
+ light.turn_off,porch_light,Turn off the porch lights.
486
+ light.turn_off,porch_light,Turn off the porch light please.
487
+ light.turn_off,porch_light,Turn off the porch light
488
+ light.turn_off,porch_light,Turn off the light in the porch.
489
+ light.turn_off,porch_light,Turn off the porch light
490
+ light.turn_off,porch_light,Turn off the light in the porch
491
+ light.turn_off,porch_light,Turn the porch light off
492
+ light.turn_off,shower_light,Please switch off the shower light
493
+ light.turn_off,shower_light,Turn off shower light
494
+ light.turn_off,shower_light,Turn off the shower light
495
+ light.turn_off,shower_light,Deactivate shower light
496
+ light.turn_off,shower_light,Shut off shower light
497
+ light.turn_off,stair_light,stair light off
498
+ light.turn_off,stair_light,Disable the stair lights.
499
+ light.turn_off,stair_light,Shut off stairwell light
500
+ light.turn_off,stair_light,Toggle the stairwell light
501
+ light.turn_off,stair_light,Can we power down the stairwell light?
502
+ light.turn_off,roof_light,Please switch off the roof light
503
+ light.turn_off,roof_light,Turn off roof light
504
+ light.turn_off,roof_light,Turn off the roof light
505
+ light.turn_off,walkway_light,Shut down the walkway lights.
506
+ light.turn_off,walkway_light,Turn off the walkway light
507
+ light.turn_off,walkway_light,Turn the walkway light off
508
+ light.turn_off,Bobs_lamp,Please switch off Bob's light
509
+ light.turn_off,janets_lamp,Turn off Janet's light
510
+ light.turn_off,ruths_lamp,Please switch off Ruth's lamp
511
+ light.turn_off,colins_lamp,Turn off Colin's lamp
512
+ light.turn_off,neenas_lamp,Turn off Neena's lamp
513
+ light.turn_off,roberts_lamp,Deactivate Robert's lamp
514
+ light.turn_off,paulus_lamp,Shut off Paulus' lamp
515
+ light.turn_off,peters_lamp,Toggle Peter's lamp
516
+ light.turn_off,angelas_lamp,Can we power down Angela's lamp?
517
+ light.turn_off,entry_lamp,Please switch off entry lamp
518
+ light.turn_off,entry_lamp,Turn off entry lamp
519
+ light.turn_off,entry_lamp,Please extinguish entryway lamp
520
+ light.turn_off,entry_lamp,Please switch off entryway lamp
521
+ light.turn_off,entry_lamp,Please switch off entryway area lamps.
522
+ light.turn_off,entry_lamp,Deactivate entrance light
523
+ light.turn_on,bar_light,Illuminate the light in my bar.
524
+ light.turn_on,bar_light,Illuminate the bar.
525
+ light.turn_on,bar_light,Bar light on
526
+ light.turn_on,bar_light,Light up the bar.
527
+ light.turn_on,dining_room_light,Activate the lights in the dining room
528
+ light.turn_on,dining_room_light,Enable the dining room light please
529
+ light.turn_on,dining_room_light,Engage the lights in the dining room.
530
+ light.turn_on,front_light,Activate the front light please
531
+ light.turn_on,front_light,Please activate the front light
532
+ light.turn_on,front_light,Activate the front light now
533
+ light.turn_on,gym_light,Turn on the gym light please
534
+ light.turn_on,gym_light,Turn the gym light on
535
+ light.turn_on,gym_light,gym light on
536
+ light.turn_on,island_light,Turn the island light on
537
+ light.turn_on,island_light,island light on
538
+ light.turn_on,island_light,Switch on the island light
539
+ light.turn_on,kitchen_light,kitchen light on
540
+ light.turn_on,kitchen_light,Switch on the kitchen light
541
+ light.turn_on,kitchen_light,Hey can you turn on the kitchen light
542
+ light.turn_on,living_room_light,Turn on the living room lights.
543
+ light.turn_on,living_room_light,Turn on the living room lights please.
544
+ light.turn_on,living_room_light,Please turn on the living room lights.
545
+ light.turn_on,living_room_light,Turn on the living room lighting.
546
+ light.turn_on,main_basement_light,Turn on the main basement light
547
+ light.turn_on,main_basement_light,Turn on main basement light
548
+ light.turn_on,man_cave_light,Activate the man cave man cave light.
549
+ light.turn_on,man_cave_light,Activate the lights in the man cave
550
+ light.turn_on,man_cave_light,Could you light up the man cave?
551
+ light.turn_on,man_cave_light,Enable the man cave light
552
+ light.turn_on,master_bedroom_light,Could you illuminate the master bedroom
553
+ light.turn_on,pool_table_bar_light,pool table bar light on
554
+ light.turn_on,pool_table_bar_light,Switch on the pool table bar light
555
+ light.turn_on,pool_table_bar_light,Can you turn on the pool table bar light?
556
+ light.turn_on,pool_table_light,Enable the pool table light please
557
+ light.turn_on,porch_light,Turn on porch light
558
+ light.turn_on,porch_light,Can you turn on the porch light?
559
+ light.turn_on,porch_light,Could you turn on the porch light please?
560
+ light.turn_on,shower_light,Turn on the shower light
561
+ light.turn_on,shower_light,Turn on shower light
562
+ light.turn_on,shower_light,Activate the shower light
563
+ light.turn_on,shower_light,Could you illuminate the shower please
564
+ light.turn_on,shower_light,Turn on the lights at the shower
565
+ light.turn_on,shower_light,Light up the shower please
566
+ light.turn_on,shower_light,Turn on the shower light please
567
+ light.turn_on,shower_light,Turn the shower light on
568
+ light.turn_on,shower_light,shower light on
569
+ light.turn_on,stair_light,Activate the stair light please
570
+ light.turn_on,stair_light,Please activate the stair light
571
+ light.turn_on,stair_light,Can you light up the stairwell please?
572
+ light.turn_on,stair_light,Please activate the stairwell light
573
+ light.turn_on,stair_light,Please switch on the stairwell area light
574
+ light.turn_on,roof_light,Please turn on the roof light.
575
+ light.turn_on,roof_light,Switch on the roof light please
576
+ light.turn_on,roof_light,Can you turn on the light in the roof?
577
+ light.turn_on,walkway_light,Please activate the walkway light
578
+ light.turn_on,walkway_light,Please switch on the walkway area light
579
+ light.turn_on,walkway_light,Turn on the walkway lighting.
580
+ light.turn_on,freds_lamp,Turn on Fred's light
581
+ light.turn_on,colins_lamp,Turn on Colin's light
582
+ light.turn_on,roberts_lamp,Activate Robert's light
583
+ light.turn_on,pierres_lamp,Turn on Pierre's light please
584
+ light.turn_on,jennifers_lamp,Turn Jenn's light on
585
+ light.turn_on,julias_lamp,Julia's light on
586
+ light.turn_on,neenas_lamp,Switch on Neena's light
587
+ light.turn_on,patricks_lamp,Can you turn on Patrick's light?
588
+ light.turn_on,sams_lamp,Light up Sam's.
589
+ light.turn_on,johns_lamp,Brighten up John's light.
590
+ light.turn_on,jordans_lamp,Engage Jordan's lighting.
591
+ light.turn_on,lebrons_lamp,Light up Lebron's lights.
592
+ light.turn_on,angies_lamp,Can you turn on Angie's lamp?
593
+ light.turn_on,louis_lamp,Could you turn on Louis' lamp please?
594
+ light.turn_on,katniss_lamp,Could you enable Katniss' lamp
595
+ light.turn_on,waynes_lamp,Enable Wayne's lamp
596
+ light.turn_on,samuels_lamp,Enable Samuel's lamp please
597
+ light.turn_on,entry_lamp,Turn on entry lamp
598
+ light.turn_on,entry_lamp,Please activate entryway lamp
599
+ light.turn_on,entry_lamp,Please switch on entryway area lamp
600
+ light.turn_on,entry_lamp,Turn on entrance light
601
+ light.turn_on,entry_lamp,Turn on entrance lighting.
piles/pile_of_status_requests.csv CHANGED
@@ -241,4 +241,34 @@ media_player,idle;<volume>,"Is <device_name> active right now?","<device_name> i
241
  media_player,playing;<media>;<volume>,"What's on <device_name> at the moment?","<device_name> is currently playing <media> at volume <volume>."
242
  media_player,paused;<media>;<volume>,"I forgot what I paused on <device_name>, can you remind me?","You paused <media> on <device_name>, and the volume is set to <volume>."
243
  media_player,idle;<volume>,"Is <device_name> turned off or on?","<device_name> is on but idle, with volume at <volume>."
244
- media_player,playing;<media>;<volume>,"I'd like to know what's playing on <device_name>.","Currently, <media> is playing on <device_name> at volume level <volume>."
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
241
  media_player,playing;<media>;<volume>,"What's on <device_name> at the moment?","<device_name> is currently playing <media> at volume <volume>."
242
  media_player,paused;<media>;<volume>,"I forgot what I paused on <device_name>, can you remind me?","You paused <media> on <device_name>, and the volume is set to <volume>."
243
  media_player,idle;<volume>,"Is <device_name> turned off or on?","<device_name> is on but idle, with volume at <volume>."
244
+ media_player,playing;<media>;<volume>,"I'd like to know what's playing on <device_name>.","Currently, <media> is playing on <device_name> at volume level <volume>."
245
+ vacuum,cleaning,Is the <device_name> vacuum running right now?,The vacuum is running.
246
+ vacuum,cleaning,Is the <device_name> vacuum on?,It is. Your home is currently being cleaned.
247
+ vacuum,cleaning,Is <device_name> cleaning?,"Yes, <device_name> is currently vacuuming."
248
+ vacuum,cleaning,What is the <device_name> vacuum doing right now?,The <device_name> vacuum is currently cleaning the house.
249
+ vacuum,cleaning,What is <device_name> doing right now?,<device_name> is currently cleaning.
250
+ vacuum,docked,What is the <device_name> vacuum doing right now?,The <device_name> vacuum is currently docked.
251
+ vacuum,docked,What is <device_name> doing right now?,<device_name> is currently docked.
252
+ vacuum,docked,Is <device_name> on its base right now?,"Yes, <device_name> is at its base."
253
+ vacuum,docked,Where is the <device_name> vacuum?,On its dock at the moment.
254
+ vacuum,paused,What is the <device_name> vacuum doing right now?,The <device_name> vacuum is paused.
255
+ vacuum,paused,What is <device_name> doing right now?,<device_name> is paused.
256
+ vacuum,idle,What is the <device_name> vacuum doing right now?,The <device_name> vacuum is stopped.
257
+ vacuum,idle,What is <device_name> doing right now?,<device_name> is stopped.
258
+ vacuum,error,What is the <device_name> vacuum doing right now?,The <device_name> vacuum is stuck or having issues that need to be corrected.
259
+ vacuum,error,What is <device_name> doing right now?,<device_name> is stuck or having issues.
260
+ todo,1,How many items on on my <device_name> right now?,There is currently 1 item on your <device_name>.
261
+ todo,2,How many things are on the <device_name> at the moment?,There are 2 things on the <device_name> currently.
262
+ todo,3,What is the current number of items on your <device_name>?,"Yes, there are currently 3 items on your <device_name>."
263
+ todo,4,How many objects are there on the <device_name> presently?,"Yes, there are 4 objects presently on the <device_name>."
264
+ todo,5,Could you tell me how many pieces there are on the <device_name> at this time?,I can tell you that there are 5 pieces on the <device_name> at this time.
265
+ todo,6,What's the count of items on the <device_name> now?,The count of items on the <device_name> now is 6.
266
+ todo,7,How many units can be found on my <device_name> at the present moment?,You will find 7 units on my <device_name> at the present moment.
267
+ todo,8,Could you inform me as to how many articles are located on the <device_name> right now?,I'd be happy to inform you that there are 8 articles located on the <device_name> right now.
268
+ todo,9,Is it possible for you to disclose how many components there are on the <device_name> currently?,It is possible for me to disclose that there are 9 components on the <device_name> currently.
269
+ todo,10,May I ask for the quantity of items on the <device_name> at present?,The quantity of items on the <device_name> is currently 10.
270
+ todo,11,Would you be able to tell me how many things there are on the <device_name> now?,"Yes, I can tell you that there are 11 things on the <device_name> now."
271
+ todo,12,Can you enlighten me as to the number of items on the <device_name>?,I'd be pleased to enlighten you that there are 12 items on the <device_name>.
272
+ timer,active;<duration>;<remaining>,How much time left on the <device_name>?,The <device_name> is set for <duration>. There is currently <remaining> remaining.
273
+ timer,active;<duration>;<remaining>,How long before the <device_name> goes off?,The <device_name> will go off in <remaining>.
274
+ timer,active;<duration>;<remaining>,When is the <device_name> set to go off?,The <device_name> is set for <duration> and will go off in <remaining>.
piles/pile_of_system_prompts.csv ADDED
@@ -0,0 +1,4 @@
 
 
 
 
 
1
+ persona,prompt
2
+ assistant,"You are 'Al', a helpful AI Assistant that controls the devices in a house. Complete the following task as instructed or answer the following question with the information provided only."
3
+ pirate,"You are 'Blackbeard', a helpful AI Assistant that controls the devices in a house but sounds like a pirate. Complete the following task as instructed or answer the following question with the information provided only. Your response should always sound like you are a pirate."
4
+ robot,"You are 'Robo', a helpful AI Robot that controls the devices in a house. Complete the following task as instructed or answer the following question with the information provided only. Your response should be robotic and always begin with 'Beep-Boop'."
piles/pile_of_templated_actions.csv CHANGED
@@ -1,223 +1,265 @@
1
- device_type,service,english_phrase,assistant_response,multiplier
2
- blinds,close,Close the <device_name>,Closing <device_name> for you,1
3
- blinds,close,Lower the <device_name>,Lowering <device_name> now,1
4
- blinds,close,Shut the <device_name>,Shutting <device_name> as requested,1
5
- blinds,open,Lift the <device_name> blinds,Lifting <device_name> blinds as requested,1
6
- blinds,open,Open the <device_name>,Opening <device_name> now,1
7
- blinds,open,Raise the <device_name>,Raising <device_name> for you,1
8
- blinds,stop,Freeze the <device_name>,Freezing <device_name> position,1
9
- blinds,stop,Halt the <device_name>,Halting <device_name> now,1
10
- blinds,stop,Stop the <device_name>,Stopping <device_name> operation,1
11
- blinds,toggle,Flip the <device_name> state,Flipping <device_name> state now,1
12
- blinds,toggle,Switch the <device_name> state,Switching <device_name> state as requested,1
13
- blinds,toggle,Toggle the <device_name>,Toggling <device_name> for you,1
14
- blinds|fan,close|turn_off,Close <device_name1> and deactivate <device_name2>,Lowering <device_name1> and stopping <device_name2>,1
15
- blinds|fan,open|increase_speed,Raise the <device_name1> and speed up the <device_name2>,Raising <device_name1> and speeding up <device_name2>,1
16
- blinds|light,open|turn_on,Raise <device_name1> and activate <device_name2>,Raising <device_name1> and turning on <device_name2>,1
17
- fan,decrease_speed,Decrease the <device_name> speed,Reducing speed of <device_name>,1
18
- fan,decrease_speed,Lower the <device_name> speed,Lowering speed of <device_name> as requested,1
19
- fan,decrease_speed,Slow down the <device_name>,Slowing down <device_name> for you,1
20
- fan,increase_speed,Increase the <device_name> speed,Increasing speed of <device_name>,1
21
- fan,increase_speed,Ramp up the <device_name> speed,Ramping up <device_name> speed now,1
22
- fan,increase_speed,Speed up the <device_name>,Speeding up <device_name> for you,1
23
- fan,toggle,Flip the <device_name> on or off,Flipping <device_name> state for you,1
24
- fan,toggle,Switch the <device_name> state,Switching <device_name> state as requested,1
25
- fan,toggle,Toggle the <device_name>,Toggling <device_name> now,1
26
- fan,turn_off,Deactivate the <device_name>,Deactivating <device_name> as requested,1
27
- fan,turn_off,Stop the <device_name> please,Stopping <device_name> for you,1
28
- fan,turn_off,Turn off the <device_name>,"Certainly, stopping <device_name>",1
29
- fan,turn_on,Activate the <device_name>,Activating <device_name> now,1
30
- fan,turn_on,Please start the <device_name>,Starting <device_name> for you,1
31
- fan,turn_on,Turn on the <device_name>,"Certainly, starting <device_name>",1
32
- fan|blinds,turn_off|open,Turn off <device_name1> and open <device_name2>,Stopping <device_name1> and raising <device_name2>,1
33
- fan|blinds|garage_door,increase_speed|open|open,Speed up <device_name1> open <device_name2> and <device_name3>,Ramping up <device_name1> and lifting <device_name2> and <device_name3>,1
34
- fan|blinds|light,decrease_speed|open|turn_off,Slow down <device_name1> open <device_name2> and turn off <device_name3>,Reducing speed of <device_name1> opening <device_name2> and deactivating <device_name3>,1
35
- fan|blinds|light,turn_off|close|turn_on,Turn off <device_name1> close <device_name2> and turn on <device_name3>,Deactivating <device_name1> lowering <device_name2> and switching on <device_name3>,1
36
- fan|fan,increase_speed|decrease_speed,Speed up <device_name1> and slow down <device_name2>,Increasing speed of <device_name1> and reducing <device_name2>,1
37
- fan|fan,turn_on|turn_off,Turn on <device_name1> and turn off <device_name2>,Starting <device_name1> and stopping <device_name2>,1
38
- fan|garage_door,increase_speed|close,Increase speed of <device_name1> and close <device_name2>,Speeding up <device_name1> and shutting <device_name2>,1
39
- fan|garage_door|blinds,increase_speed|close|open,Speed up <device_name1> close <device_name2> and open <device_name3>,Increasing speed of <device_name1> shutting <device_name2> and raising <device_name3>,1
40
- fan|garage_door|blinds,turn_on|close|close,Turn on <device_name1> close <device_name2> and <device_name3>,Starting <device_name1> and shutting <device_name2> and <device_name3>,1
41
- fan|garage_door|light,turn_off|close|turn_off,Turn off <device_name1> and <device_name3> and close <device_name2>,Stopping <device_name1> and deactivating <device_name3> and lowering <device_name2>,1
42
- fan|garage_door|lock,turn_off|close|lock,Turn off <device_name1> close <device_name2> and lock <device_name3>,Stopping <device_name1> closing <device_name2> and locking <device_name3>,1
43
- fan|garage_door|lock,turn_on|open|unlock,Turn on <device_name1> open <device_name2> and unlock <device_name3>,Starting <device_name1> lifting <device_name2> and unlocking <device_name3>,1
44
- fan|light,turn_on|turn_off,Activate <device_name1> and deactivate <device_name2>,Activating <device_name1> and turning off <device_name2>,1
45
- fan|light|lock,decrease_speed|toggle|lock,Slow down <device_name1> toggle <device_name2> and lock <device_name3>,Reducing speed of <device_name1> flipping <device_name2> and securing <device_name3>,1
46
- fan|lock,decrease_speed|unlock,Slow down the <device_name1> and unlock the <device_name2>,Slowing down <device_name1> and unlocking <device_name2>,1
47
- garage_door,close,Close the <device_name>,Closing <device_name> now,1
48
- garage_door,close,Lower the <device_name>,Lowering <device_name> for you,1
49
- garage_door,close,Shut the <device_name>,Shutting <device_name> as requested,1
50
- garage_door,open,Lift the <device_name>,Lifting <device_name> for you,1
51
- garage_door,open,Open the <device_name>,Opening <device_name> now,1
52
- garage_door,open,Raise the <device_name>,Raising <device_name> as requested,1
53
- garage_door,stop,Freeze the <device_name>,Freezing <device_name> position now,1
54
- garage_door,stop,Halt the <device_name>,"Certainly, halting <device_name>",1
55
- garage_door,stop,Stop the <device_name>,Halting <device_name> operation,1
56
- garage_door,toggle,Flip the <device_name> state,Flipping <device_name> state now,1
57
- garage_door,toggle,Switch the <device_name> state,Switching <device_name> state as requested,1
58
- garage_door,toggle,Toggle the <device_name>,Toggling <device_name> for you,1
59
- garage_door|blinds,open|open,Open the <device_name1> and lift the <device_name2>,Opening <device_name1> and lifting <device_name2>,1
60
- garage_door|fan,close|turn_off,Close <device_name1> and deactivate <device_name2>,Shutting <device_name1> and deactivating <device_name2>,1
61
- garage_door|light,open|turn_on,Open <device_name1> and activate <device_name2>,Opening <device_name1> and switching on <device_name2>,1
62
- garage_door|lock,open|unlock,Open <device_name1> and unlock <device_name2>,Opening <device_name1> and unlocking <device_name2>,1
63
- light,toggle,Flip the <device_name> on or off,Flipping the <device_name> state,1
64
- light,toggle,Switch the <device_name> state,Switching <device_name> state as requested,1
65
- light,toggle,Toggle the <device_name> state,Toggling <device_name> for you,1
66
- light,turn_off,Deactivate the <device_name>,Deactivating <device_name> as requested,1
67
- light,turn_off,Please switch off the <device_name>,Switching off <device_name> now,1
68
- light,turn_off,Turn off the <device_name>,"Sure, turning off <device_name>",1
69
- light,turn_on,Activate the <device_name>,Activation of <device_name> in progress,1
70
- light,turn_on,Can you turn on the <device_name>?,"Certainly, turning on <device_name> now",1
71
- light,turn_on,Please switch on the <device_name>,Switching on <device_name> for you,1
72
- light|blinds,turn_off|close,Turn off <device_name1> and close <device_name2>,Deactivating <device_name1> and closing <device_name2>,1
73
- light|blinds|fan,turn_on|close|decrease_speed,Turn on <device_name1> close <device_name2> and slow down <device_name3>,Switching on <device_name1> lowering <device_name2> and reducing speed of <device_name3>,1
74
- light|blinds|garage_door,turn_on|open|close,Turn on <device_name1> open <device_name2> and close <device_name3>,Switching on <device_name1> raising <device_name2> and shutting <device_name3>,1
75
- light|blinds|lock,turn_off|close|lock,"Turn off the <device_name1> close the <device_name2> and lock the <device_name3>","Turning off <device_name1> closing <device_name2> and locking <device_name3>",1
76
- light|blinds|lock,turn_off|close|unlock,Turn off <device_name1> close <device_name2> and unlock <device_name3>,Deactivating <device_name1> closing <device_name2> and unlocking <device_name3>,1
77
- light|fan,toggle|decrease_speed,Toggle <device_name1> and slow down <device_name2>,Toggling <device_name1> and reducing speed of <device_name2>,1
78
- light|fan,toggle|increase_speed,Toggle <device_name1> and speed up <device_name2>,Toggling <device_name1> and increasing speed of <device_name2>,1
79
- light|fan,turn_off|turn_on,Turn off the <device_name1> and turn on <device_name2>,Turning off <device_name1> and starting <device_name2>,1
80
- light|fan,turn_on|toggle,Switch on <device_name1> and toggle <device_name2>,Activating <device_name1> and toggling <device_name2>,1
81
- light|fan,turn_on|turn_off,Turn on the <device_name1> and turn off the <device_name2>,Turning on <device_name1> and turning off <device_name2>,1
82
- light|fan,turn_on|turn_on,Turn on both the <device_name1> and <device_name2>,Turning on both <device_name1> and <device_name2>,1
83
- light|fan,turn_on|turn_on,Turn on the <device_name1> and <device_name2>,Turning on <device_name1> and <device_name2>,1
84
- light|fan|blinds,toggle|increase_speed|open,Toggle <device_name1> speed up <device_name2> and open <device_name3>,Flipping <device_name1> ramping up <device_name2> and lifting <device_name3>,1
85
- light|fan|blinds,turn_off|decrease_speed|close,Turn off <device_name1> slow down <device_name2> and close <device_name3>,Switching off <device_name1> reducing speed of <device_name2> and lowering <device_name3>,1
86
- light|fan|blinds,turn_off|turn_off|close,Turn off <device_name1> and <device_name2> and close <device_name3>,Deactivating <device_name1> and <device_name2> and lowering <device_name3>,1
87
- light|fan|garage_door,toggle|decrease_speed|open,Toggle <device_name1> slow down <device_name2> and open <device_name3>,Toggling <device_name1> reducing speed of <device_name2> and opening <device_name3>,1
88
- light|fan|garage_door,turn_off|turn_on|close,Turn off <device_name1> turn on <device_name2> and close <device_name3>,Switching off <device_name1> activating <device_name2> and shutting <device_name3>,1
89
- light|fan|garage_door,turn_on|toggle|open,"Switch on the <device_name1> flip the <device_name2> and lift the <device_name3>","Switching on <device_name1> flipping <device_name2> and lifting <device_name3>",1
90
- light|fan|garage_door,turn_on|turn_on|open,Turn on <device_name1> and <device_name2> and open <device_name3>,Activating <device_name1> and <device_name2> and opening <device_name3>,1
91
- light|fan|lock,toggle|toggle|lock,Toggle both <device_name1> and <device_name2> and lock <device_name3>,Toggling <device_name1> and <device_name2> and securing <device_name3>,1
92
- light|fan|lock,turn_off|turn_off|unlock,Turn off <device_name1> and <device_name2> and unlock <device_name3>,Deactivating <device_name1> and <device_name2> and unsecuring <device_name3>,1
93
- light|fan|lock,turn_on|increase_speed|lock,Turn on <device_name1> speed up <device_name2> and lock <device_name3>,Switching on <device_name1> increasing speed of <device_name2> and locking <device_name3>,1
94
- light|fan|lock,turn_on|turn_on|unlock,Turn on both <device_name1> and <device_name2> and unlock <device_name3>,Activating <device_name1> and <device_name2> and unsecuring <device_name3>,1
95
- light|garage_door,toggle|stop,Toggle the <device_name1> and stop the <device_name2>,Toggling <device_name1> and stopping <device_name2>,1
96
- light|garage_door,turn_on|open,Switch on <device_name1> and open <device_name2>,Activating <device_name1> and opening <device_name2>,1
97
- light|garage_door,turn_on|open,Switch on the <device_name1> and open the <device_name2>,Switching on <device_name1> and opening <device_name2>,1
98
- light|garage_door|lock,turn_on|open|lock,Turn on <device_name1> open <device_name2> and lock <device_name3>,Activating <device_name1> lifting <device_name2> and locking <device_name3>,1
99
- light|light,toggle|toggle,Toggle both <device_name1> and <device_name2>,Toggling <device_name1> and <device_name2>,1
100
- light|light,turn_on|turn_off,Turn on <device_name1> and turn off <device_name2>,Turning on <device_name1> and deactivating <device_name2>,1
101
- light|light|fan,toggle|toggle|decrease_speed,Toggle both <device_name1> and <device_name2> and slow down <device_name3>,Flipping <device_name1> and <device_name2> and reducing speed of <device_name3>,1
102
- light|light|fan,toggle|turn_on|increase_speed,Toggle <device_name1> turn on <device_name2> and speed up <device_name3>,Flipping <device_name1> activating <device_name2> and speeding up <device_name3>,1
103
- light|light|fan,turn_on|turn_off|toggle,Turn on <device_name1> turn off <device_name2> and toggle <device_name3>,Activating <device_name1> deactivating <device_name2> and toggling <device_name3>,1
104
- light|lock,turn_on|lock,Turn on <device_name1> and lock <device_name2>,Activating <device_name1> and locking <device_name2>,1
105
- lock,lock,Engage the <device_name> lock,Engaging lock on <device_name>,1
106
- lock,lock,Lock the <device_name>,Locking <device_name> now,1
107
- lock,lock,Secure the <device_name>,Securing <device_name> for you,1
108
- lock,unlock,Disengage the <device_name> lock,Disengaging lock on <device_name>,1
109
- lock,unlock,Unlock the <device_name>,Unlocking <device_name> now,1
110
- lock,unlock,Unsecure the <device_name>,Unsecuring <device_name> for you,1
111
- lock|blinds,lock|close,Lock the <device_name1> and lower the <device_name2>,Locking <device_name1> and lowering <device_name2>,1
112
- lock|garage_door,lock|close,Secure the <device_name1> and shut the <device_name2>,Securing <device_name1> and shutting <device_name2>,1
113
- light,turn_on,Make sure the <device_name> is on,Turning on <device_name>,1
114
- fan,turn_on,Make sure the <device_name> is on,Turning on <device_name>,1
115
- lock|lock|garage_door,lock|lock|close,Make sure <device_name1> and <device_name2> are locked and the <device_name3> is closed,Sure. Locking <device_name1> and <device_name2> and closing <device_name3>,1
116
- light,turn_off,Ensure the <device_name> is off,Turning off <device_name>,1
117
- fan,turn_off,Ensure the <device_name> is off,Turning off <device_name>,1
118
- garage_door,close,Make certain the <device_name> is closed,Closing <device_name>,1
119
- blinds,open,See to it that the <device_name> are open,Raising <device_name>,1
120
- lock,lock,Ensure <device_name> is secure,Locking <device_name>,1
121
- light,toggle,Can you flip the <device_name>,Toggling <device_name>,1
122
- fan,increase_speed,Step up the speed of the <device_name>,Increasing speed of <device_name>,1
123
- garage_door,open,Make certain the <device_name> is open,Opening <device_name>,1
124
- blinds,close,See to it that the <device_name> are closed,Lowering <device_name>,1
125
- lock,unlock,Make sure <device_name> is unlocked,Unlocking <device_name>,1
126
- fan,decrease_speed,Slow down the <device_name>,Reducing speed of <device_name>,1
127
- light,turn_on,Confirm that the <device_name> is on,Activating <device_name>,1
128
- garage_door,stop,Stop the <device_name> right now,Stopping <device_name>,1
129
- light,turn_off,Confirm that the <device_name> is off,Deactivating <device_name>,1
130
- garage_door,toggle,Toggle the <device_name> position,Toggling <device_name>,1
131
- blinds,toggle,Switch the state of the <device_name>,Toggling <device_name>,1
132
- lock,lock,Lock down the <device_name>,Securing <device_name>,1
133
- fan,turn_on,Make certain the <device_name> is running,Starting <device_name>,1
134
- switch,turn_on,"Can you turn on <device_name>?","Turning on <device_name> now.",1
135
- switch,turn_off,"Please switch off <device_name>.","Switching off <device_name>.",1
136
- switch,toggle,"Could you toggle <device_name>?","Toggling <device_name>.",1
137
- switch,turn_on,"I need <device_name> on, please.","I'm turning on <device_name>.",1
138
- switch,turn_off,"Turn off <device_name>, will you?","Turning off <device_name>.",1
139
- switch,toggle,"Can <device_name> be toggled?","Yes, toggling <device_name>.",1
140
- switch,turn_on,"Activate <device_name>.","Activating <device_name>.",1
141
- switch,turn_off,"Deactivate <device_name>.","Deactivating <device_name>.",1
142
- switch,toggle,"Is it possible to toggle the <device_name>?","Yes, I can toggle <device_name>.",1
143
- switch,turn_on,"Let's have <device_name> on.","Sure, turning <device_name> on.",1
144
- switch,turn_off,"We don't need <device_name> on anymore.","Okay, turning <device_name> off.",1
145
- switch,toggle,"Toggle <device_name> for me.","Toggling <device_name> as requested.",1
146
- switch,turn_on,"Switch on <device_name>, please.","Switching on <device_name> right away.",1
147
- switch,turn_off,"I'd like <device_name> off now.","Okay, I'm turning off <device_name>.",1
148
- switch,toggle,"Can you change the state of <device_name>?","Changing the state of <device_name>.",1
149
- switch,turn_on,"Please turn on <device_name>.","Sure, lighting up <device_name> now.",1
150
- switch,turn_off,"Shut off <device_name>, it's bedtime.","Shutting off <device_name> for bedtime.",1
151
- switch,toggle,"A quick toggle of <device_name>, please.","Quickly toggling <device_name>.",1
152
- switch,turn_on,"<device_name> needs to be on.","Turning <device_name> on as needed.",1
153
- switch,turn_off,"Time to turn <device_name> off.","Turning off <device_name> now.",1
154
- media_player,volume_up,"Increase the volume on <device_name>.","Increasing <device_name>'s volume.",1
155
- media_player,volume_up,"Turn up <device_name> a bit.","Turning up <device_name> a bit.",1
156
- media_player,volume_up,"Louder on <device_name>, please.","Making <device_name> louder.",1
157
- media_player,volume_down,"Can you lower <device_name>'s volume?","Lowering <device_name>'s volume.",1
158
- media_player,volume_down,"Decrease the volume on <device_name>.","Decreasing <device_name>'s volume.",1
159
- media_player,volume_down,"Turn down <device_name>, please.","Turning down <device_name>.",1
160
- media_player,volume_mute,"Mute <device_name>, please.","Muting <device_name>.",1
161
- media_player,volume_mute,"Silence <device_name> for a moment.","Silencing <device_name>.",1
162
- media_player,volume_mute,"Can you mute <device_name>?","Muting <device_name> now.",1
163
- media_player,media_play,"Start playing on <device_name>.","Starting playback on <device_name>.",1
164
- media_player,media_play,"Can you play <device_name>?","Playing <device_name> now.",1
165
- media_player,media_play,"Play the media on <device_name>, please.","Playing media on <device_name>.",1
166
- media_player,media_pause,"Pause <device_name>.","Pausing <device_name>.",1
167
- media_player,media_pause,"Can you pause <device_name>?","Pausing <device_name> now.",1
168
- media_player,media_pause,"Hold the playback on <device_name>, please.","Holding playback on <device_name>.",1
169
- media_player,media_stop,"Stop <device_name> completely.","Stopping <device_name> completely.",1
170
- media_player,media_stop,"Can you stop playback on <device_name>?","Stopping playback on <device_name>.",1
171
- media_player,media_stop,"End the session on <device_name>, please.","Ending session on <device_name>.",1
172
- media_player,media_next_track,"Next track on <device_name>, please.","Skipping to next track on <device_name>.",1
173
- media_player,media_next_track,"Advance <device_name> to the next song.","Advancing to the next song on <device_name>.",1
174
- media_player,media_next_track,"Skip this track on <device_name>.","Skipping this track on <device_name>.",1
175
- media_player,media_previous_track,"Previous track on <device_name>, please.","Going back to previous track on <device_name>.",1
176
- media_player,media_previous_track,"Rewind to the previous song on <device_name>.","Rewinding to the previous song on <device_name>.",1
177
- media_player,media_previous_track,"Can we go back a track on <device_name>?","Going back a track on <device_name>.",1
178
- climate,set_temperature,"Set the temperature to <temp_f> degrees.","Setting temperature to <temp_f> degrees.",8
179
- climate,set_temperature,"Can you change the temperature to <temp_c> Celsius?","Changing temperature to <temp_c> Celsius.",8
180
- climate,set_temperature,"I'd like the room at <temp_f> degrees Fahrenheit, please.","Setting the room to <temp_f> degrees Fahrenheit.",8
181
- climate,set_temperature,"Please adjust the temperature to <temp_f> degrees.","Adjusting temperature to <temp_f> degrees Fahrenheit.",8
182
- climate,set_temperature,"I want the room cooler, set it to <temp_c> degrees.","Setting the room to <temp_c> degrees Celsius for cooler temperature.",8
183
- climate,set_temperature,"Make it warmer, set temperature at <temp_f> degrees.","Making it warmer, setting temperature to <temp_f> degrees.",8
184
- climate,set_temperature,"Can you lower the temperature to <temp_c>?","Lowering the temperature to <temp_c> Celsius.",8
185
- climate,set_temperature,"Raise the temperature to <temp_f> degrees, please.","Raising the temperature to <temp_f> degrees Fahrenheit.",8
186
- climate,set_humidity,"Increase the humidity to <temp_c>.","Increasing humidity to <temp_c>.",8
187
- climate,set_humidity,"Set the humidity level to <humidity> percent.","Setting humidity to <humidity> percent.",8
188
- climate,set_humidity,"Can you adjust the humidity to <humidity> percent?","Adjusting humidity to <humidity>%.",8
189
- climate,set_fan_mode,"Set the fan to high speed.","Setting the fan to high speed.",8
190
- climate,set_fan_mode,"Please put the fan on low.","Putting the fan on low.",8
191
- climate,set_fan_mode,"Change the fan setting to medium.","Changing the fan to medium setting.",8
192
- climate,set_hvac_mode,"Switch the system to cooling mode.","Switching to cooling mode.",8
193
- climate,set_hvac_mode,"Can we set the HVAC to heat?","Setting the HVAC to heat.",8
194
- climate,set_hvac_mode,"Change the HVAC to automatic.","Changing HVAC to automatic mode.",8
195
- light,turn_on,"Set the brightness of <device_name> to <brightness>%.","Setting the brightness of <device_name> to <brightness>%.",8
196
- light,turn_on,"Dim <device_name> to <brightness> percent brightness.","Dimming <device_name> to <brightness>% brightness.",8
197
- light,turn_on,"Brighten <device_name> to <brightness>.","Brightening <device_name> to <brightness>%.",8
198
- light,turn_on,"Adjust <device_name> brightness to <brightness>.","Adjusting <device_name> brightness to <brightness>.",8
199
- light,turn_on,"Increase <device_name>'s brightness to <brightness>.","Increasing <device_name>'s brightness to <brightness>.",8
200
- light,turn_on,"Lower the brightness of <device_name> to <brightness>.","Lowering the brightness of <device_name> to <brightness>.",8
201
- light,turn_on,"Can you set <device_name>'s brightness level to <brightness> percent?","Setting <device_name>'s brightness level to <brightness>%.",8
202
- light,turn_on,"I'd like <device_name> at <brightness> percent brightness, please.","Setting <device_name> to <brightness>% brightness.",8
203
- light,turn_on,"Can you make <device_name> <color>?","Turning <device_name> <color>.",8
204
- light,turn_on,"Change the color of <device_name> to <color>.","Changing the color of <device_name> to <color>.",8
205
- light,turn_on,"Change <device_name> to a <color> hue.","Changing <device_name> to a <color> hue.",8
206
- light,turn_on,"Set <device_name> to be <color>.","Setting <device_name> to be <color>.",8
207
- light,turn_on,"I want <device_name> to be <color>, please.","Setting <device_name> to be <color>.",8
208
- light,turn_on,"Can you make <device_name> shine in <color>?","Making <device_name> shine in <color>.",8
209
- light,turn_on,"Turn <device_name> to a <color> shade.","Turning <device_name> to a <color> shade.",8
210
- light,turn_on,"Turn <device_name> <color>.","Turning <device_name> <color>.",8
211
- light,turn_on,"I want <device_name> at a <color> setting.","Setting <device_name> to a <color>.",8
212
- light,turn_on,"Set <device_name> to a <color> color.","Setting <device_name> to a <color> color.",8
213
- light,turn_on,"Please set <device_name> to a <color> color.","Setting <device_name> to a <color> color.",8
214
- light,turn_on,"Make <device_name> glow <color>.","Making <device_name> glow <color>.",8
215
- light,turn_on,"Could you turn <device_name> to <color>?","Turning <device_name> to <color>.",8
216
- light,turn_on,"Please change <device_name> to <color>.","Changing <device_name> to <color>.",8
217
- light,turn_on,"Adjust <device_name> to <color> color.","Adjusting <device_name> to <color> color.",8
218
- light,turn_on,"Switch <device_name> color to <color>.","Switching <device_name> color to <color>.",8
219
- light,turn_on,"Can <device_name> be <color> now?","Setting <device_name> to be <color>.",8
220
- light,turn_on,"Let's have <device_name> in <color>.","Setting <device_name> in <color>.",8
221
- light,turn_on,"I'd like <device_name> to change to <color>.","Changing <device_name> to <color>.",8
222
- light,turn_on,"Can <device_name> display a <color> light?","Making <device_name> display a <color> light.",8
223
- light,turn_on,"Set <device_name> color to <color>, please.","Setting <device_name> color to <color>.",8
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ device_type,service,english_phrase,multiplier
2
+ blinds,close,Close the <device_name>,1
3
+ blinds,close,Lower the <device_name>,1
4
+ blinds,close,Shut the <device_name>,1
5
+ blinds,open,Lift the <device_name> blinds,1
6
+ blinds,open,Open the <device_name>,1
7
+ blinds,open,Raise the <device_name>,1
8
+ blinds,stop,Freeze the <device_name>,1
9
+ blinds,stop,Halt the <device_name>,1
10
+ blinds,stop,Stop the <device_name>,1
11
+ blinds,toggle,Flip the <device_name> state,1
12
+ blinds,toggle,Switch the <device_name> state,1
13
+ blinds,toggle,Toggle the <device_name>,1
14
+ blinds|fan,close|turn_off,Close <device_name1> and deactivate <device_name2>,1
15
+ blinds|fan,open|increase_speed,Raise the <device_name1> and speed up the <device_name2>,1
16
+ blinds|light,open|turn_on,Raise <device_name1> and activate <device_name2>,1
17
+ fan,decrease_speed,Decrease the <device_name> speed,1
18
+ fan,decrease_speed,Lower the <device_name> speed,1
19
+ fan,decrease_speed,Slow down the <device_name>,1
20
+ fan,increase_speed,Increase the <device_name> speed,1
21
+ fan,increase_speed,Ramp up the <device_name> speed,1
22
+ fan,increase_speed,Speed up the <device_name>,1
23
+ fan,toggle,Flip the <device_name> on or off,1
24
+ fan,toggle,Switch the <device_name> state,1
25
+ fan,toggle,Toggle the <device_name>,1
26
+ fan,turn_off,Deactivate the <device_name>,1
27
+ fan,turn_off,Stop the <device_name> please,1
28
+ fan,turn_off,Turn off the <device_name>,1
29
+ fan,turn_on,Activate the <device_name>,1
30
+ fan,turn_on,Please start the <device_name>,1
31
+ fan,turn_on,Turn on the <device_name>,1
32
+ fan|blinds,turn_off|open,Turn off <device_name1> and open <device_name2>,1
33
+ fan|blinds|garage_door,increase_speed|open|open,Speed up <device_name1> open <device_name2> and <device_name3>,1
34
+ fan|blinds|light,decrease_speed|open|turn_off,Slow down <device_name1> open <device_name2> and turn off <device_name3>,1
35
+ fan|blinds|light,turn_off|close|turn_on,Turn off <device_name1> close <device_name2> and turn on <device_name3>,1
36
+ fan|fan,increase_speed|decrease_speed,Speed up <device_name1> and slow down <device_name2>,1
37
+ fan|fan,turn_on|turn_off,Turn on <device_name1> and turn off <device_name2>,1
38
+ fan|garage_door,increase_speed|close,Increase speed of <device_name1> and close <device_name2>,1
39
+ fan|garage_door|blinds,increase_speed|close|open,Speed up <device_name1> close <device_name2> and open <device_name3>,1
40
+ fan|garage_door|blinds,turn_on|close|close,Turn on <device_name1> close <device_name2> and <device_name3>,1
41
+ fan|garage_door|light,turn_off|close|turn_off,Turn off <device_name1> and <device_name3> and close <device_name2>,1
42
+ fan|garage_door|lock,turn_off|close|lock,Turn off <device_name1> close <device_name2> and lock <device_name3>,1
43
+ fan|garage_door|lock,turn_on|open|unlock,Turn on <device_name1> open <device_name2> and unlock <device_name3>,1
44
+ fan|light,turn_on|turn_off,Activate <device_name1> and deactivate <device_name2>,1
45
+ fan|light|lock,decrease_speed|toggle|lock,Slow down <device_name1> toggle <device_name2> and lock <device_name3>,1
46
+ fan|lock,decrease_speed|unlock,Slow down the <device_name1> and unlock the <device_name2>,1
47
+ garage_door,close,Close the <device_name>,1
48
+ garage_door,close,Lower the <device_name>,1
49
+ garage_door,close,Shut the <device_name>,1
50
+ garage_door,open,Lift the <device_name>,1
51
+ garage_door,open,Open the <device_name>,1
52
+ garage_door,open,Raise the <device_name>,1
53
+ garage_door,stop,Freeze the <device_name>,1
54
+ garage_door,stop,Halt the <device_name>,1
55
+ garage_door,stop,Stop the <device_name>,1
56
+ garage_door,toggle,Flip the <device_name> state,1
57
+ garage_door,toggle,Switch the <device_name> state,1
58
+ garage_door,toggle,Toggle the <device_name>,1
59
+ garage_door|blinds,open|open,Open the <device_name1> and lift the <device_name2>,1
60
+ garage_door|fan,close|turn_off,Close <device_name1> and deactivate <device_name2>,1
61
+ garage_door|light,open|turn_on,Open <device_name1> and activate <device_name2>,1
62
+ garage_door|lock,open|unlock,Open <device_name1> and unlock <device_name2>,1
63
+ light,toggle,Flip the <device_name> on or off,1
64
+ light,toggle,Switch the <device_name> state,1
65
+ light,toggle,Toggle the <device_name> state,1
66
+ light,turn_off,Deactivate the <device_name>,1
67
+ light,turn_off,Please switch off the <device_name>,1
68
+ light,turn_off,Turn off the <device_name>,1
69
+ light,turn_on,Activate the <device_name>,1
70
+ light,turn_on,Can you turn on the <device_name>?,1
71
+ light,turn_on,Please switch on the <device_name>,1
72
+ light|blinds,turn_off|close,Turn off <device_name1> and close <device_name2>,1
73
+ light|blinds|fan,turn_on|close|decrease_speed,Turn on <device_name1> close <device_name2> and slow down <device_name3>,1
74
+ light|blinds|garage_door,turn_on|open|close,Turn on <device_name1> open <device_name2> and close <device_name3>,1
75
+ light|blinds|lock,turn_off|close|lock,"Turn off the <device_name1> close the <device_name2> and lock the <device_name3>",1
76
+ light|blinds|lock,turn_off|close|unlock,Turn off <device_name1> close <device_name2> and unlock <device_name3>,1
77
+ light|fan,toggle|decrease_speed,Toggle <device_name1> and slow down <device_name2>,1
78
+ light|fan,toggle|increase_speed,Toggle <device_name1> and speed up <device_name2>,1
79
+ light|fan,turn_off|turn_on,Turn off the <device_name1> and turn on <device_name2>,1
80
+ light|fan,turn_on|toggle,Switch on <device_name1> and toggle <device_name2>,1
81
+ light|fan,turn_on|turn_off,Turn on the <device_name1> and turn off the <device_name2>,1
82
+ light|fan,turn_on|turn_on,Turn on both the <device_name1> and <device_name2>,1
83
+ light|fan,turn_on|turn_on,Turn on the <device_name1> and <device_name2>,1
84
+ light|fan|blinds,toggle|increase_speed|open,Toggle <device_name1> speed up <device_name2> and open <device_name3>,1
85
+ light|fan|blinds,turn_off|decrease_speed|close,Turn off <device_name1> slow down <device_name2> and close <device_name3>,1
86
+ light|fan|blinds,turn_off|turn_off|close,Turn off <device_name1> and <device_name2> and close <device_name3>,1
87
+ light|fan|garage_door,toggle|decrease_speed|open,Toggle <device_name1> slow down <device_name2> and open <device_name3>,1
88
+ light|fan|garage_door,turn_off|turn_on|close,Turn off <device_name1> turn on <device_name2> and close <device_name3>,1
89
+ light|fan|garage_door,turn_on|toggle|open,"Switch on the <device_name1> flip the <device_name2> and lift the <device_name3>",1
90
+ light|fan|garage_door,turn_on|turn_on|open,Turn on <device_name1> and <device_name2> and open <device_name3>,1
91
+ light|fan|lock,toggle|toggle|lock,Toggle both <device_name1> and <device_name2> and lock <device_name3>,1
92
+ light|fan|lock,turn_off|turn_off|unlock,Turn off <device_name1> and <device_name2> and unlock <device_name3>,1
93
+ light|fan|lock,turn_on|increase_speed|lock,Turn on <device_name1> speed up <device_name2> and lock <device_name3>,1
94
+ light|fan|lock,turn_on|turn_on|unlock,Turn on both <device_name1> and <device_name2> and unlock <device_name3>,1
95
+ light|garage_door,toggle|stop,Toggle the <device_name1> and stop the <device_name2>,1
96
+ light|garage_door,turn_on|open,Switch on <device_name1> and open <device_name2>,1
97
+ light|garage_door,turn_on|open,Switch on the <device_name1> and open the <device_name2>,1
98
+ light|garage_door|lock,turn_on|open|lock,Turn on <device_name1> open <device_name2> and lock <device_name3>,1
99
+ light|light,toggle|toggle,Toggle both <device_name1> and <device_name2>,1
100
+ light|light,turn_on|turn_off,Turn on <device_name1> and turn off <device_name2>,1
101
+ light|light|fan,toggle|toggle|decrease_speed,Toggle both <device_name1> and <device_name2> and slow down <device_name3>,1
102
+ light|light|fan,toggle|turn_on|increase_speed,Toggle <device_name1> turn on <device_name2> and speed up <device_name3>,1
103
+ light|light|fan,turn_on|turn_off|toggle,Turn on <device_name1> turn off <device_name2> and toggle <device_name3>,1
104
+ light|lock,turn_on|lock,Turn on <device_name1> and lock <device_name2>,1
105
+ lock,lock,Engage the <device_name> lock,1
106
+ lock,lock,Lock the <device_name>,1
107
+ lock,lock,Secure the <device_name>,1
108
+ lock,unlock,Disengage the <device_name> lock,1
109
+ lock,unlock,Unlock the <device_name>,1
110
+ lock,unlock,Unsecure the <device_name>,1
111
+ lock|blinds,lock|close,Lock the <device_name1> and lower the <device_name2>,1
112
+ lock|garage_door,lock|close,Secure the <device_name1> and shut the <device_name2>,1
113
+ light,turn_on,Make sure the <device_name> is on,1
114
+ fan,turn_on,Make sure the <device_name> is on,1
115
+ lock|lock|garage_door,lock|lock|close,Make sure <device_name1> and <device_name2> are locked and the <device_name3> is closed,1
116
+ light,turn_off,Ensure the <device_name> is off,1
117
+ fan,turn_off,Ensure the <device_name> is off,1
118
+ garage_door,close,Make certain the <device_name> is closed,1
119
+ blinds,open,See to it that the <device_name> are open,1
120
+ lock,lock,Ensure <device_name> is secure,1
121
+ light,toggle,Can you flip the <device_name>,1
122
+ fan,increase_speed,Step up the speed of the <device_name>,1
123
+ garage_door,open,Make certain the <device_name> is open,1
124
+ blinds,close,See to it that the <device_name> are closed,1
125
+ lock,unlock,Make sure <device_name> is unlocked,1
126
+ fan,decrease_speed,Slow down the <device_name>,1
127
+ light,turn_on,Confirm that the <device_name> is on,1
128
+ garage_door,stop,Stop the <device_name> right now,1
129
+ light,turn_off,Confirm that the <device_name> is off,1
130
+ garage_door,toggle,Toggle the <device_name> position,1
131
+ blinds,toggle,Switch the state of the <device_name>,1
132
+ lock,lock,Lock down the <device_name>,1
133
+ fan,turn_on,Make certain the <device_name> is running,1
134
+ switch,turn_on,"Can you turn on <device_name>?",1
135
+ switch,turn_off,"Please switch off <device_name>.",1
136
+ switch,toggle,"Could you toggle <device_name>?",1
137
+ switch,turn_on,"I need <device_name> on,1
138
+ switch,turn_off,"Turn off <device_name>,1
139
+ switch,toggle,"Can <device_name> be toggled?",1
140
+ switch,turn_on,"Activate <device_name>.",1
141
+ switch,turn_off,"Deactivate <device_name>.",1
142
+ switch,toggle,"Is it possible to toggle the <device_name>?",1
143
+ switch,turn_on,"Let's have <device_name> on.",1
144
+ switch,turn_off,"We don't need <device_name> on anymore.",1
145
+ switch,toggle,"Toggle <device_name> for me.",1
146
+ switch,turn_on,"Switch on <device_name>,1
147
+ switch,turn_off,"I'd like <device_name> off now.",1
148
+ switch,toggle,"Can you change the state of <device_name>?",1
149
+ switch,turn_on,"Please turn on <device_name>.",1
150
+ switch,turn_off,"Shut off <device_name>,1
151
+ switch,toggle,"A quick toggle of <device_name>,1
152
+ switch,turn_on,"<device_name> needs to be on.",1
153
+ switch,turn_off,"Time to turn <device_name> off.",1
154
+ media_player,volume_up,"Increase the volume on <device_name>.",1
155
+ media_player,volume_up,"Turn up <device_name> a bit.",1
156
+ media_player,volume_up,"Louder on <device_name>,1
157
+ media_player,volume_down,"Can you lower <device_name>'s volume?",1
158
+ media_player,volume_down,"Decrease the volume on <device_name>.",1
159
+ media_player,volume_down,"Turn down <device_name>,1
160
+ media_player,volume_mute,"Mute <device_name>,1
161
+ media_player,volume_mute,"Silence <device_name> for a moment.",1
162
+ media_player,volume_mute,"Can you mute <device_name>?",1
163
+ media_player,media_play,"Start playing on <device_name>.",1
164
+ media_player,media_play,"Can you play <device_name>?",1
165
+ media_player,media_play,"Play the media on <device_name>,1
166
+ media_player,media_pause,"Pause <device_name>.",1
167
+ media_player,media_pause,"Can you pause <device_name>?",1
168
+ media_player,media_pause,"Hold the playback on <device_name>,1
169
+ media_player,media_stop,"Stop <device_name> completely.",1
170
+ media_player,media_stop,"Can you stop playback on <device_name>?",1
171
+ media_player,media_stop,"End the session on <device_name>,1
172
+ media_player,media_next_track,"Next track on <device_name>,1
173
+ media_player,media_next_track,"Advance <device_name> to the next song.",1
174
+ media_player,media_next_track,"Skip this track on <device_name>.",1
175
+ media_player,media_previous_track,"Previous track on <device_name>,1
176
+ media_player,media_previous_track,"Rewind to the previous song on <device_name>.",1
177
+ media_player,media_previous_track,"Can we go back a track on <device_name>?",1
178
+ climate,set_temperature,"Set the temperature to <temp_f> degrees.",8
179
+ climate,set_temperature,"Can you change the temperature to <temp_c> Celsius?",8
180
+ climate,set_temperature,"I'd like the room at <temp_f> degrees Fahrenheit,8
181
+ climate,set_temperature,"Please adjust the temperature to <temp_f> degrees.",8
182
+ climate,set_temperature,"Can you lower the temperature to <temp_c>?",8
183
+ climate,set_temperature,"Raise the temperature to <temp_f> degrees",8
184
+ climate,set_humidity,"Increase the humidity to <humidity>.",8
185
+ climate,set_humidity,"Set the humidity level to <humidity> percent.",8
186
+ climate,set_humidity,"Can you adjust the humidity to <humidity> percent?",8
187
+ climate,set_fan_mode,"Set the climate fan to <fan_mode> speed.",8
188
+ climate,set_fan_mode,"Please put the climate fan on <fan_mode>.",8
189
+ climate,set_fan_mode,"Change the air conditioning fan to <fan_mode>.",8
190
+ climate,set_hvac_mode,"Switch the system to <hvac_mode> mode.",8
191
+ climate,set_hvac_mode,"Can we set the HVAC to <hvac_mode>?",8
192
+ climate,set_hvac_mode,"Change the HVAC to <hvac_mode>.",8
193
+ light,turn_on,"Set the brightness of <device_name> to <brightness>%.",8
194
+ light,turn_on,"Dim <device_name> to <brightness> percent brightness.",8
195
+ light,turn_on,"Brighten <device_name> to <brightness>.",8
196
+ light,turn_on,"Adjust <device_name> brightness to <brightness>.",8
197
+ light,turn_on,"Increase <device_name>'s brightness to <brightness>.",8
198
+ light,turn_on,"Lower the brightness of <device_name> to <brightness>.",8
199
+ light,turn_on,"Can you set <device_name>'s brightness level to <brightness> percent?",8
200
+ light,turn_on,"I'd like <device_name> at <brightness> percent brightness",8
201
+ light,turn_on,"Can you make <device_name> <color>?",8
202
+ light,turn_on,"Change the color of <device_name> to <color>.",8
203
+ light,turn_on,"Change <device_name> to a <color> hue.",8
204
+ light,turn_on,"Set <device_name> to be <color>.",8
205
+ light,turn_on,"I want <device_name> to be <color>"",8
206
+ light,turn_on,"Can you make <device_name> shine in <color>?",8
207
+ light,turn_on,"Turn <device_name> to a <color> shade.",8
208
+ light,turn_on,"Turn <device_name> <color>.",8
209
+ light,turn_on,"I want <device_name> at a <color> setting.",8
210
+ light,turn_on,"Set <device_name> to a <color> color.",8
211
+ light,turn_on,"Please set <device_name> to a <color> color.",8
212
+ light,turn_on,"Make <device_name> glow <color>.",8
213
+ light,turn_on,"Could you turn <device_name> to <color>?",8
214
+ light,turn_on,"Please change <device_name> to <color>.",8
215
+ light,turn_on,"Adjust <device_name> to <color> color.",8
216
+ light,turn_on,"Switch <device_name> color to <color>.",8
217
+ light,turn_on,"Can <device_name> be <color> now?",8
218
+ light,turn_on,"Let's have <device_name> in <color>.",8
219
+ light,turn_on,"I'd like <device_name> to change to <color>.",8
220
+ light,turn_on,"Can <device_name> display a <color> light?",8
221
+ light,turn_on,"Set <device_name> color to <color>",8
222
+ vacuum,start,"Start cleaning with <device_name>.",2
223
+ vacuum,start,"Begin vacuuming with <device_name>.",2
224
+ vacuum,start,"Activate <device_name> to clean.",2
225
+ vacuum,start,"Could you please start <device_name>?",2
226
+ vacuum,start,"Hey, get <device_name> going, would you?",2
227
+ vacuum,stop,"Stop <device_name>'s operation.",2
228
+ vacuum,stop,"Please halt <device_name>'s current task",2
229
+ vacuum,stop,"Please stop <device_name>",2
230
+ vacuum,stop,"Can you make <device_name> stop?",2
231
+ vacuum,stop,"Stop <device_name> from cleaning.",2
232
+ vacuum,pause,"Freeze <device_name>'s current task.",2
233
+ vacuum,pause,"Would you mind pausing <device_name> for a moment?",2
234
+ vacuum,pause,"Hey, can we put <device_name> on pause, please?",2
235
+ vacuum,pause,"Pause the <device_name> cleaning.",2
236
+ vacuum,pause,"Pause <device_name>",2
237
+ vacuum,return_to_base,"Send <device_name> back to its base.",2
238
+ vacuum,return_to_base,"Please send <device_name> back to its base, if you would.",2
239
+ vacuum,return_to_base,"Time to head home, <device_name>. Can you call it back?",2
240
+ vacuum,return_to_base,"Direct <device_name> to dock.",2
241
+ vacuum,return_to_base,"Return <device_name> to its charging station.",2
242
+ todo,add_item,"Please add <todo> to my <device_name>.",8
243
+ todo,add_item,"Can you add <todo> to the <device_name>?",8
244
+ todo,add_item,"I need <todo> added to my <device_name>.",8
245
+ todo,add_item,"Go ahead and add <todo> to the <device_name>.",8
246
+ todo,add_item,"Could you please input <todo> into my <device_name>?",8
247
+ todo,add_item,"Kindly insert <todo> onto the <device_name>.",8
248
+ todo,add_item,"May I request that <todo> be included in the <device_name>?",8
249
+ todo,add_item,"It would be much appreciated if <todo> could be put on the <device_name>.",8
250
+ todo,add_item,"Shall we append <todo> to my <device_name>?",8
251
+ todo,add_item,""Let's add <todo> to the <device_name>",8
252
+ todo,add_item,"Could you place <todo> onto my <device_name>?",8
253
+ todo,add_item,"Will you be so kind as to incorporate <todo> into the <device_name>?",8
254
+ todo,add_item,"Is it possible to include <todo> in the <device_name>?",8
255
+ todo,add_item,"Could we add <todo> to my <device_name>?",8
256
+ timer,start,"Please set my <device_name> for <duration>.",8
257
+ timer,start,"Turn on the <device_name> timer for <duration>.",8
258
+ timer,start,"Set the <device_name> for <duration>.",8
259
+ timer,start,"Start the <device_name> timer for <duration>.",8
260
+ timer,start,"Set a <duration> <device_name>.",8
261
+ timer,cancel,"Cancel the <device_name> timer.",8
262
+ timer,cancel,"Please stop my <device_name>.",8
263
+ timer,cancel,"Turn off the <device_name>.",8
264
+ timer,cancel,"Please shut off the <device_name> timer.",8
265
+ timer,cancel,"The <device_name> is no longer needed.",8