Skip to content

CLI & Python Library

PyPI GitHub Workflow Status

The myPyllant library can interact with the API behind the myVAILLANT app (and branded versions of it, such as the MiGo app from Saunier Duval). Needs at least Python 3.10.

Not affiliated with Vaillant, the developers take no responsibility for anything that happens to your devices because of this library.

Installation

Warning

You need at least Python 3.10

pip install myPyllant
python3 -m myPyllant.export user password brand --country country
# See python3 -m myPyllant.export -h for more options and a list of countries

..or use Docker:

docker run -ti ghcr.io/signalkraft/mypyllant:latest python3 -m myPyllant.export user password brand --country country

The --data argument exports historical data of the devices in your system. Without this keyword, information about your system will be exported as JSON.

Usage

Exporting Data about your System

python3 -m myPyllant.export user password brand --country country
# See python3 -m myPyllant.export -h for more options and a list of countries

The --data argument exports historical data of the devices in your system. Without this keyword, information about your system will be exported as JSON.

Source code in myPyllant/export.py
async def main(
    user,
    password,
    brand,
    country=None,
    data=False,
    resolution=None,
    start=None,
    end=None,
):
    async with MyPyllantAPI(user, password, brand, country) as api:
        export_list = []
        async for system in api.get_systems(
            include_connection_status=True,
            include_diagnostic_trouble_codes=True,
            include_rts=True,
            include_mpc=True,
            include_ambisense_rooms=True,
        ):
            if data:
                for device in system.devices:
                    data = [
                        d.prepare_dict()
                        async for d in api.get_data_by_device(
                            device, resolution, start, end
                        )
                    ]
                    export_list.append(dict(device=device.prepare_dict(), data=data))

            else:
                export_list.append(system.prepare_dict())

        return export_list

Exporting Energy Reports

python3 -m myPyllant.report user password brand --country country
# Wrote 2023 report to energy_data_2023_ArothermPlus_XYZ.csv
# Wrote 2023 report to energy_data_2023_HydraulicStation_XYZ.csv

Writes a report for each heat generator, by default for the current year. You can provide --year to select a different year.

Source code in myPyllant/report.py
async def main(user, password, brand, year: int, country=None, write_results=True):
    async with MyPyllantAPI(user, password, brand, country) as api:
        results = []
        async for system in api.get_systems():
            reports = api.get_yearly_reports(system, year)
            async for report in reports:
                if write_results:
                    with open(report.file_name, "w") as fh:
                        fh.write(report.file_content)
                    sys.stdout.write(f"Wrote {year} report to {report.file_name}\n")
                else:
                    results.append(report)
        if not write_results:
            return results

Using the API in Python

#!/usr/bin/env python3

import argparse
import asyncio
import logging
from datetime import datetime, timedelta

from myPyllant.api import MyPyllantAPI
from myPyllant.const import ALL_COUNTRIES, BRANDS, DEFAULT_BRAND

parser = argparse.ArgumentParser(description="Export data from myVaillant API   .")
parser.add_argument("user", help="Username (email address) for the myVaillant app")
parser.add_argument("password", help="Password for the myVaillant app")
parser.add_argument(
    "brand",
    help="Brand your account is registered in, i.e. 'vaillant'",
    default=DEFAULT_BRAND,
    choices=BRANDS.keys(),
)
parser.add_argument(
    "--country",
    help="Country your account is registered in, i.e. 'germany'",
    choices=ALL_COUNTRIES.keys(),
    required=False,
)
parser.add_argument(
    "-v", "--verbose", help="increase output verbosity", action="store_true"
)


async def main(user, password, brand, country):
    async with MyPyllantAPI(user, password, brand, country) as api:
        async for system in api.get_systems():
            print(await api.set_set_back_temperature(system.zones[0], 18))
            print(await api.quick_veto_zone_temperature(system.zones[0], 21, 5))
            print(await api.cancel_quick_veto_zone_temperature(system.zones[0]))
            setpoint = 10.0 if system.control_identifier.is_vrc700 else None
            print(
                await api.set_holiday(
                    system,
                    datetime.now(system.timezone),
                    datetime.now(system.timezone) + timedelta(days=7),
                    setpoint,  # Setpoint is only required for VRC700 systems
                )
            )
            print(await api.cancel_holiday(system))
            if system.domestic_hot_water:
                print(await api.boost_domestic_hot_water(system.domestic_hot_water[0]))
                print(await api.cancel_hot_water_boost(system.domestic_hot_water[0]))
                print(
                    await api.set_domestic_hot_water_temperature(
                        system.domestic_hot_water[0], 46
                    )
                )


if __name__ == "__main__":
    args = parser.parse_args()
    if args.verbose:
        logging.basicConfig(level=logging.DEBUG)
    asyncio.run(main(args.user, args.password, args.brand, args.country))

Want to contribute more features? Checkout out the contribution section.

API Documentation

Source code in myPyllant/api.py
  97
  98
  99
 100
 101
 102
 103
 104
 105
 106
 107
 108
 109
 110
 111
 112
 113
 114
 115
 116
 117
 118
 119
 120
 121
 122
 123
 124
 125
 126
 127
 128
 129
 130
 131
 132
 133
 134
 135
 136
 137
 138
 139
 140
 141
 142
 143
 144
 145
 146
 147
 148
 149
 150
 151
 152
 153
 154
 155
 156
 157
 158
 159
 160
 161
 162
 163
 164
 165
 166
 167
 168
 169
 170
 171
 172
 173
 174
 175
 176
 177
 178
 179
 180
 181
 182
 183
 184
 185
 186
 187
 188
 189
 190
 191
 192
 193
 194
 195
 196
 197
 198
 199
 200
 201
 202
 203
 204
 205
 206
 207
 208
 209
 210
 211
 212
 213
 214
 215
 216
 217
 218
 219
 220
 221
 222
 223
 224
 225
 226
 227
 228
 229
 230
 231
 232
 233
 234
 235
 236
 237
 238
 239
 240
 241
 242
 243
 244
 245
 246
 247
 248
 249
 250
 251
 252
 253
 254
 255
 256
 257
 258
 259
 260
 261
 262
 263
 264
 265
 266
 267
 268
 269
 270
 271
 272
 273
 274
 275
 276
 277
 278
 279
 280
 281
 282
 283
 284
 285
 286
 287
 288
 289
 290
 291
 292
 293
 294
 295
 296
 297
 298
 299
 300
 301
 302
 303
 304
 305
 306
 307
 308
 309
 310
 311
 312
 313
 314
 315
 316
 317
 318
 319
 320
 321
 322
 323
 324
 325
 326
 327
 328
 329
 330
 331
 332
 333
 334
 335
 336
 337
 338
 339
 340
 341
 342
 343
 344
 345
 346
 347
 348
 349
 350
 351
 352
 353
 354
 355
 356
 357
 358
 359
 360
 361
 362
 363
 364
 365
 366
 367
 368
 369
 370
 371
 372
 373
 374
 375
 376
 377
 378
 379
 380
 381
 382
 383
 384
 385
 386
 387
 388
 389
 390
 391
 392
 393
 394
 395
 396
 397
 398
 399
 400
 401
 402
 403
 404
 405
 406
 407
 408
 409
 410
 411
 412
 413
 414
 415
 416
 417
 418
 419
 420
 421
 422
 423
 424
 425
 426
 427
 428
 429
 430
 431
 432
 433
 434
 435
 436
 437
 438
 439
 440
 441
 442
 443
 444
 445
 446
 447
 448
 449
 450
 451
 452
 453
 454
 455
 456
 457
 458
 459
 460
 461
 462
 463
 464
 465
 466
 467
 468
 469
 470
 471
 472
 473
 474
 475
 476
 477
 478
 479
 480
 481
 482
 483
 484
 485
 486
 487
 488
 489
 490
 491
 492
 493
 494
 495
 496
 497
 498
 499
 500
 501
 502
 503
 504
 505
 506
 507
 508
 509
 510
 511
 512
 513
 514
 515
 516
 517
 518
 519
 520
 521
 522
 523
 524
 525
 526
 527
 528
 529
 530
 531
 532
 533
 534
 535
 536
 537
 538
 539
 540
 541
 542
 543
 544
 545
 546
 547
 548
 549
 550
 551
 552
 553
 554
 555
 556
 557
 558
 559
 560
 561
 562
 563
 564
 565
 566
 567
 568
 569
 570
 571
 572
 573
 574
 575
 576
 577
 578
 579
 580
 581
 582
 583
 584
 585
 586
 587
 588
 589
 590
 591
 592
 593
 594
 595
 596
 597
 598
 599
 600
 601
 602
 603
 604
 605
 606
 607
 608
 609
 610
 611
 612
 613
 614
 615
 616
 617
 618
 619
 620
 621
 622
 623
 624
 625
 626
 627
 628
 629
 630
 631
 632
 633
 634
 635
 636
 637
 638
 639
 640
 641
 642
 643
 644
 645
 646
 647
 648
 649
 650
 651
 652
 653
 654
 655
 656
 657
 658
 659
 660
 661
 662
 663
 664
 665
 666
 667
 668
 669
 670
 671
 672
 673
 674
 675
 676
 677
 678
 679
 680
 681
 682
 683
 684
 685
 686
 687
 688
 689
 690
 691
 692
 693
 694
 695
 696
 697
 698
 699
 700
 701
 702
 703
 704
 705
 706
 707
 708
 709
 710
 711
 712
 713
 714
 715
 716
 717
 718
 719
 720
 721
 722
 723
 724
 725
 726
 727
 728
 729
 730
 731
 732
 733
 734
 735
 736
 737
 738
 739
 740
 741
 742
 743
 744
 745
 746
 747
 748
 749
 750
 751
 752
 753
 754
 755
 756
 757
 758
 759
 760
 761
 762
 763
 764
 765
 766
 767
 768
 769
 770
 771
 772
 773
 774
 775
 776
 777
 778
 779
 780
 781
 782
 783
 784
 785
 786
 787
 788
 789
 790
 791
 792
 793
 794
 795
 796
 797
 798
 799
 800
 801
 802
 803
 804
 805
 806
 807
 808
 809
 810
 811
 812
 813
 814
 815
 816
 817
 818
 819
 820
 821
 822
 823
 824
 825
 826
 827
 828
 829
 830
 831
 832
 833
 834
 835
 836
 837
 838
 839
 840
 841
 842
 843
 844
 845
 846
 847
 848
 849
 850
 851
 852
 853
 854
 855
 856
 857
 858
 859
 860
 861
 862
 863
 864
 865
 866
 867
 868
 869
 870
 871
 872
 873
 874
 875
 876
 877
 878
 879
 880
 881
 882
 883
 884
 885
 886
 887
 888
 889
 890
 891
 892
 893
 894
 895
 896
 897
 898
 899
 900
 901
 902
 903
 904
 905
 906
 907
 908
 909
 910
 911
 912
 913
 914
 915
 916
 917
 918
 919
 920
 921
 922
 923
 924
 925
 926
 927
 928
 929
 930
 931
 932
 933
 934
 935
 936
 937
 938
 939
 940
 941
 942
 943
 944
 945
 946
 947
 948
 949
 950
 951
 952
 953
 954
 955
 956
 957
 958
 959
 960
 961
 962
 963
 964
 965
 966
 967
 968
 969
 970
 971
 972
 973
 974
 975
 976
 977
 978
 979
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
class MyPyllantAPI:
    username: str
    password: str
    aiohttp_session: aiohttp.ClientSession
    oauth_session: dict = {}
    oauth_session_expires: datetime.datetime | None = None
    control_identifiers: dict[str, str] = {}

    def __init__(
        self, username: str, password: str, brand: str, country: str | None = None
    ) -> None:
        if brand not in BRANDS.keys():
            raise ValueError(
                f"Invalid brand, must be one of {', '.join(BRANDS.keys())}"
            )
        if brand in COUNTRIES:
            # Only need to valid country, if the brand exists as a key in COUNTRIES
            if not country:
                raise RealmInvalid(f"{BRANDS[brand]} requires country to be passed")
            elif country not in COUNTRIES[brand].keys():
                raise RealmInvalid(
                    f"Invalid country, {BRANDS[brand]} only supports {', '.join(COUNTRIES[brand].keys())}"
                )

        self.username = username
        self.password = password
        self.country = country
        self.brand = brand

        self.aiohttp_session = get_http_client()

    async def __aenter__(self) -> MyPyllantAPI:
        try:
            await self.login()
        except Exception:
            await self.aiohttp_session.close()
            raise
        return self

    async def __aexit__(self, *args, **kwargs) -> None:
        if not self.aiohttp_session.closed:
            await self.aiohttp_session.close()

    async def login(self):
        code, code_verifier = await self.get_code()
        self.oauth_session = await self.get_token(code, code_verifier)
        logger.debug("Got session %s", self.oauth_session)
        self.set_session_expires()

    async def get_code(self):
        """
        This should really be done in the browser with OIDC, but that's not easy without support from Vaillant

        So instead, we grab the login endpoint from the HTML form of the login website and send username + password
        to obtain a session
        """

        code_verifier, code_challenge = generate_code()
        auth_querystring = {
            "response_type": "code",
            "client_id": CLIENT_ID,
            "code": "code_challenge",
            "redirect_uri": "enduservaillant.page.link://login",
            "code_challenge_method": "S256",
            "code_challenge": code_challenge,
        }

        # Grabbing the login URL from the HTML form of the login page
        code = None
        try:
            async with self.aiohttp_session.get(
                AUTHENTICATE_URL.format(realm=get_realm(self.brand, self.country))
                + "?"
                + urlencode(auth_querystring),
                allow_redirects=False,
            ) as resp:
                login_html = await resp.text()
                if "Location" in resp.headers:
                    parsed_url = urlparse(resp.headers["Location"])
                    code = parse_qs(parsed_url.query).get("code")
        except ClientResponseError as e:
            raise LoginEndpointInvalid from e

        if not code:
            result = re.search(
                LOGIN_URL.format(realm=get_realm(self.brand, self.country))
                + r"\?([^\"]*)",
                login_html,
            )
            login_url = unescape(result.group()) if result else None
            if not login_url:
                raise AuthenticationFailed("Could not get login URL")

            logger.debug("Got login url %s", login_url)
            login_payload = {
                "username": self.username,
                "password": self.password,
                "credentialId": "",
            }
            # Obtaining the code
            async with self.aiohttp_session.post(
                login_url, data=login_payload, allow_redirects=False
            ) as resp:
                logger.debug("Got login response headers %s", resp.headers)
                if "Location" not in resp.headers:
                    raise AuthenticationFailed("Login failed")
                logger.debug(
                    f'Got location from authorize endpoint: {resp.headers["Location"]}'
                )
                parsed_url = urlparse(resp.headers["Location"])
                code = parse_qs(parsed_url.query)["code"]
        return code, code_verifier

    async def get_token(self, code, code_verifier):
        # Obtaining access token and refresh token
        token_payload = {
            "grant_type": "authorization_code",
            "client_id": "myvaillant",
            "code": code,
            "code_verifier": code_verifier,
            "redirect_uri": "enduservaillant.page.link://login",
        }

        async with self.aiohttp_session.post(
            TOKEN_URL.format(realm=get_realm(self.brand, self.country)),
            data=token_payload,
            raise_for_status=False,
        ) as resp:
            login_json = await resp.json()
            if resp.status >= 400:
                logger.error(
                    f"Could not log in, got status {resp.status} this response: {login_json}"
                )
                raise Exception(login_json)
            return login_json

    def set_session_expires(self):
        self.oauth_session_expires = datetime.datetime.now(
            datetime.timezone.utc
        ) + datetime.timedelta(seconds=self.oauth_session["expires_in"])
        logger.debug("Session expires in %s", self.oauth_session_expires)

    async def refresh_token(self):
        refresh_payload = {
            "refresh_token": self.oauth_session["refresh_token"],
            "client_id": CLIENT_ID,
            "grant_type": "refresh_token",
        }
        async with self.aiohttp_session.post(
            TOKEN_URL.format(realm=get_realm(self.brand, self.country)),
            data=refresh_payload,
        ) as resp:
            self.oauth_session = await resp.json()
            self.set_session_expires()
            return self.oauth_session

    @property
    def access_token(self):
        return self.oauth_session["access_token"]

    def get_authorized_headers(self):
        return {
            "Authorization": "Bearer " + self.access_token,
            "x-app-identifier": "VAILLANT",
            "Accept-Language": "en-GB",
            "Accept": "application/json, text/plain, */*",
            "x-client-locale": "en-GB",
            "x-idm-identifier": "KEYCLOAK",
            "ocp-apim-subscription-key": "1e0a2f3511fb4c5bbb1c7f9fedd20b1c",
            "User-Agent": "okhttp/4.9.2",
            "Connection": "keep-alive",
        }

    async def get_api_base(
        self,
        system: str | System | None = None,
        control_identifier: ControlIdentifier | str | None = None,
    ) -> str:
        if system and not control_identifier:
            control_identifier = await self.get_control_identifier(system)
        return get_api_base(control_identifier)

    async def get_system_api_base(
        self,
        system: str | System,
        control_identifier: ControlIdentifier | str | None = None,
    ) -> str:
        if not control_identifier:
            control_identifier = await self.get_control_identifier(system)
        return get_system_api_base(system, control_identifier)

    async def get_homes(self) -> AsyncIterator[Home]:
        """
        Returns configured homes and their system IDs

        Returns:
            An Async Iterator with all the configured `Home` objects for the logged-in user
        """
        async with self.aiohttp_session.get(
            f"{await self.get_api_base()}/homes", headers=self.get_authorized_headers()
        ) as homes_resp:
            for home_json in dict_to_snake_case(await homes_resp.json()):
                if "system_id" not in home_json or not home_json["system_id"]:
                    logger.warning(
                        "Skipping home because system_id is missing or empty: %s",
                        home_json,
                    )
                    continue
                timezone = await self.get_time_zone(home_json["system_id"])
                yield Home.from_api(timezone=timezone, **home_json)

    async def get_systems(
        self,
        include_connection_status: bool = False,
        include_diagnostic_trouble_codes: bool = False,
        include_rts: bool = False,
        include_mpc: bool = False,
        include_ambisense_rooms: bool = False,
    ) -> AsyncIterator[System]:
        """
        Returns an async generator of systems under control of the user

        Parameters:
            include_connection_status: Fetches connection status for each system
            include_diagnostic_trouble_codes: Fetches diagnostic trouble codes for each system and device
            include_rts: Fetches RTS data for each system, only supported on TLI controllers
            include_mpc: Fetches MPC data for each system, only supported on TLI controllers
            include_ambisense_rooms: Fetches Ambisense room data

        Returns:
            An Async Iterator with all the `System` objects

        Examples:
            >>> async for system in MyPyllantAPI(**kwargs).get_systems():
            >>>    print(system.water_pressure)
        """
        homes = self.get_homes()
        async for home in homes:
            control_identifier = await self.get_control_identifier(home.system_id)
            system_url = await self.get_system_api_base(home.system_id)
            current_system_url = (
                f"{await self.get_api_base()}/emf/v2/{home.system_id}/currentSystem"
            )

            async with self.aiohttp_session.get(
                system_url, headers=self.get_authorized_headers()
            ) as system_resp:
                system_raw = await system_resp.text()
                if control_identifier.is_vrc700:
                    system_raw = system_raw.replace("domesticHotWater", "dhw")
                    system_raw = system_raw.replace("DomesticHotWater", "Dhw")
                system_json = dict_to_snake_case(json.loads(system_raw))

            async with self.aiohttp_session.get(
                current_system_url, headers=self.get_authorized_headers()
            ) as current_system_resp:
                current_system_json = await current_system_resp.json()

            ambisense_capability = await self.get_ambisense_capability(home.system_id)

            system = System.from_api(
                brand=self.brand,
                home=home,
                timezone=home.timezone,
                control_identifier=control_identifier,
                connected=await self.get_connection_status(home.system_id)
                if include_connection_status
                else None,
                diagnostic_trouble_codes=await self.get_diagnostic_trouble_codes(
                    home.system_id
                )
                if include_diagnostic_trouble_codes
                else None,
                rts=await self.get_rts(home.system_id) if include_rts else {},
                mpc=await self.get_mpc(home.system_id) if include_mpc else {},
                current_system=dict_to_snake_case(current_system_json),
                ambisense_capability=ambisense_capability,
                ambisense_rooms=await self.get_ambisense_rooms(home.system_id)
                if include_ambisense_rooms and ambisense_capability
                else [],
                **dict_to_snake_case(system_json),
            )
            yield system

    async def get_data_by_device(
        self,
        device: Device,
        data_resolution: DeviceDataBucketResolution = DeviceDataBucketResolution.DAY,
        data_from: datetime.datetime | None = None,
        data_to: datetime.datetime | None = None,
    ) -> AsyncIterator[DeviceData]:
        """
        Gets all energy data for a device

        Parameters:
            device: The device
            data_resolution: Which resolution level (i.e. day, month)
            data_from: Starting datetime
            data_to: End datetime

        """
        for data in device.data:
            data_from = data_from or data.data_from
            if not data_from:
                raise ValueError(
                    "No data_from set, and no data_from found in device data"
                )
            data_to = data_to or data.data_to
            if not data_to:
                raise ValueError("No data_to set, and no data_to found in device data")
            start_date = datetime_format(data_from)
            end_date = datetime_format(data_to)
            querystring = {
                "resolution": str(data_resolution),
                "operationMode": data.operation_mode,
                "energyType": data.value_type,
                "startDate": start_date,
                "endDate": end_date,
            }
            device_buckets_url = (
                f"{await self.get_api_base()}/emf/v2/{device.system_id}/"
                f"devices/{device.device_uuid}/buckets?{urlencode(querystring)}"
            )
            async with self.aiohttp_session.get(
                device_buckets_url, headers=self.get_authorized_headers()
            ) as device_buckets_resp:
                device_buckets_json = await device_buckets_resp.json()
                yield DeviceData.from_api(
                    timezone=device.timezone,
                    device=device,
                    **dict_to_snake_case(device_buckets_json),
                )

    async def get_yearly_reports(
        self,
        system: System,
        year: int | None = None,
    ) -> AsyncIterator[SystemReport]:
        """
        Returns an async generator of systems under control of the user

        Parameters:
            system: The System object or system ID string
            year: The year of the report
        """
        url = f"{await self.get_api_base()}/emf/v2/{system.id}/report/{year}"
        async with self.aiohttp_session.get(
            url, headers=self.get_authorized_headers()
        ) as report_resp:
            reports_json = await report_resp.json()
            for report in dict_to_snake_case(reports_json):
                yield SystemReport.from_api(**report)

    async def set_zone_operating_mode(
        self,
        zone: Zone,
        mode: ZoneHeatingOperatingMode | ZoneHeatingOperatingModeVRC700 | str,
        operating_type: str = "heating",
    ):
        """
        Sets the operating mode for a zone

        Parameters:
            zone: The target zone
            mode: The target operating mode
            operating_type: Either heating or cooling
        """
        if operating_type not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid HVAC mode, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        if zone.control_identifier.is_vrc700:
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/heating/operation-mode"
            key = "operationMode"
            mode_enum = ZoneHeatingOperatingModeVRC700  # type: ignore
        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/{operating_type}-operation-mode"
            key = f"{operating_type}OperationMode"
            mode_enum = ZoneHeatingOperatingMode  # type: ignore

        if mode not in mode_enum:
            raise ValueError(
                f"Invalid mode, must be one of {', '.join(mode_enum.__members__)}"
            )

        await self.aiohttp_session.patch(
            url,
            json={key: str(mode)},
            headers=self.get_authorized_headers(),
        )

        # zone.heating.operation_mode_heating or zone.cooling.operation_mode_cooling
        setattr(
            getattr(zone, operating_type),
            f"operation_mode_{operating_type}",
            mode_enum(mode),
        )
        return zone

    async def quick_veto_zone_temperature(
        self,
        zone: Zone,
        temperature: float,
        duration_hours: float | None = None,
        default_duration: float | None = None,
        veto_type: str = "heating",
    ):
        """
        Temporarily overwrites the desired temperature in a zone

        Parameters:
            zone: The target zone
            temperature: The target temperature
            duration_hours: Optional, sets overwrite for this many hours
            default_duration: Optional, falls back to this default duration if duration_hours is not given
            veto_type: Only supported on VRC700 controllers, either heating or cooling
        """
        if not default_duration:
            default_duration = DEFAULT_QUICK_VETO_DURATION
        if zone.control_identifier.is_vrc700:
            if veto_type not in ZONE_OPERATING_TYPES:
                raise ValueError(
                    f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
                )
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{veto_type}/quick-veto"
        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/quick-veto"

        if zone.current_special_function == ZoneCurrentSpecialFunction.QUICK_VETO:
            logger.debug(
                f"Patching quick veto for {zone.name} because it is already in quick veto mode"
            )
            payload = {
                "desiredRoomTemperatureSetpoint": temperature,
            }
            if duration_hours:
                payload["duration"] = duration_hours
            await self.aiohttp_session.patch(
                url,
                json=payload,
                headers=self.get_authorized_headers(),
            )
            zone.desired_room_temperature_setpoint = temperature
            return zone
        else:
            await self.aiohttp_session.post(
                url,
                json={
                    "desiredRoomTemperatureSetpoint": temperature,
                    "duration": duration_hours if duration_hours else default_duration,
                },
                headers=self.get_authorized_headers(),
            )
            zone.desired_room_temperature_setpoint = temperature
            zone.quick_veto_start_date_time = datetime.datetime.now(zone.timezone)
            zone.quick_veto_end_date_time = datetime.datetime.now(
                zone.timezone
            ) + datetime.timedelta(hours=(duration_hours or default_duration))
            return zone

    async def quick_veto_zone_duration(
        self,
        zone: Zone,
        duration_hours: float,
        veto_type: str = "heating",
    ):
        """
        Updates the quick veto duration

        Parameters:
            zone: The target zone
            duration_hours: Updates quick veto duration (in hours)
            veto_type: Only supported on VRC700 controllers, either heating or cooling
        """
        if zone.control_identifier.is_vrc700:
            if veto_type not in ZONE_OPERATING_TYPES:
                raise ValueError(
                    f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
                )
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{veto_type}/quick-veto"
        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/quick-veto"

        await self.aiohttp_session.patch(
            url,
            json={"duration": duration_hours},
            headers=self.get_authorized_headers(),
        )
        zone.quick_veto_end_date_time = datetime.datetime.now(
            zone.timezone
        ) + datetime.timedelta(hours=duration_hours)
        return zone

    async def set_time_program_temperature(
        self,
        zone: Zone,
        program_type: str,
        temperature: float,
        update_similar_to_dow: str | None = None,
    ):
        logger.debug(f"Setting time program temp {zone.name}")

        if program_type not in ZoneTimeProgramType:
            raise ValueError(
                "Type must be either heating or cooling, not %s", program_type
            )

        if not zone.heating.time_program_heating:
            raise ValueError(
                "There is no time program set, temperature can't be updated",
                program_type,
            )

        time_program = zone.heating.time_program_heating
        time_program.set_setpoint(temperature, update_similar_to_dow)
        return await self.set_zone_time_program(zone, program_type, time_program)

    async def set_manual_mode_setpoint(
        self,
        zone: Zone,
        temperature: float,
        setpoint_type: str = "heating",
    ):
        """
        Sets the desired temperature when in manual mode

        Parameters:
            zone: The target zone
            temperature: The target temperature
            setpoint_type: Either heating or cooling
        """
        logger.debug("Setting manual mode setpoint for %s", zone.name)
        if setpoint_type.lower() not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        payload: dict[str, Any] = {
            "setpoint": temperature,
        }
        if zone.control_identifier.is_vrc700:
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{setpoint_type.lower()}/manual-mode-setpoint"

        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/manual-mode-setpoint"
            payload["type"] = setpoint_type.upper()
        await self.aiohttp_session.patch(
            url,
            json=payload,
            headers=self.get_authorized_headers(),
        )
        # zone.heating.manual_mode_setpoint_heating or zone.cooling.manual_mode_setpoint_cooling
        setattr(
            getattr(zone, setpoint_type.lower()),
            f"manual_mode_setpoint_{setpoint_type.lower()}",
            temperature,
        )
        return zone

    async def cancel_quick_veto_zone_temperature(
        self, zone: Zone, veto_type: str = "heating"
    ):
        """
        Cancels a previously set quick veto in a zone

        Parameters:
            zone: The target zone
            veto_type: Only supported on VRC700 controllers, either heating or cooling
        """
        if zone.control_identifier.is_vrc700:
            if veto_type not in ZONE_OPERATING_TYPES:
                raise ValueError(
                    f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
                )
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{veto_type}/quick-veto"
        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/quick-veto"

        await self.aiohttp_session.delete(url, headers=self.get_authorized_headers())
        zone.quick_veto_start_date_time = None
        zone.quick_veto_end_date_time = None
        zone.current_special_function = ZoneCurrentSpecialFunction.NONE
        return zone

    async def set_set_back_temperature(
        self, zone: Zone, temperature: float, setback_type: str = "heating"
    ):
        """
        Sets the temperature that a zone gets lowered to in away mode

        Parameters:
            zone: The target zone
            temperature: The setback temperature
            setback_type: Only supported on VRC700 controllers, either heating or cooling
        """
        if zone.control_identifier.is_vrc700:
            if setback_type not in ZONE_OPERATING_TYPES:
                raise ValueError(
                    f"Invalid setback type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
                )
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{setback_type}/set-back-temperature"
        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/set-back-temperature"
        await self.aiohttp_session.patch(
            url,
            json={"setBackTemperature": temperature},
            headers=self.get_authorized_headers(),
        )
        # TODO: What to do with cooling?
        if setback_type == "heating":
            zone.heating.set_back_temperature = temperature
        return zone

    async def set_zone_time_program(
        self,
        zone: Zone,
        program_type: str,
        time_program: ZoneTimeProgram,
        setback_type: str = "heating",
    ):
        """
        Sets the temperature that a zone gets lowered to in away mode

        Parameters:
            zone: The target zone
            program_type: Which program to set
            time_program: The time schedule
            setback_type: Only supported on VRC700 controllers, either heating or cooling
        """
        if program_type not in ZoneTimeProgramType:
            raise ValueError(
                "Type must be either heating or cooling, not %s", program_type
            )
        if zone.control_identifier.is_vrc700:
            if setback_type not in ZONE_OPERATING_TYPES:
                raise ValueError(
                    f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
                )
            url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{setback_type}/time-windows"
        else:
            url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/time-windows"
        data = asdict(time_program)
        data["type"] = program_type
        del data["meta_info"]
        await self.aiohttp_session.patch(
            url,
            json=dict_to_camel_case(data),
            headers=self.get_authorized_headers(),
        )

        # zone.heating.time_program_heating = time_program or zone.cooling.time_program_cooling = time_program
        setattr(
            getattr(zone, setback_type), f"time_program_{setback_type}", time_program
        )
        return zone

    async def set_holiday(
        self,
        system: System,
        start: datetime.datetime | None = None,
        end: datetime.datetime | None = None,
        setpoint: float | None = None,
    ):
        """
        Sets away mode / holiday mode on a system

        Parameters:
            system: The target system
            start: Optional, datetime when the system goes into away mode. Defaults to now
            end: Optional, datetime when away mode should end. Defaults to one year from now
            setpoint: Optional, setpoint temperature during holiday, only supported on VRC700 controllers
        """
        start, end = get_default_holiday_dates(start, end, system.timezone)
        logger.debug(
            "Setting holiday mode for system %s to %s - %s", system.id, start, end
        )
        if not start <= end:
            raise ValueError("Start of holiday mode must be before end")

        data = {
            "startDateTime": datetime_format(start, with_microseconds=True),
            "endDateTime": datetime_format(end, with_microseconds=True),
        }

        if system.control_identifier.is_vrc700:
            url = f"{await self.get_system_api_base(system.id)}/holiday"
            if setpoint is None:
                raise ValueError("setpoint is required on this controller")
            data["setpoint"] = setpoint  # type: ignore
        else:
            url = f"{await self.get_system_api_base(system.id)}/away-mode"
            if setpoint is not None:
                raise ValueError("setpoint is not supported on this controller")

        await self.aiohttp_session.post(
            url, json=data, headers=self.get_authorized_headers()
        )
        for zone in system.zones:
            zone.current_special_function = ZoneCurrentSpecialFunction.HOLIDAY
            zone.general.holiday_start_date_time = start
            zone.general.holiday_end_date_time = end
        return system

    async def cancel_holiday(self, system: System):
        """
        Cancels a previously set away mode / holiday mode on a system

        Parameters:
            system: The target system
        """
        if system.control_identifier.is_vrc700:
            url = f"{await self.get_system_api_base(system.id)}/holiday"
        else:
            url = f"{await self.get_system_api_base(system.id)}/away-mode"

        if system.zones and system.zones[0].general.holiday_start_in_future:
            # For some reason cancelling holidays in the future doesn't work, but setting a past value does
            default_holiday = datetime.datetime(2019, 1, 1, 0, 0, 0)
            await self.set_holiday(system, start=default_holiday, end=default_holiday)
        else:
            await self.aiohttp_session.delete(
                url, headers=self.get_authorized_headers()
            )
        for zone in system.zones:
            zone.current_special_function = ZoneCurrentSpecialFunction.NONE
            zone.general.holiday_start_date_time = None
            zone.general.holiday_end_date_time = None
        return system

    async def set_domestic_hot_water_temperature(
        self, domestic_hot_water: DomesticHotWater, temperature: int | float
    ):
        """
        Sets the desired hot water temperature

        Parameters:
            domestic_hot_water: The water heater
            temperature: The desired temperature, only whole numbers are supported by the API, floats get rounded
        """
        if isinstance(temperature, float):
            logger.warning("Domestic hot water can only be set to whole numbers")
            temperature = int(round(temperature, 0))
        url = (
            f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
            f"/domestic-hot-water/{domestic_hot_water.index}/temperature"
        )
        await self.aiohttp_session.patch(
            url, json={"setpoint": temperature}, headers=self.get_authorized_headers()
        )
        domestic_hot_water.tapping_setpoint = temperature
        return domestic_hot_water

    async def boost_domestic_hot_water(self, domestic_hot_water: DomesticHotWater):
        """
        Temporarily boosts hot water temperature

        Parameters:
            domestic_hot_water: The water heater
        """
        url = (
            f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
            f"/domestic-hot-water/{domestic_hot_water.index}/boost"
        )
        await self.aiohttp_session.post(
            url, json={}, headers=self.get_authorized_headers()
        )
        domestic_hot_water.current_special_function = (
            DHWCurrentSpecialFunction.CYLINDER_BOOST
        )
        return domestic_hot_water

    async def cancel_hot_water_boost(self, domestic_hot_water: DomesticHotWater):
        """
        Cancels hot water boost

        Parameters:
            domestic_hot_water: The water heater
        """
        url = (
            f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
            f"/domestic-hot-water/{domestic_hot_water.index}/boost"
        )
        await self.aiohttp_session.delete(url, headers=self.get_authorized_headers())
        domestic_hot_water.current_special_function = DHWCurrentSpecialFunction.REGULAR
        return domestic_hot_water

    async def set_domestic_hot_water_operation_mode(
        self,
        domestic_hot_water: DomesticHotWater,
        mode: DHWOperationMode | DHWOperationModeVRC700 | str,
    ):
        """
        Sets the operation mode for water heating

        Parameters:
            domestic_hot_water: The water heater
            mode: The operation mode
        """
        url = (
            f"{await self.get_system_api_base(domestic_hot_water.system_id)}/domestic-hot-water/"
            f"{domestic_hot_water.index}/operation-mode"
        )
        await self.aiohttp_session.patch(
            url,
            json={"operationMode": str(mode)},
            headers=self.get_authorized_headers(),
        )

        if isinstance(mode, str):
            if domestic_hot_water.control_identifier.is_vrc700:
                mode = DHWOperationModeVRC700(mode)
            else:
                mode = DHWOperationMode(mode)
        domestic_hot_water.operation_mode_dhw = mode
        return domestic_hot_water

    async def set_domestic_hot_water_time_program(
        self, domestic_hot_water: DomesticHotWater, time_program: DHWTimeProgram
    ):
        """
        Sets the schedule for heating water

        Parameters:
            domestic_hot_water: The water heater
            time_program: The schedule
        """
        url = (
            f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
            f"/domestic-hot-water/{domestic_hot_water.index}/time-windows"
        )
        data = asdict(time_program)
        del data["meta_info"]
        await self.aiohttp_session.patch(
            url,
            json=dict_to_camel_case(data),
            headers=self.get_authorized_headers(),
        )
        domestic_hot_water.time_program_dhw = time_program
        return domestic_hot_water

    async def set_domestic_hot_water_circulation_time_program(
        self, domestic_hot_water: DomesticHotWater, time_program: DHWTimeProgram
    ):
        """
        Sets the schedule for the water circulation pump

        Parameters:
            domestic_hot_water: The water heater
            time_program: The schedule
        """
        url = (
            f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
            f"/domestic-hot-water/{domestic_hot_water.index}/circulation-pump-time-windows"
        )
        data = asdict(time_program)
        del data["meta_info"]
        await self.aiohttp_session.patch(
            url,
            json=dict_to_camel_case(data),
            headers=self.get_authorized_headers(),
        )
        domestic_hot_water.time_program_circulation_pump = time_program
        return domestic_hot_water

    async def set_ventilation_operation_mode(
        self,
        ventilation: Ventilation,
        mode: VentilationOperationMode | VentilationOperationModeVRC700,
    ):
        """
        Sets the operation mode for a ventilation device

        Parameters:
            ventilation: The ventilation device
            mode: The operation mode
        """
        url = (
            f"{await self.get_system_api_base(ventilation.system_id)}"
            f"/ventilation/{ventilation.index}/operation-mode"
        )
        await self.aiohttp_session.patch(
            url,
            json={
                "operationMode": str(mode),
            },
            headers=self.get_authorized_headers(),
        )
        ventilation.operation_mode_ventilation = mode
        return ventilation

    async def set_ventilation_fan_stage(
        self,
        ventilation: Ventilation,
        maximum_fan_stage: int,
        fan_stage_type: VentilationFanStageType,
    ):
        """
        Sets the maximum fan stage for a stage type

        Parameters:
            ventilation: The ventilation device
            maximum_fan_stage: The maximum fan speed, from 1-6
            fan_stage_type: The fan stage type (day or night)
        """
        url = (
            f"{await self.get_system_api_base(ventilation.system_id)}"
            f"/ventilation/{ventilation.index}/fan-stage"
        )
        await self.aiohttp_session.patch(
            url,
            json={
                "maximumFanStage": maximum_fan_stage,
                "type": str(fan_stage_type),
            },
            headers=self.get_authorized_headers(),
        )
        setattr(
            ventilation,
            f"maximum_{fan_stage_type.lower()}_fan_stage",
            maximum_fan_stage,
        )
        return ventilation

    async def get_connection_status(self, system: System | str) -> bool:
        """
        Returns whether the system is online

        Parameters:
            system: The System object or system ID string
        """
        url = (
            f"{await self.get_api_base()}/systems/"
            f"{get_system_id(system)}/meta-info/connection-status"
        )
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
        try:
            return (await response.json())["connected"]
        except KeyError:
            logger.warning("Couldn't get connection status")
            return False

    async def get_control_identifier(self, system: System | str) -> ControlIdentifier:
        """
        The control identifier is used in the URL to request system information (usually `tli`)

        Parameters:
            system: The System object or system ID string
        """
        system_id = get_system_id(system)

        if system_id in self.control_identifiers:
            # We already have the control identifier cached
            control_identifier = self.control_identifiers[system_id]
        else:
            url = (
                f"{await self.get_api_base()}/systems/"
                f"{system_id}/meta-info/control-identifier"
            )
            response = await self.aiohttp_session.get(
                url,
                headers=self.get_authorized_headers(),
            )
            try:
                control_identifier = (await response.json())["controlIdentifier"]
                self.control_identifiers[system_id] = control_identifier
            except KeyError:
                logger.warning("Couldn't get control identifier")
                control_identifier = DEFAULT_CONTROL_IDENTIFIER

        return ControlIdentifier(control_identifier)

    async def get_time_zone(self, system: System | str) -> datetime.tzinfo | None:
        """
        Gets the configured timezone for a system

        Parameters:
            system: The System object or system ID string
        """
        url = (
            f"{await self.get_api_base()}/systems/"
            f"{get_system_id(system)}/meta-info/time-zone"
        )
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
        try:
            tz = (await response.json())["timeZone"]
            return gettz(tz)
        except KeyError:
            logger.warning("Couldn't get timezone from API")
            return None

    async def get_diagnostic_trouble_codes(
        self, system: System | str
    ) -> list[dict] | None:
        """
        Returns a list of trouble codes by device

        Parameters:
            system: The System object or system ID string
        """
        url = (
            f"{await self.get_api_base()}/systems/"
            f"{get_system_id(system)}/diagnostic-trouble-codes"
        )
        try:
            response = await self.aiohttp_session.get(
                url,
                headers=self.get_authorized_headers(),
            )
        except ClientResponseError as e:
            logger.warning("Could not get diagnostic trouble codes", exc_info=e)
            return None
        result = await response.json()
        return dict_to_snake_case(result)

    async def get_rts(self, system: System | str) -> dict:
        """
        Gets RTS data, which contains on/off cycles and operation time

        Parameters:
            system: The System object or system ID string
        """
        url = f"{await self.get_api_base(system)}/rts/{get_system_id(system)}/devices"
        try:
            response = await self.aiohttp_session.get(
                url,
                headers=self.get_authorized_headers(),
            )
        except ClientResponseError as e:
            logger.warning("Could not get RTS data", exc_info=e)
            return {"statistics": []}
        result = await response.json()
        return dict_to_snake_case(result)

    async def get_mpc(self, system: System | str) -> dict:
        """
        Gets live power usage data per device

        Parameters:
            system: The System object or system ID string
        """
        url = f"{await self.get_api_base(system)}/hem/{get_system_id(system)}/mpc"
        try:
            response = await self.aiohttp_session.get(
                url,
                headers=self.get_authorized_headers(),
            )
        except ClientResponseError as e:
            logger.warning("Could not get MPC data", exc_info=e)
            return {"devices": []}
        result = await response.json()
        return dict_to_snake_case(result)

    async def get_ambisense_capability(self, system: System | str) -> bool:
        """
        Whether a system is ambisense capable

        Parameters:
            system: The System object or system ID string
        """
        url = f"{get_api_base()}/api/v1/ambisense/facilities/{get_system_id(system)}/capability"
        try:
            response = await self.aiohttp_session.get(
                url,
                headers=self.get_authorized_headers(),
            )
        except ClientResponseError as e:
            logger.warning("Could not get ambisense capability data", exc_info=e)
            return False
        result = await response.json()
        return dict_to_snake_case(result).get("rbr_capable", False)

    async def get_ambisense_rooms(self, system: System | str) -> list[dict]:
        """
        Whether a system is ambisense capable

        Parameters:
            system: The System object or system ID string
        """
        url = f"{get_api_base()}/api/v1/ambisense/facilities/{get_system_id(system)}/rooms"
        try:
            response = await self.aiohttp_session.get(
                url,
                headers=self.get_authorized_headers(),
            )
        except ClientResponseError as e:
            logger.warning("Could not get rooms data", exc_info=e)
            return []
        result = dict_to_snake_case(await response.json())
        for room in result:
            room["time_program"] = room.pop("timeprogram")
        return result

    async def set_ambisense_room_operation_mode(
        self,
        room: AmbisenseRoom,
        mode: AmbisenseRoomOperationMode | str,
    ) -> AmbisenseRoom:
        """
        Sets the operation mode for a room

        Parameters:
            room: The room
            mode: The operation mode
        """
        url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/operation-mode"
        await self.aiohttp_session.put(
            url,
            json={"operationMode": str(mode).lower()},
            headers=self.get_authorized_headers(),
        )

        if isinstance(mode, str):
            room.room_configuration.operation_mode = AmbisenseRoomOperationMode(
                mode.upper()
            )
        else:
            room.room_configuration.operation_mode = mode
        return room

    async def quick_veto_ambisense_room(
        self,
        room: AmbisenseRoom,
        temperature: float,
        duration_minutes: int | None = None,
        default_duration: int | None = None,
    ) -> AmbisenseRoom:
        """
        Temporarily overwrites the desired temperature in a room

        Parameters:
            room: The target room
            temperature: The target temperature
            duration_minutes: Optional, sets overwrite for this many minutes
            default_duration: Optional, falls back to this default duration if duration_minutes is not given
        """
        if not default_duration:
            default_duration = (
                int(DEFAULT_QUICK_VETO_DURATION) * 60
            )  # duration for quick veto for room is in minutes

        if duration_minutes and duration_minutes < 30:
            raise ValueError("duration_minutes must be greater than 30")

        url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/quick-veto"

        payload = {
            "temperatureSetpoint": temperature,
            "duration": duration_minutes or default_duration,
        }

        await self.aiohttp_session.put(
            url,
            json=payload,
            headers=self.get_authorized_headers(),
        )

        room.room_configuration.temperature_setpoint = temperature
        room.room_configuration.quick_veto_end_time = datetime.datetime.now(
            datetime.timezone.utc
        ) + datetime.timedelta(minutes=(duration_minutes or default_duration))
        return room

    async def cancel_quick_veto_ambisense_room(
        self, room: AmbisenseRoom
    ) -> AmbisenseRoom:
        """
        Cancels a previously set quick veto in a room

        Parameters:
            room: The target room
        """
        url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/quick-veto"

        await self.aiohttp_session.delete(url, headers=self.get_authorized_headers())
        room.room_configuration.quick_veto_end_time = None
        return room

    async def set_ambisense_room_manual_mode_setpoint_temperature(
        self,
        room: AmbisenseRoom,
        temperature: float,
    ):
        """
        Sets the desired temperature when in manual mode. The temperature is only taken into account if the room is in
        MANUAL mode, otherwise it has no effect.

        Parameters:
            room: The target room
            temperature: The target temperature
        """
        logger.debug(
            "Setting manual mode setpoint temperature to %.1f for %s",
            temperature,
            room.name,
        )
        payload: dict[str, Any] = {
            "temperatureSetpoint": temperature,
        }
        url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/temperature-setpoint"

        await self.aiohttp_session.put(
            url,
            json=payload,
            headers=self.get_authorized_headers(),
        )
        room.room_configuration.temperature_setpoint = temperature
        return room

    async def set_ambisense_room_time_program(
        self, room: AmbisenseRoom, time_program: RoomTimeProgram
    ) -> AmbisenseRoom:
        """
        Set time program for an ambisense room

        Parameters:
            room: The target room
            time_program: The new time program
        """
        url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/timeprogram"

        data = asdict(time_program, dict_factory=RoomTimeProgram.dict_factory)
        payload = dict_to_camel_case(data)

        await self.aiohttp_session.put(
            url, json=payload, headers=self.get_authorized_headers()
        )
        room.time_program = time_program
        return room

boost_domestic_hot_water(domestic_hot_water) async

Temporarily boosts hot water temperature

Parameters:

Name Type Description Default
domestic_hot_water DomesticHotWater

The water heater

required
Source code in myPyllant/api.py
async def boost_domestic_hot_water(self, domestic_hot_water: DomesticHotWater):
    """
    Temporarily boosts hot water temperature

    Parameters:
        domestic_hot_water: The water heater
    """
    url = (
        f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
        f"/domestic-hot-water/{domestic_hot_water.index}/boost"
    )
    await self.aiohttp_session.post(
        url, json={}, headers=self.get_authorized_headers()
    )
    domestic_hot_water.current_special_function = (
        DHWCurrentSpecialFunction.CYLINDER_BOOST
    )
    return domestic_hot_water

cancel_holiday(system) async

Cancels a previously set away mode / holiday mode on a system

Parameters:

Name Type Description Default
system System

The target system

required
Source code in myPyllant/api.py
async def cancel_holiday(self, system: System):
    """
    Cancels a previously set away mode / holiday mode on a system

    Parameters:
        system: The target system
    """
    if system.control_identifier.is_vrc700:
        url = f"{await self.get_system_api_base(system.id)}/holiday"
    else:
        url = f"{await self.get_system_api_base(system.id)}/away-mode"

    if system.zones and system.zones[0].general.holiday_start_in_future:
        # For some reason cancelling holidays in the future doesn't work, but setting a past value does
        default_holiday = datetime.datetime(2019, 1, 1, 0, 0, 0)
        await self.set_holiday(system, start=default_holiday, end=default_holiday)
    else:
        await self.aiohttp_session.delete(
            url, headers=self.get_authorized_headers()
        )
    for zone in system.zones:
        zone.current_special_function = ZoneCurrentSpecialFunction.NONE
        zone.general.holiday_start_date_time = None
        zone.general.holiday_end_date_time = None
    return system

cancel_hot_water_boost(domestic_hot_water) async

Cancels hot water boost

Parameters:

Name Type Description Default
domestic_hot_water DomesticHotWater

The water heater

required
Source code in myPyllant/api.py
async def cancel_hot_water_boost(self, domestic_hot_water: DomesticHotWater):
    """
    Cancels hot water boost

    Parameters:
        domestic_hot_water: The water heater
    """
    url = (
        f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
        f"/domestic-hot-water/{domestic_hot_water.index}/boost"
    )
    await self.aiohttp_session.delete(url, headers=self.get_authorized_headers())
    domestic_hot_water.current_special_function = DHWCurrentSpecialFunction.REGULAR
    return domestic_hot_water

cancel_quick_veto_ambisense_room(room) async

Cancels a previously set quick veto in a room

Parameters:

Name Type Description Default
room AmbisenseRoom

The target room

required
Source code in myPyllant/api.py
async def cancel_quick_veto_ambisense_room(
    self, room: AmbisenseRoom
) -> AmbisenseRoom:
    """
    Cancels a previously set quick veto in a room

    Parameters:
        room: The target room
    """
    url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/quick-veto"

    await self.aiohttp_session.delete(url, headers=self.get_authorized_headers())
    room.room_configuration.quick_veto_end_time = None
    return room

cancel_quick_veto_zone_temperature(zone, veto_type='heating') async

Cancels a previously set quick veto in a zone

Parameters:

Name Type Description Default
zone Zone

The target zone

required
veto_type str

Only supported on VRC700 controllers, either heating or cooling

'heating'
Source code in myPyllant/api.py
async def cancel_quick_veto_zone_temperature(
    self, zone: Zone, veto_type: str = "heating"
):
    """
    Cancels a previously set quick veto in a zone

    Parameters:
        zone: The target zone
        veto_type: Only supported on VRC700 controllers, either heating or cooling
    """
    if zone.control_identifier.is_vrc700:
        if veto_type not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{veto_type}/quick-veto"
    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/quick-veto"

    await self.aiohttp_session.delete(url, headers=self.get_authorized_headers())
    zone.quick_veto_start_date_time = None
    zone.quick_veto_end_date_time = None
    zone.current_special_function = ZoneCurrentSpecialFunction.NONE
    return zone

get_ambisense_capability(system) async

Whether a system is ambisense capable

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_ambisense_capability(self, system: System | str) -> bool:
    """
    Whether a system is ambisense capable

    Parameters:
        system: The System object or system ID string
    """
    url = f"{get_api_base()}/api/v1/ambisense/facilities/{get_system_id(system)}/capability"
    try:
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
    except ClientResponseError as e:
        logger.warning("Could not get ambisense capability data", exc_info=e)
        return False
    result = await response.json()
    return dict_to_snake_case(result).get("rbr_capable", False)

get_ambisense_rooms(system) async

Whether a system is ambisense capable

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_ambisense_rooms(self, system: System | str) -> list[dict]:
    """
    Whether a system is ambisense capable

    Parameters:
        system: The System object or system ID string
    """
    url = f"{get_api_base()}/api/v1/ambisense/facilities/{get_system_id(system)}/rooms"
    try:
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
    except ClientResponseError as e:
        logger.warning("Could not get rooms data", exc_info=e)
        return []
    result = dict_to_snake_case(await response.json())
    for room in result:
        room["time_program"] = room.pop("timeprogram")
    return result

get_code() async

This should really be done in the browser with OIDC, but that's not easy without support from Vaillant

So instead, we grab the login endpoint from the HTML form of the login website and send username + password to obtain a session

Source code in myPyllant/api.py
async def get_code(self):
    """
    This should really be done in the browser with OIDC, but that's not easy without support from Vaillant

    So instead, we grab the login endpoint from the HTML form of the login website and send username + password
    to obtain a session
    """

    code_verifier, code_challenge = generate_code()
    auth_querystring = {
        "response_type": "code",
        "client_id": CLIENT_ID,
        "code": "code_challenge",
        "redirect_uri": "enduservaillant.page.link://login",
        "code_challenge_method": "S256",
        "code_challenge": code_challenge,
    }

    # Grabbing the login URL from the HTML form of the login page
    code = None
    try:
        async with self.aiohttp_session.get(
            AUTHENTICATE_URL.format(realm=get_realm(self.brand, self.country))
            + "?"
            + urlencode(auth_querystring),
            allow_redirects=False,
        ) as resp:
            login_html = await resp.text()
            if "Location" in resp.headers:
                parsed_url = urlparse(resp.headers["Location"])
                code = parse_qs(parsed_url.query).get("code")
    except ClientResponseError as e:
        raise LoginEndpointInvalid from e

    if not code:
        result = re.search(
            LOGIN_URL.format(realm=get_realm(self.brand, self.country))
            + r"\?([^\"]*)",
            login_html,
        )
        login_url = unescape(result.group()) if result else None
        if not login_url:
            raise AuthenticationFailed("Could not get login URL")

        logger.debug("Got login url %s", login_url)
        login_payload = {
            "username": self.username,
            "password": self.password,
            "credentialId": "",
        }
        # Obtaining the code
        async with self.aiohttp_session.post(
            login_url, data=login_payload, allow_redirects=False
        ) as resp:
            logger.debug("Got login response headers %s", resp.headers)
            if "Location" not in resp.headers:
                raise AuthenticationFailed("Login failed")
            logger.debug(
                f'Got location from authorize endpoint: {resp.headers["Location"]}'
            )
            parsed_url = urlparse(resp.headers["Location"])
            code = parse_qs(parsed_url.query)["code"]
    return code, code_verifier

get_connection_status(system) async

Returns whether the system is online

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_connection_status(self, system: System | str) -> bool:
    """
    Returns whether the system is online

    Parameters:
        system: The System object or system ID string
    """
    url = (
        f"{await self.get_api_base()}/systems/"
        f"{get_system_id(system)}/meta-info/connection-status"
    )
    response = await self.aiohttp_session.get(
        url,
        headers=self.get_authorized_headers(),
    )
    try:
        return (await response.json())["connected"]
    except KeyError:
        logger.warning("Couldn't get connection status")
        return False

get_control_identifier(system) async

The control identifier is used in the URL to request system information (usually tli)

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_control_identifier(self, system: System | str) -> ControlIdentifier:
    """
    The control identifier is used in the URL to request system information (usually `tli`)

    Parameters:
        system: The System object or system ID string
    """
    system_id = get_system_id(system)

    if system_id in self.control_identifiers:
        # We already have the control identifier cached
        control_identifier = self.control_identifiers[system_id]
    else:
        url = (
            f"{await self.get_api_base()}/systems/"
            f"{system_id}/meta-info/control-identifier"
        )
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
        try:
            control_identifier = (await response.json())["controlIdentifier"]
            self.control_identifiers[system_id] = control_identifier
        except KeyError:
            logger.warning("Couldn't get control identifier")
            control_identifier = DEFAULT_CONTROL_IDENTIFIER

    return ControlIdentifier(control_identifier)

get_data_by_device(device, data_resolution=DeviceDataBucketResolution.DAY, data_from=None, data_to=None) async

Gets all energy data for a device

Parameters:

Name Type Description Default
device Device

The device

required
data_resolution DeviceDataBucketResolution

Which resolution level (i.e. day, month)

DAY
data_from datetime | None

Starting datetime

None
data_to datetime | None

End datetime

None
Source code in myPyllant/api.py
async def get_data_by_device(
    self,
    device: Device,
    data_resolution: DeviceDataBucketResolution = DeviceDataBucketResolution.DAY,
    data_from: datetime.datetime | None = None,
    data_to: datetime.datetime | None = None,
) -> AsyncIterator[DeviceData]:
    """
    Gets all energy data for a device

    Parameters:
        device: The device
        data_resolution: Which resolution level (i.e. day, month)
        data_from: Starting datetime
        data_to: End datetime

    """
    for data in device.data:
        data_from = data_from or data.data_from
        if not data_from:
            raise ValueError(
                "No data_from set, and no data_from found in device data"
            )
        data_to = data_to or data.data_to
        if not data_to:
            raise ValueError("No data_to set, and no data_to found in device data")
        start_date = datetime_format(data_from)
        end_date = datetime_format(data_to)
        querystring = {
            "resolution": str(data_resolution),
            "operationMode": data.operation_mode,
            "energyType": data.value_type,
            "startDate": start_date,
            "endDate": end_date,
        }
        device_buckets_url = (
            f"{await self.get_api_base()}/emf/v2/{device.system_id}/"
            f"devices/{device.device_uuid}/buckets?{urlencode(querystring)}"
        )
        async with self.aiohttp_session.get(
            device_buckets_url, headers=self.get_authorized_headers()
        ) as device_buckets_resp:
            device_buckets_json = await device_buckets_resp.json()
            yield DeviceData.from_api(
                timezone=device.timezone,
                device=device,
                **dict_to_snake_case(device_buckets_json),
            )

get_diagnostic_trouble_codes(system) async

Returns a list of trouble codes by device

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_diagnostic_trouble_codes(
    self, system: System | str
) -> list[dict] | None:
    """
    Returns a list of trouble codes by device

    Parameters:
        system: The System object or system ID string
    """
    url = (
        f"{await self.get_api_base()}/systems/"
        f"{get_system_id(system)}/diagnostic-trouble-codes"
    )
    try:
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
    except ClientResponseError as e:
        logger.warning("Could not get diagnostic trouble codes", exc_info=e)
        return None
    result = await response.json()
    return dict_to_snake_case(result)

get_homes() async

Returns configured homes and their system IDs

Returns:

Type Description
AsyncIterator[Home]

An Async Iterator with all the configured Home objects for the logged-in user

Source code in myPyllant/api.py
async def get_homes(self) -> AsyncIterator[Home]:
    """
    Returns configured homes and their system IDs

    Returns:
        An Async Iterator with all the configured `Home` objects for the logged-in user
    """
    async with self.aiohttp_session.get(
        f"{await self.get_api_base()}/homes", headers=self.get_authorized_headers()
    ) as homes_resp:
        for home_json in dict_to_snake_case(await homes_resp.json()):
            if "system_id" not in home_json or not home_json["system_id"]:
                logger.warning(
                    "Skipping home because system_id is missing or empty: %s",
                    home_json,
                )
                continue
            timezone = await self.get_time_zone(home_json["system_id"])
            yield Home.from_api(timezone=timezone, **home_json)

get_mpc(system) async

Gets live power usage data per device

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_mpc(self, system: System | str) -> dict:
    """
    Gets live power usage data per device

    Parameters:
        system: The System object or system ID string
    """
    url = f"{await self.get_api_base(system)}/hem/{get_system_id(system)}/mpc"
    try:
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
    except ClientResponseError as e:
        logger.warning("Could not get MPC data", exc_info=e)
        return {"devices": []}
    result = await response.json()
    return dict_to_snake_case(result)

get_rts(system) async

Gets RTS data, which contains on/off cycles and operation time

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_rts(self, system: System | str) -> dict:
    """
    Gets RTS data, which contains on/off cycles and operation time

    Parameters:
        system: The System object or system ID string
    """
    url = f"{await self.get_api_base(system)}/rts/{get_system_id(system)}/devices"
    try:
        response = await self.aiohttp_session.get(
            url,
            headers=self.get_authorized_headers(),
        )
    except ClientResponseError as e:
        logger.warning("Could not get RTS data", exc_info=e)
        return {"statistics": []}
    result = await response.json()
    return dict_to_snake_case(result)

get_systems(include_connection_status=False, include_diagnostic_trouble_codes=False, include_rts=False, include_mpc=False, include_ambisense_rooms=False) async

Returns an async generator of systems under control of the user

Parameters:

Name Type Description Default
include_connection_status bool

Fetches connection status for each system

False
include_diagnostic_trouble_codes bool

Fetches diagnostic trouble codes for each system and device

False
include_rts bool

Fetches RTS data for each system, only supported on TLI controllers

False
include_mpc bool

Fetches MPC data for each system, only supported on TLI controllers

False
include_ambisense_rooms bool

Fetches Ambisense room data

False

Returns:

Type Description
AsyncIterator[System]

An Async Iterator with all the System objects

Examples:

>>> async for system in MyPyllantAPI(**kwargs).get_systems():
>>>    print(system.water_pressure)
Source code in myPyllant/api.py
async def get_systems(
    self,
    include_connection_status: bool = False,
    include_diagnostic_trouble_codes: bool = False,
    include_rts: bool = False,
    include_mpc: bool = False,
    include_ambisense_rooms: bool = False,
) -> AsyncIterator[System]:
    """
    Returns an async generator of systems under control of the user

    Parameters:
        include_connection_status: Fetches connection status for each system
        include_diagnostic_trouble_codes: Fetches diagnostic trouble codes for each system and device
        include_rts: Fetches RTS data for each system, only supported on TLI controllers
        include_mpc: Fetches MPC data for each system, only supported on TLI controllers
        include_ambisense_rooms: Fetches Ambisense room data

    Returns:
        An Async Iterator with all the `System` objects

    Examples:
        >>> async for system in MyPyllantAPI(**kwargs).get_systems():
        >>>    print(system.water_pressure)
    """
    homes = self.get_homes()
    async for home in homes:
        control_identifier = await self.get_control_identifier(home.system_id)
        system_url = await self.get_system_api_base(home.system_id)
        current_system_url = (
            f"{await self.get_api_base()}/emf/v2/{home.system_id}/currentSystem"
        )

        async with self.aiohttp_session.get(
            system_url, headers=self.get_authorized_headers()
        ) as system_resp:
            system_raw = await system_resp.text()
            if control_identifier.is_vrc700:
                system_raw = system_raw.replace("domesticHotWater", "dhw")
                system_raw = system_raw.replace("DomesticHotWater", "Dhw")
            system_json = dict_to_snake_case(json.loads(system_raw))

        async with self.aiohttp_session.get(
            current_system_url, headers=self.get_authorized_headers()
        ) as current_system_resp:
            current_system_json = await current_system_resp.json()

        ambisense_capability = await self.get_ambisense_capability(home.system_id)

        system = System.from_api(
            brand=self.brand,
            home=home,
            timezone=home.timezone,
            control_identifier=control_identifier,
            connected=await self.get_connection_status(home.system_id)
            if include_connection_status
            else None,
            diagnostic_trouble_codes=await self.get_diagnostic_trouble_codes(
                home.system_id
            )
            if include_diagnostic_trouble_codes
            else None,
            rts=await self.get_rts(home.system_id) if include_rts else {},
            mpc=await self.get_mpc(home.system_id) if include_mpc else {},
            current_system=dict_to_snake_case(current_system_json),
            ambisense_capability=ambisense_capability,
            ambisense_rooms=await self.get_ambisense_rooms(home.system_id)
            if include_ambisense_rooms and ambisense_capability
            else [],
            **dict_to_snake_case(system_json),
        )
        yield system

get_time_zone(system) async

Gets the configured timezone for a system

Parameters:

Name Type Description Default
system System | str

The System object or system ID string

required
Source code in myPyllant/api.py
async def get_time_zone(self, system: System | str) -> datetime.tzinfo | None:
    """
    Gets the configured timezone for a system

    Parameters:
        system: The System object or system ID string
    """
    url = (
        f"{await self.get_api_base()}/systems/"
        f"{get_system_id(system)}/meta-info/time-zone"
    )
    response = await self.aiohttp_session.get(
        url,
        headers=self.get_authorized_headers(),
    )
    try:
        tz = (await response.json())["timeZone"]
        return gettz(tz)
    except KeyError:
        logger.warning("Couldn't get timezone from API")
        return None

get_yearly_reports(system, year=None) async

Returns an async generator of systems under control of the user

Parameters:

Name Type Description Default
system System

The System object or system ID string

required
year int | None

The year of the report

None
Source code in myPyllant/api.py
async def get_yearly_reports(
    self,
    system: System,
    year: int | None = None,
) -> AsyncIterator[SystemReport]:
    """
    Returns an async generator of systems under control of the user

    Parameters:
        system: The System object or system ID string
        year: The year of the report
    """
    url = f"{await self.get_api_base()}/emf/v2/{system.id}/report/{year}"
    async with self.aiohttp_session.get(
        url, headers=self.get_authorized_headers()
    ) as report_resp:
        reports_json = await report_resp.json()
        for report in dict_to_snake_case(reports_json):
            yield SystemReport.from_api(**report)

quick_veto_ambisense_room(room, temperature, duration_minutes=None, default_duration=None) async

Temporarily overwrites the desired temperature in a room

Parameters:

Name Type Description Default
room AmbisenseRoom

The target room

required
temperature float

The target temperature

required
duration_minutes int | None

Optional, sets overwrite for this many minutes

None
default_duration int | None

Optional, falls back to this default duration if duration_minutes is not given

None
Source code in myPyllant/api.py
async def quick_veto_ambisense_room(
    self,
    room: AmbisenseRoom,
    temperature: float,
    duration_minutes: int | None = None,
    default_duration: int | None = None,
) -> AmbisenseRoom:
    """
    Temporarily overwrites the desired temperature in a room

    Parameters:
        room: The target room
        temperature: The target temperature
        duration_minutes: Optional, sets overwrite for this many minutes
        default_duration: Optional, falls back to this default duration if duration_minutes is not given
    """
    if not default_duration:
        default_duration = (
            int(DEFAULT_QUICK_VETO_DURATION) * 60
        )  # duration for quick veto for room is in minutes

    if duration_minutes and duration_minutes < 30:
        raise ValueError("duration_minutes must be greater than 30")

    url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/quick-veto"

    payload = {
        "temperatureSetpoint": temperature,
        "duration": duration_minutes or default_duration,
    }

    await self.aiohttp_session.put(
        url,
        json=payload,
        headers=self.get_authorized_headers(),
    )

    room.room_configuration.temperature_setpoint = temperature
    room.room_configuration.quick_veto_end_time = datetime.datetime.now(
        datetime.timezone.utc
    ) + datetime.timedelta(minutes=(duration_minutes or default_duration))
    return room

quick_veto_zone_duration(zone, duration_hours, veto_type='heating') async

Updates the quick veto duration

Parameters:

Name Type Description Default
zone Zone

The target zone

required
duration_hours float

Updates quick veto duration (in hours)

required
veto_type str

Only supported on VRC700 controllers, either heating or cooling

'heating'
Source code in myPyllant/api.py
async def quick_veto_zone_duration(
    self,
    zone: Zone,
    duration_hours: float,
    veto_type: str = "heating",
):
    """
    Updates the quick veto duration

    Parameters:
        zone: The target zone
        duration_hours: Updates quick veto duration (in hours)
        veto_type: Only supported on VRC700 controllers, either heating or cooling
    """
    if zone.control_identifier.is_vrc700:
        if veto_type not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{veto_type}/quick-veto"
    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/quick-veto"

    await self.aiohttp_session.patch(
        url,
        json={"duration": duration_hours},
        headers=self.get_authorized_headers(),
    )
    zone.quick_veto_end_date_time = datetime.datetime.now(
        zone.timezone
    ) + datetime.timedelta(hours=duration_hours)
    return zone

quick_veto_zone_temperature(zone, temperature, duration_hours=None, default_duration=None, veto_type='heating') async

Temporarily overwrites the desired temperature in a zone

Parameters:

Name Type Description Default
zone Zone

The target zone

required
temperature float

The target temperature

required
duration_hours float | None

Optional, sets overwrite for this many hours

None
default_duration float | None

Optional, falls back to this default duration if duration_hours is not given

None
veto_type str

Only supported on VRC700 controllers, either heating or cooling

'heating'
Source code in myPyllant/api.py
async def quick_veto_zone_temperature(
    self,
    zone: Zone,
    temperature: float,
    duration_hours: float | None = None,
    default_duration: float | None = None,
    veto_type: str = "heating",
):
    """
    Temporarily overwrites the desired temperature in a zone

    Parameters:
        zone: The target zone
        temperature: The target temperature
        duration_hours: Optional, sets overwrite for this many hours
        default_duration: Optional, falls back to this default duration if duration_hours is not given
        veto_type: Only supported on VRC700 controllers, either heating or cooling
    """
    if not default_duration:
        default_duration = DEFAULT_QUICK_VETO_DURATION
    if zone.control_identifier.is_vrc700:
        if veto_type not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{veto_type}/quick-veto"
    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/quick-veto"

    if zone.current_special_function == ZoneCurrentSpecialFunction.QUICK_VETO:
        logger.debug(
            f"Patching quick veto for {zone.name} because it is already in quick veto mode"
        )
        payload = {
            "desiredRoomTemperatureSetpoint": temperature,
        }
        if duration_hours:
            payload["duration"] = duration_hours
        await self.aiohttp_session.patch(
            url,
            json=payload,
            headers=self.get_authorized_headers(),
        )
        zone.desired_room_temperature_setpoint = temperature
        return zone
    else:
        await self.aiohttp_session.post(
            url,
            json={
                "desiredRoomTemperatureSetpoint": temperature,
                "duration": duration_hours if duration_hours else default_duration,
            },
            headers=self.get_authorized_headers(),
        )
        zone.desired_room_temperature_setpoint = temperature
        zone.quick_veto_start_date_time = datetime.datetime.now(zone.timezone)
        zone.quick_veto_end_date_time = datetime.datetime.now(
            zone.timezone
        ) + datetime.timedelta(hours=(duration_hours or default_duration))
        return zone

set_ambisense_room_manual_mode_setpoint_temperature(room, temperature) async

Sets the desired temperature when in manual mode. The temperature is only taken into account if the room is in MANUAL mode, otherwise it has no effect.

Parameters:

Name Type Description Default
room AmbisenseRoom

The target room

required
temperature float

The target temperature

required
Source code in myPyllant/api.py
async def set_ambisense_room_manual_mode_setpoint_temperature(
    self,
    room: AmbisenseRoom,
    temperature: float,
):
    """
    Sets the desired temperature when in manual mode. The temperature is only taken into account if the room is in
    MANUAL mode, otherwise it has no effect.

    Parameters:
        room: The target room
        temperature: The target temperature
    """
    logger.debug(
        "Setting manual mode setpoint temperature to %.1f for %s",
        temperature,
        room.name,
    )
    payload: dict[str, Any] = {
        "temperatureSetpoint": temperature,
    }
    url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/temperature-setpoint"

    await self.aiohttp_session.put(
        url,
        json=payload,
        headers=self.get_authorized_headers(),
    )
    room.room_configuration.temperature_setpoint = temperature
    return room

set_ambisense_room_operation_mode(room, mode) async

Sets the operation mode for a room

Parameters:

Name Type Description Default
room AmbisenseRoom

The room

required
mode AmbisenseRoomOperationMode | str

The operation mode

required
Source code in myPyllant/api.py
async def set_ambisense_room_operation_mode(
    self,
    room: AmbisenseRoom,
    mode: AmbisenseRoomOperationMode | str,
) -> AmbisenseRoom:
    """
    Sets the operation mode for a room

    Parameters:
        room: The room
        mode: The operation mode
    """
    url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/configuration/operation-mode"
    await self.aiohttp_session.put(
        url,
        json={"operationMode": str(mode).lower()},
        headers=self.get_authorized_headers(),
    )

    if isinstance(mode, str):
        room.room_configuration.operation_mode = AmbisenseRoomOperationMode(
            mode.upper()
        )
    else:
        room.room_configuration.operation_mode = mode
    return room

set_ambisense_room_time_program(room, time_program) async

Set time program for an ambisense room

Parameters:

Name Type Description Default
room AmbisenseRoom

The target room

required
time_program RoomTimeProgram

The new time program

required
Source code in myPyllant/api.py
async def set_ambisense_room_time_program(
    self, room: AmbisenseRoom, time_program: RoomTimeProgram
) -> AmbisenseRoom:
    """
    Set time program for an ambisense room

    Parameters:
        room: The target room
        time_program: The new time program
    """
    url = f"{await self.get_api_base()}/api/v1/ambisense/facilities/{room.system_id}/rooms/{room.room_index}/timeprogram"

    data = asdict(time_program, dict_factory=RoomTimeProgram.dict_factory)
    payload = dict_to_camel_case(data)

    await self.aiohttp_session.put(
        url, json=payload, headers=self.get_authorized_headers()
    )
    room.time_program = time_program
    return room

set_domestic_hot_water_circulation_time_program(domestic_hot_water, time_program) async

Sets the schedule for the water circulation pump

Parameters:

Name Type Description Default
domestic_hot_water DomesticHotWater

The water heater

required
time_program DHWTimeProgram

The schedule

required
Source code in myPyllant/api.py
async def set_domestic_hot_water_circulation_time_program(
    self, domestic_hot_water: DomesticHotWater, time_program: DHWTimeProgram
):
    """
    Sets the schedule for the water circulation pump

    Parameters:
        domestic_hot_water: The water heater
        time_program: The schedule
    """
    url = (
        f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
        f"/domestic-hot-water/{domestic_hot_water.index}/circulation-pump-time-windows"
    )
    data = asdict(time_program)
    del data["meta_info"]
    await self.aiohttp_session.patch(
        url,
        json=dict_to_camel_case(data),
        headers=self.get_authorized_headers(),
    )
    domestic_hot_water.time_program_circulation_pump = time_program
    return domestic_hot_water

set_domestic_hot_water_operation_mode(domestic_hot_water, mode) async

Sets the operation mode for water heating

Parameters:

Name Type Description Default
domestic_hot_water DomesticHotWater

The water heater

required
mode DHWOperationMode | DHWOperationModeVRC700 | str

The operation mode

required
Source code in myPyllant/api.py
async def set_domestic_hot_water_operation_mode(
    self,
    domestic_hot_water: DomesticHotWater,
    mode: DHWOperationMode | DHWOperationModeVRC700 | str,
):
    """
    Sets the operation mode for water heating

    Parameters:
        domestic_hot_water: The water heater
        mode: The operation mode
    """
    url = (
        f"{await self.get_system_api_base(domestic_hot_water.system_id)}/domestic-hot-water/"
        f"{domestic_hot_water.index}/operation-mode"
    )
    await self.aiohttp_session.patch(
        url,
        json={"operationMode": str(mode)},
        headers=self.get_authorized_headers(),
    )

    if isinstance(mode, str):
        if domestic_hot_water.control_identifier.is_vrc700:
            mode = DHWOperationModeVRC700(mode)
        else:
            mode = DHWOperationMode(mode)
    domestic_hot_water.operation_mode_dhw = mode
    return domestic_hot_water

set_domestic_hot_water_temperature(domestic_hot_water, temperature) async

Sets the desired hot water temperature

Parameters:

Name Type Description Default
domestic_hot_water DomesticHotWater

The water heater

required
temperature int | float

The desired temperature, only whole numbers are supported by the API, floats get rounded

required
Source code in myPyllant/api.py
async def set_domestic_hot_water_temperature(
    self, domestic_hot_water: DomesticHotWater, temperature: int | float
):
    """
    Sets the desired hot water temperature

    Parameters:
        domestic_hot_water: The water heater
        temperature: The desired temperature, only whole numbers are supported by the API, floats get rounded
    """
    if isinstance(temperature, float):
        logger.warning("Domestic hot water can only be set to whole numbers")
        temperature = int(round(temperature, 0))
    url = (
        f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
        f"/domestic-hot-water/{domestic_hot_water.index}/temperature"
    )
    await self.aiohttp_session.patch(
        url, json={"setpoint": temperature}, headers=self.get_authorized_headers()
    )
    domestic_hot_water.tapping_setpoint = temperature
    return domestic_hot_water

set_domestic_hot_water_time_program(domestic_hot_water, time_program) async

Sets the schedule for heating water

Parameters:

Name Type Description Default
domestic_hot_water DomesticHotWater

The water heater

required
time_program DHWTimeProgram

The schedule

required
Source code in myPyllant/api.py
async def set_domestic_hot_water_time_program(
    self, domestic_hot_water: DomesticHotWater, time_program: DHWTimeProgram
):
    """
    Sets the schedule for heating water

    Parameters:
        domestic_hot_water: The water heater
        time_program: The schedule
    """
    url = (
        f"{await self.get_system_api_base(domestic_hot_water.system_id)}"
        f"/domestic-hot-water/{domestic_hot_water.index}/time-windows"
    )
    data = asdict(time_program)
    del data["meta_info"]
    await self.aiohttp_session.patch(
        url,
        json=dict_to_camel_case(data),
        headers=self.get_authorized_headers(),
    )
    domestic_hot_water.time_program_dhw = time_program
    return domestic_hot_water

set_holiday(system, start=None, end=None, setpoint=None) async

Sets away mode / holiday mode on a system

Parameters:

Name Type Description Default
system System

The target system

required
start datetime | None

Optional, datetime when the system goes into away mode. Defaults to now

None
end datetime | None

Optional, datetime when away mode should end. Defaults to one year from now

None
setpoint float | None

Optional, setpoint temperature during holiday, only supported on VRC700 controllers

None
Source code in myPyllant/api.py
async def set_holiday(
    self,
    system: System,
    start: datetime.datetime | None = None,
    end: datetime.datetime | None = None,
    setpoint: float | None = None,
):
    """
    Sets away mode / holiday mode on a system

    Parameters:
        system: The target system
        start: Optional, datetime when the system goes into away mode. Defaults to now
        end: Optional, datetime when away mode should end. Defaults to one year from now
        setpoint: Optional, setpoint temperature during holiday, only supported on VRC700 controllers
    """
    start, end = get_default_holiday_dates(start, end, system.timezone)
    logger.debug(
        "Setting holiday mode for system %s to %s - %s", system.id, start, end
    )
    if not start <= end:
        raise ValueError("Start of holiday mode must be before end")

    data = {
        "startDateTime": datetime_format(start, with_microseconds=True),
        "endDateTime": datetime_format(end, with_microseconds=True),
    }

    if system.control_identifier.is_vrc700:
        url = f"{await self.get_system_api_base(system.id)}/holiday"
        if setpoint is None:
            raise ValueError("setpoint is required on this controller")
        data["setpoint"] = setpoint  # type: ignore
    else:
        url = f"{await self.get_system_api_base(system.id)}/away-mode"
        if setpoint is not None:
            raise ValueError("setpoint is not supported on this controller")

    await self.aiohttp_session.post(
        url, json=data, headers=self.get_authorized_headers()
    )
    for zone in system.zones:
        zone.current_special_function = ZoneCurrentSpecialFunction.HOLIDAY
        zone.general.holiday_start_date_time = start
        zone.general.holiday_end_date_time = end
    return system

set_manual_mode_setpoint(zone, temperature, setpoint_type='heating') async

Sets the desired temperature when in manual mode

Parameters:

Name Type Description Default
zone Zone

The target zone

required
temperature float

The target temperature

required
setpoint_type str

Either heating or cooling

'heating'
Source code in myPyllant/api.py
async def set_manual_mode_setpoint(
    self,
    zone: Zone,
    temperature: float,
    setpoint_type: str = "heating",
):
    """
    Sets the desired temperature when in manual mode

    Parameters:
        zone: The target zone
        temperature: The target temperature
        setpoint_type: Either heating or cooling
    """
    logger.debug("Setting manual mode setpoint for %s", zone.name)
    if setpoint_type.lower() not in ZONE_OPERATING_TYPES:
        raise ValueError(
            f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
        )
    payload: dict[str, Any] = {
        "setpoint": temperature,
    }
    if zone.control_identifier.is_vrc700:
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{setpoint_type.lower()}/manual-mode-setpoint"

    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/manual-mode-setpoint"
        payload["type"] = setpoint_type.upper()
    await self.aiohttp_session.patch(
        url,
        json=payload,
        headers=self.get_authorized_headers(),
    )
    # zone.heating.manual_mode_setpoint_heating or zone.cooling.manual_mode_setpoint_cooling
    setattr(
        getattr(zone, setpoint_type.lower()),
        f"manual_mode_setpoint_{setpoint_type.lower()}",
        temperature,
    )
    return zone

set_set_back_temperature(zone, temperature, setback_type='heating') async

Sets the temperature that a zone gets lowered to in away mode

Parameters:

Name Type Description Default
zone Zone

The target zone

required
temperature float

The setback temperature

required
setback_type str

Only supported on VRC700 controllers, either heating or cooling

'heating'
Source code in myPyllant/api.py
async def set_set_back_temperature(
    self, zone: Zone, temperature: float, setback_type: str = "heating"
):
    """
    Sets the temperature that a zone gets lowered to in away mode

    Parameters:
        zone: The target zone
        temperature: The setback temperature
        setback_type: Only supported on VRC700 controllers, either heating or cooling
    """
    if zone.control_identifier.is_vrc700:
        if setback_type not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid setback type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{setback_type}/set-back-temperature"
    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/set-back-temperature"
    await self.aiohttp_session.patch(
        url,
        json={"setBackTemperature": temperature},
        headers=self.get_authorized_headers(),
    )
    # TODO: What to do with cooling?
    if setback_type == "heating":
        zone.heating.set_back_temperature = temperature
    return zone

set_ventilation_fan_stage(ventilation, maximum_fan_stage, fan_stage_type) async

Sets the maximum fan stage for a stage type

Parameters:

Name Type Description Default
ventilation Ventilation

The ventilation device

required
maximum_fan_stage int

The maximum fan speed, from 1-6

required
fan_stage_type VentilationFanStageType

The fan stage type (day or night)

required
Source code in myPyllant/api.py
async def set_ventilation_fan_stage(
    self,
    ventilation: Ventilation,
    maximum_fan_stage: int,
    fan_stage_type: VentilationFanStageType,
):
    """
    Sets the maximum fan stage for a stage type

    Parameters:
        ventilation: The ventilation device
        maximum_fan_stage: The maximum fan speed, from 1-6
        fan_stage_type: The fan stage type (day or night)
    """
    url = (
        f"{await self.get_system_api_base(ventilation.system_id)}"
        f"/ventilation/{ventilation.index}/fan-stage"
    )
    await self.aiohttp_session.patch(
        url,
        json={
            "maximumFanStage": maximum_fan_stage,
            "type": str(fan_stage_type),
        },
        headers=self.get_authorized_headers(),
    )
    setattr(
        ventilation,
        f"maximum_{fan_stage_type.lower()}_fan_stage",
        maximum_fan_stage,
    )
    return ventilation

set_ventilation_operation_mode(ventilation, mode) async

Sets the operation mode for a ventilation device

Parameters:

Name Type Description Default
ventilation Ventilation

The ventilation device

required
mode VentilationOperationMode | VentilationOperationModeVRC700

The operation mode

required
Source code in myPyllant/api.py
async def set_ventilation_operation_mode(
    self,
    ventilation: Ventilation,
    mode: VentilationOperationMode | VentilationOperationModeVRC700,
):
    """
    Sets the operation mode for a ventilation device

    Parameters:
        ventilation: The ventilation device
        mode: The operation mode
    """
    url = (
        f"{await self.get_system_api_base(ventilation.system_id)}"
        f"/ventilation/{ventilation.index}/operation-mode"
    )
    await self.aiohttp_session.patch(
        url,
        json={
            "operationMode": str(mode),
        },
        headers=self.get_authorized_headers(),
    )
    ventilation.operation_mode_ventilation = mode
    return ventilation

set_zone_operating_mode(zone, mode, operating_type='heating') async

Sets the operating mode for a zone

Parameters:

Name Type Description Default
zone Zone

The target zone

required
mode ZoneHeatingOperatingMode | ZoneHeatingOperatingModeVRC700 | str

The target operating mode

required
operating_type str

Either heating or cooling

'heating'
Source code in myPyllant/api.py
async def set_zone_operating_mode(
    self,
    zone: Zone,
    mode: ZoneHeatingOperatingMode | ZoneHeatingOperatingModeVRC700 | str,
    operating_type: str = "heating",
):
    """
    Sets the operating mode for a zone

    Parameters:
        zone: The target zone
        mode: The target operating mode
        operating_type: Either heating or cooling
    """
    if operating_type not in ZONE_OPERATING_TYPES:
        raise ValueError(
            f"Invalid HVAC mode, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
        )
    if zone.control_identifier.is_vrc700:
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/heating/operation-mode"
        key = "operationMode"
        mode_enum = ZoneHeatingOperatingModeVRC700  # type: ignore
    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/{operating_type}-operation-mode"
        key = f"{operating_type}OperationMode"
        mode_enum = ZoneHeatingOperatingMode  # type: ignore

    if mode not in mode_enum:
        raise ValueError(
            f"Invalid mode, must be one of {', '.join(mode_enum.__members__)}"
        )

    await self.aiohttp_session.patch(
        url,
        json={key: str(mode)},
        headers=self.get_authorized_headers(),
    )

    # zone.heating.operation_mode_heating or zone.cooling.operation_mode_cooling
    setattr(
        getattr(zone, operating_type),
        f"operation_mode_{operating_type}",
        mode_enum(mode),
    )
    return zone

set_zone_time_program(zone, program_type, time_program, setback_type='heating') async

Sets the temperature that a zone gets lowered to in away mode

Parameters:

Name Type Description Default
zone Zone

The target zone

required
program_type str

Which program to set

required
time_program ZoneTimeProgram

The time schedule

required
setback_type str

Only supported on VRC700 controllers, either heating or cooling

'heating'
Source code in myPyllant/api.py
async def set_zone_time_program(
    self,
    zone: Zone,
    program_type: str,
    time_program: ZoneTimeProgram,
    setback_type: str = "heating",
):
    """
    Sets the temperature that a zone gets lowered to in away mode

    Parameters:
        zone: The target zone
        program_type: Which program to set
        time_program: The time schedule
        setback_type: Only supported on VRC700 controllers, either heating or cooling
    """
    if program_type not in ZoneTimeProgramType:
        raise ValueError(
            "Type must be either heating or cooling, not %s", program_type
        )
    if zone.control_identifier.is_vrc700:
        if setback_type not in ZONE_OPERATING_TYPES:
            raise ValueError(
                f"Invalid veto type, must be one of {', '.join(ZONE_OPERATING_TYPES)}"
            )
        url = f"{await self.get_system_api_base(zone.system_id)}/zone/{zone.index}/{setback_type}/time-windows"
    else:
        url = f"{await self.get_system_api_base(zone.system_id)}/zones/{zone.index}/time-windows"
    data = asdict(time_program)
    data["type"] = program_type
    del data["meta_info"]
    await self.aiohttp_session.patch(
        url,
        json=dict_to_camel_case(data),
        headers=self.get_authorized_headers(),
    )

    # zone.heating.time_program_heating = time_program or zone.cooling.time_program_cooling = time_program
    setattr(
        getattr(zone, setback_type), f"time_program_{setback_type}", time_program
    )
    return zone