From 0d608e5a02cda55734b1b59561516926ecbe30af Mon Sep 17 00:00:00 2001 From: 5ila5 <5ila5@users.noreply.github.com> Date: Tue, 3 Sep 2024 13:50:41 +0200 Subject: [PATCH] add City of Wanneroo --- README.md | 1 + .../waste_collection_schedule/sources.json | 5 + .../source/wanneroo_wa_gov_au.py | 246 ++++++++++++++++++ doc/source/wanneroo_wa_gov_au.md | 35 +++ info.md | 2 +- 5 files changed, 288 insertions(+), 1 deletion(-) create mode 100644 custom_components/waste_collection_schedule/waste_collection_schedule/source/wanneroo_wa_gov_au.py create mode 100644 doc/source/wanneroo_wa_gov_au.md diff --git a/README.md b/README.md index 967ce9fb..1c0bb725 100644 --- a/README.md +++ b/README.md @@ -66,6 +66,7 @@ If your service provider is not listed, feel free to open a [source request issu - [City of Prospect](/doc/source/app_my_local_services_au.md) / prospect.sa.gov.au - [City of Ryde (NSW)](/doc/source/ryde_nsw_gov_au.md) / ryde.nsw.gov.au - [City of Salisbury](/doc/source/app_my_local_services_au.md) / salisbury.sa.gov.au +- [City of Wanneroo](/doc/source/wanneroo_wa_gov_au.md) / wanneroo.wa.gov.au - [City of West Torrens](/doc/source/app_my_local_services_au.md) / westtorrens.sa.gov.au - [City of Whyalla](/doc/source/app_my_local_services_au.md) / whyalla.sa.gov.au - [Clare and Gilbert Valleys Council](/doc/source/app_my_local_services_au.md) / claregilbertvalleys.sa.gov.au diff --git a/custom_components/waste_collection_schedule/sources.json b/custom_components/waste_collection_schedule/sources.json index 101866b7..24db2bd0 100644 --- a/custom_components/waste_collection_schedule/sources.json +++ b/custom_components/waste_collection_schedule/sources.json @@ -195,6 +195,11 @@ "module": "app_my_local_services_au", "default_params": {} }, + { + "title": "City of Wanneroo", + "module": "wanneroo_wa_gov_au", + "default_params": {} + }, { "title": "City of West Torrens", "module": "app_my_local_services_au", diff --git a/custom_components/waste_collection_schedule/waste_collection_schedule/source/wanneroo_wa_gov_au.py b/custom_components/waste_collection_schedule/waste_collection_schedule/source/wanneroo_wa_gov_au.py new file mode 100644 index 00000000..29ca9701 --- /dev/null +++ b/custom_components/waste_collection_schedule/waste_collection_schedule/source/wanneroo_wa_gov_au.py @@ -0,0 +1,246 @@ +import logging +import re +from datetime import date, datetime + +import requests +from bs4 import BeautifulSoup, Tag +from dateutil.parser import parse +from dateutil.rrule import WEEKLY, rrule +from waste_collection_schedule import Collection # type: ignore[attr-defined] + +_LOGGER = logging.getLogger(__name__) + +TITLE = "City of Wanneroo" +DESCRIPTION = "Source for City of Wanneroo." +URL = "https://www.wanneroo.wa.gov.au/" +TEST_CASES = { + "23 Bakana Loop LANDSDALE": {"address": "23 Bakana Loop LANDSDALE"}, + "13/26 Princeton Circle ALEXANDER HEIGHTS": { + "address": "13/26 Princeton Circle ALEXANDER HEIGHTS" + }, +} + + +ICON_MAP = { + "Recycling": "mdi:recycle", + "General Waste": "mdi:trash-can", + "Garden Organics": "mdi:leaf", +} + + +API_URL = "https://www.wanneroo.wa.gov.au/info/20008/waste_services" +COLLECTION_URL = "https://wanneroo.spatial.t1cloud.com/spatial/IntraMaps/ApplicationEngine/Integration/set" + + +# const API_URL = "https://enterprise.mapimage.net/IntraMaps22B/ApplicationEngine/Integration/api/search/"; +API_URL_REGEX = re.compile(r'const\s+API_URL\s*=\s*"(.*?Search/)";') +API_KEY_REGEX = re.compile(r'const\s+API_KEY\s*=\s*"(.*?)";') +FORM_ID_REGEX = re.compile(r'const\s+FORM_ID\s*=\s*"(.*?)";') +CONFIG_ID_REGEX = re.compile(r'const\s+CONFIG_ID\s*=\s*"(.*?)";') +PROJECT_NAME_REGEX = re.compile(r'const\s+PROJECT_NAME\s*=\s*"(.*?)";') + +# "Authorization": "apikey f49dd048-a442-4810-a567-544a1e0d32bc", +AUTHORIZATION_REGEX = re.compile(r'"Authorization": "(.*?)"') + + +WEEKDAYS = [ + "monday", + "tuesday", + "wednesday", + "thursday", + "friday", + "saturday", + "sunday", +] + + +def _parse_rythm_description(rythm_description: str) -> list[date]: + if rythm_description.strip().lower() in WEEKDAYS: + return [ + d.date() + for d in rrule( + WEEKLY, + byweekday=WEEKDAYS.index(rythm_description.strip().lower()), + dtstart=datetime.now(), + count=20, + ) + ] + if rythm_description.strip().lower().startswith("fortnightly"): + next_date_str = rythm_description.strip().lower().split("next collection", 1)[1] + next_date = parse(next_date_str, dayfirst=True).date() + return [ + d.date() for d in rrule(WEEKLY, interval=2, dtstart=next_date, count=10) + ] + + raise Exception(f"Could not parse rhythm description: {rythm_description}") + + +class Source: + def __init__(self, address: str): + self._address: str = address + self._dbkey: str | None = None + self._mapkey: str | None = None + + def _match_address(self, address: str) -> bool: + return self._address.lower().replace(" ", "").replace( + ",", "" + ) in address.lower().replace(" ", "").replace(",", "") + + def _fetch_address_values(self) -> None: + session = requests.Session() + + r = session.get(API_URL) + r.raise_for_status() + soup = BeautifulSoup(r.text, "html.parser") + script = soup.find("script", {"src": lambda x: x and "widget.js" in x}) + if not isinstance(script, Tag): + raise Exception("Failed to find address values") + + script_url = script["src"] + if isinstance(script_url, list): + script_url = script_url[0] + + if script_url.startswith("//"): + script_url = "https:" + script_url + r = session.get(script_url) + r.raise_for_status() + + api_url_search = API_URL_REGEX.search(r.text) + if not api_url_search: + raise Exception("Failed to find API URL") + api_url = api_url_search.group(1) + + api_key_search = API_KEY_REGEX.search(r.text) + if not api_key_search: + raise Exception("Failed to find API key") + api_key = api_key_search.group(1) + + form_id_search = FORM_ID_REGEX.search(r.text) + if not form_id_search: + raise Exception("Failed to find form ID") + form_id = form_id_search.group(1) + + config_id_search = CONFIG_ID_REGEX.search(r.text) + if not config_id_search: + raise Exception("Failed to find config ID") + config_id = config_id_search.group(1) + + project_name_search = PROJECT_NAME_REGEX.search(r.text) + if not project_name_search: + raise Exception("Failed to find project name") + project_name = project_name_search.group(1) + + params = { + "configId": config_id, + "form": form_id, + "project": project_name, + "fields": self._address, + } + + headers = { + "Authorization": f"apikey {api_key}", + "Content-Type": "application/json", + } + + # get json file + r = session.get(api_url, params=params, headers=headers) + r.raise_for_status() + + result = r.json() + + if len(result) == 0: + raise Exception("Could not find any matching addresses") + + addresses = [] + for entry in result: + address = [v for v in entry if v["name"] == "Address"][0]["value"] + addresses.append(address) + if self._match_address(address): + self._dbkey = [v for v in entry if v["name"] == "dbkey"][0]["value"] + self._mapkey = [v for v in entry if v["name"] == "mapkey"][0]["value"] + return + + raise Exception( + "Could not find matching address, using one of: " + ", ".join(addresses) + ) + + def fetch(self) -> list[Collection]: + fresh_keys = False + if not self._dbkey or not self._mapkey: + fresh_keys = True + self._fetch_address_values() + + try: + return self._get_collections() + except Exception as e: + if fresh_keys: + raise e + self._fetch_address_values() + return self._get_collections() + + def _get_collections(self) -> list[Collection]: + if not self._dbkey or not self._mapkey: + raise Exception("No address keys found") + + data = { + "dbKey": self._dbkey, + "infoPanelWidth": 0, + "mapKeys": [self._mapkey], + "multiLayer": False, + "selectionLayer": "Parcels", + "useCatalogId": False, + "zoomTo": "entire", + } + headers = { + "Content-Type": "application/json", + "User-Agent": "Mozilla/5.0", + "X-Requested-With": "XMLHttpRequest", + } + + r = requests.post( + COLLECTION_URL, + json=data, + params={"IntraMapsSession": "78a2138f-1941-4070-baf4-e8ff5da5cfba"}, + headers=headers, + ) + + r.raise_for_status() + + respone_data: dict = r.json() + panel_fields = ( + respone_data.get("infoPanels", {}) + .get("info1", {}) + .get("feature", {}) + .get("fields") + ) + if not panel_fields: + raise Exception("Invalid response from server") + + entries = [] + for field in panel_fields: + if "value" not in field: + continue + if "column" not in field["value"]: + continue + if not field["value"]["column"].lower().endswith("day"): + continue + if "value" not in field["value"]: + continue + + bin_type, rythm_description = field["value"]["value"].split("-", 1) + rythm_description = rythm_description.strip() + bin_type = bin_type.strip() + icon = ICON_MAP.get(bin_type) # Collection icon + + try: + dates = _parse_rythm_description(rythm_description) + except Exception as e: + _LOGGER.warning( + f"Failed to parse rhythm description: {rythm_description}, {e}" + ) + continue + + for date_ in dates: + entries.append(Collection(date=date_, t=bin_type, icon=icon)) + + return entries diff --git a/doc/source/wanneroo_wa_gov_au.md b/doc/source/wanneroo_wa_gov_au.md new file mode 100644 index 00000000..52bb5141 --- /dev/null +++ b/doc/source/wanneroo_wa_gov_au.md @@ -0,0 +1,35 @@ +# City of Wanneroo + +Support for schedules provided by [City of Wanneroo](https://www.wanneroo.wa.gov.au/), serving City of Wanneroo, Australia. + +## Configuration via configuration.yaml + +```yaml +waste_collection_schedule: + sources: + - name: wanneroo_wa_gov_au + args: + address: ADDRESS + +``` + +### Configuration Variables + +**address** +*(String) (required)* + + +## Example + +```yaml +waste_collection_schedule: + sources: + - name: wanneroo_wa_gov_au + args: + address: 23 Bakana Loop LANDSDALE + +``` + +## How to get the source argument + +Find the parameter of your address using [https://www.wanneroo.wa.gov.au/info/20008/waste_services](https://www.wanneroo.wa.gov.au/info/20008/waste_services) and write them exactly like on the web page. diff --git a/info.md b/info.md index be41779d..80a23de2 100644 --- a/info.md +++ b/info.md @@ -16,7 +16,7 @@ Waste collection schedules from service provider web sites are updated daily, de |--|--| | Generic | ICS / iCal files | | Static | User-defined dates or repeating date patterns | -| Australia | Adelaide Hills Council, Adelaide Plains Council, Alexandrina Council, App Backend of My Local Services, Armadale (Western Australia), Australian Capital Territory (ACT), Banyule City Council, Baw Baw Shire Council, Bayside City Council, Bega Valley Shire Council, Belmont City Council, Berri Barmera Council, Blacktown City Council (NSW), Blue Mountains City Council, Brisbane City Council, Burwood City Council, Campbelltown City Council, Campbelltown City Council (NSW), Cardinia Shire Council, City of Adelaide, City of Ballarat, City of Burnside, City of Canada Bay Council, City of Charles Sturt, City of Cockburn, City of Darebin, City of Greater Geelong, City of Kingston, City of Mitcham, City of Mount Gambier, City of Norwood Payneham and St Peters, City of Onkaparinga, City of Onkaparinga Council, City of Port Adelaide Enfield, City of Prospect, City of Ryde (NSW), City of Salisbury, City of West Torrens, City of Whyalla, Clare and Gilbert Valleys Council, Coorong District Council, Council of Copper Coast, Cowra Council, Cumberland Council (NSW), District Council of Barunga West, District Council of Ceduna, District Council of Cleve, District Council of Elliston, District Council of Loxton Waikerie, District Council of Mount Barker, District Council of Mount Remarkable, District Council of Robe, District Council of Streaky Bay, Forbes Shire Council, Frankston City Council, Gold Coast City Council, Gwydir Shire Council, Hobsons Bay City Council, Hornsby Shire Council, Hume City Council, Impact Apps, Inner West Council (NSW), Ipswich City Council, Knox City Council, Ku-ring-gai Council, Lake Macquarie City Council, Light Regional Council, Lithgow City Council, Livingstone Shire Council, Loddon Shire Council, Logan City Council, Macedon Ranges Shire Council, Mansfield Shire Council, Maribyrnong Council, Maroondah City Council, Melton City Council, Merri-bek City Council, Mid Murray Council, Moira Shire Council, Moree Plains Shire Council, Moreton Bay, Mosman Council, Naracoorte Lucindale Council, Nillumbik Shire Council, North Adelaide Waste Management Authority, Northern Areas Council, Penrith City Council, Port Adelaide Enfield, South Australia, Port Augusta City Council, Port Macquarie Hastings Council, Port Pirie Regional Council, Port Stephens Council, Queanbeyan-Palerang Regional Council, RecycleSmart, Redland City Council (QLD), Regional Council of Goyder, Renmark Paringa Council, Rural City of Murray Bridge, Shellharbour City Council, Singleton Council, Snowy Valleys Council, South Burnett Regional Council, Southern Mallee District Council, Stirling, Stonnington City Council, The Flinders Ranges Council, The Hawkesbury City Council, Sydney, The Hills Shire Council, Sydney, Town of Victoria Park, Town of Walkerville, Townsville, Unley City Council (SA), Wakefield Regional Council, Wellington Shire Council, Whitehorse City Counfil, Whittlesea City Council, Wollondilly Shire Council, Wollongong City Council, Wyndham City Council, Melbourne, Yankalilla District Council, Yarra Ranges Council, Yorke Peninsula Council | +| Australia | Adelaide Hills Council, Adelaide Plains Council, Alexandrina Council, App Backend of My Local Services, Armadale (Western Australia), Australian Capital Territory (ACT), Banyule City Council, Baw Baw Shire Council, Bayside City Council, Bega Valley Shire Council, Belmont City Council, Berri Barmera Council, Blacktown City Council (NSW), Blue Mountains City Council, Brisbane City Council, Burwood City Council, Campbelltown City Council, Campbelltown City Council (NSW), Cardinia Shire Council, City of Adelaide, City of Ballarat, City of Burnside, City of Canada Bay Council, City of Charles Sturt, City of Cockburn, City of Darebin, City of Greater Geelong, City of Kingston, City of Mitcham, City of Mount Gambier, City of Norwood Payneham and St Peters, City of Onkaparinga, City of Onkaparinga Council, City of Port Adelaide Enfield, City of Prospect, City of Ryde (NSW), City of Salisbury, City of Wanneroo, City of West Torrens, City of Whyalla, Clare and Gilbert Valleys Council, Coorong District Council, Council of Copper Coast, Cowra Council, Cumberland Council (NSW), District Council of Barunga West, District Council of Ceduna, District Council of Cleve, District Council of Elliston, District Council of Loxton Waikerie, District Council of Mount Barker, District Council of Mount Remarkable, District Council of Robe, District Council of Streaky Bay, Forbes Shire Council, Frankston City Council, Gold Coast City Council, Gwydir Shire Council, Hobsons Bay City Council, Hornsby Shire Council, Hume City Council, Impact Apps, Inner West Council (NSW), Ipswich City Council, Knox City Council, Ku-ring-gai Council, Lake Macquarie City Council, Light Regional Council, Lithgow City Council, Livingstone Shire Council, Loddon Shire Council, Logan City Council, Macedon Ranges Shire Council, Mansfield Shire Council, Maribyrnong Council, Maroondah City Council, Melton City Council, Merri-bek City Council, Mid Murray Council, Moira Shire Council, Moree Plains Shire Council, Moreton Bay, Mosman Council, Naracoorte Lucindale Council, Nillumbik Shire Council, North Adelaide Waste Management Authority, Northern Areas Council, Penrith City Council, Port Adelaide Enfield, South Australia, Port Augusta City Council, Port Macquarie Hastings Council, Port Pirie Regional Council, Port Stephens Council, Queanbeyan-Palerang Regional Council, RecycleSmart, Redland City Council (QLD), Regional Council of Goyder, Renmark Paringa Council, Rural City of Murray Bridge, Shellharbour City Council, Singleton Council, Snowy Valleys Council, South Burnett Regional Council, Southern Mallee District Council, Stirling, Stonnington City Council, The Flinders Ranges Council, The Hawkesbury City Council, Sydney, The Hills Shire Council, Sydney, Town of Victoria Park, Town of Walkerville, Townsville, Unley City Council (SA), Wakefield Regional Council, Wellington Shire Council, Whitehorse City Counfil, Whittlesea City Council, Wollondilly Shire Council, Wollongong City Council, Wyndham City Council, Melbourne, Yankalilla District Council, Yarra Ranges Council, Yorke Peninsula Council | | Austria | Abfallverband Hollabrunn, Abfallverband Korneuburg, Abfallverband Schwechat, Abfallwirtschaft der Stadt St. Pölten, Abfallwirtschaft Stadt Krems, Afritz am See, Alpbach, Altenmarkt an der Triesting, Althofen, Andau, Angath, Apetlon, App CITIES, Arnoldstein, Aschau im Zillertal, AWV Neunkirchen, AWV Wr. Neustadt, Bad Blumau, Bad Gleichenberg, Bad Häring, Bad Kleinkirchheim, Bad Loipersdorf, Bad Radkersburg, Bad Tatzmannsdorf, Bad Waltersdorf, Baldramsdorf, Berg im Drautal, Berndorf bei Salzburg, Bernstein, Bildein, Brandenberg, Breitenbach am Inn, Breitenbrunn am Neusiedler See, Breitenstein, Bromberg, Bruckneudorf, Buch - St. Magdalena, Burgau, Burgauberg-Neudauberg, Burgenländischer Müllverband, Dechantskirchen, Dellach, Dellach im Drautal, Deutsch Goritz, Deutsch Jahrndorf, Deutsch Kaltenbrunn, Deutschkreutz, Die NÖ Umweltverbände, Dobl-Zwaring, Drasenhofen, Draßmarkt, Ebenthal in Kärnten, Eberau, Eberndorf, Ebersdorf, Eberstein, Edelsbach bei Feldbach, Eggenburg, Eggersdorf bei Graz, Eichgraben, Eisenstadt, Eugendorf, Fehring, Feistritz im Rosental, Feistritz ob Bleiburg, Feldbach, Feldkirchen in Kärnten, Feldkirchen in Kärnten, Ferlach, Ferndorf, Ferndorf, Finkenstein am Faaker See, Frankenau-Unterpullendorf, Frauenkirchen, Frauenstein, Freistadt, Fresach, Friedberg, Frohnleiten, Fürstenfeld, Gabersdorf, GABL, Gattendorf, GAUL Laa an der Thaya, GAUM Mistelbach, GDA Amstetten, Gemeindeverband Horn, Gitschtal, Gitschtal, Globasnitz, Gmünd in Kärnten, Gols, Grafendorf bei Hartberg, Grafenschachen, Grafenstein, Grafenstein, Gratkorn, Gratwein-Straßengel, Greifenburg, Großkirchheim, Großsteinbach, Großwarasdorf, Großwilfersdorf, Gutenberg, Guttaring, GV Gmünd, GV Krems, GV Zwettl, GVA Baden, GVA Baden, GVA Lilienfeld, GVA Mödling, GVA Tulln, GVA Waidhofen/Thaya, GVU Bezirk Gänserndorf, GVU Melk, GVU Scheibbs, GVU Scheibbs, GVU St. Pölten, Güssing, Hagenberg im Mühlkreis, Hannersdorf, Hartberg, Heiligenblut am Großglockner, Heiligenkreuz, Heiligenkreuz am Waasen, Heimschuh, Henndorf am Wallersee, Henndorf am Wallersee, Hermagor-Pressegger See, Hirm, Hofstätten an der Raab, Hopfgarten im Brixental, Horitschon, Horn, Hornstein, Hüttenberg, Ilz, infeo, Innsbrucker Kommunalbetriebe, Inzenhof, Irschen, Jabing, Jagerberg, Kaindorf, Kaisersdorf, Kalsdorf bei Graz, Kapfenstein, Kemeten, Keutschach am See, Kirchbach, Kirchbach-Zerlach, Kirchberg an der Raab, Kirchbichl, Kirchdorf in Tirol, Kittsee, Klagenfurt am Wörthersee, Kleblach-Lind, Kleinmürbisch, Klingenbach, Klosterneuburg, Klöch, Kobersdorf, Kohfidisch, Korneuburg, Krems in Kärnten, Krensdorf, Krumpendorf am Wörthersee, Kuchl, Kundl, Kössen, Köstendorf, Kötschach-Mauthen, Köttmannsdorf, Laa an der Thaya, Lackenbach, Lackendorf, Langau, Langenrohr, Leibnitz, Leithaprodersdorf, Lendorf, Leoben, Lesachtal, Leutschach an der Weinstraße, Lieboch, Linz AG, Litzelsdorf, Lockenhaus, Loipersbach im Burgenland, Ludmannsdorf, Lurnfeld, Magdalensberg, Mallnitz, Malta, Maria Rain, Maria Saal, Maria Wörth, Mariasdorf, Markt Hartmannsdorf, Markt Neuhodis, Markt Piesting Dreistetten, Marktgemeinde Edlitz, Marz, Mattersburg, Mattsee, Mayer Recycling, Meiseldorf, Melk, Mettersdorf am Saßbach, Miesenbach, Millstatt, Mischendorf, Mistelbach, Mitterdorf an der Raab, Moosburg, Mureck, Mönchhof, Mörbisch am See, Mörtschach, Mühldorf, Müll App, Münster, Neudorf bei Parndorf, Neudörfl, Neufeld an der Leitha, Neumarkt am Wallersee, Neusiedl am See, Neustift bei Güssing, Nickelsdorf, Oberdrauburg, Oberndorf in Tirol, Oberpullendorf, Oberschützen, Obertrum am See, Oberwart, Oslip, Ottendorf an der Rittschein, Ottobrunn, Paldau, Pama, Pamhagen, Parndorf, Paternion, Payerbach, Peggau, Pernegg an der Mur, Pernegg im Waldviertel, Pfarrwerfen, Pilgersdorf, Pinggau, Pinkafeld, Podersdorf am See, Poggersdorf, Poggersdorf, Potzneusiedl, Poysdorf, Pöchlarn, Pörtschach am Wörther See, Raach am Hochgebirge, Raasdorf, Radenthein, Radfeld, Radmer, Ragnitz, Raiding, Ramsau im Zillertal, Rangersdorf, Reichenau, Reichenfels, Reith im Alpbachtal, Reißeck, Rennweg am Katschberg, Rohr bei Hartberg, Rohr im Burgenland, Rudersdorf, Rust, Saalfelden am Steinernen Meer, Sachsenburg, Sankt Georgen an der Stiefing, Sankt Gilgen, Sankt Oswald bei Plankenwarth, Schiefling am Wörthersee, Schleedorf, Schrattenberg, Schwadorf, Schwaz, Schwoich, Schäffern, Schützen am Gebirge, Seeboden, Seeham, Seekirchen am Wallersee, Seiersberg-Pirka, Siegendorf, Sigleß, Sigmundsherberg, Sinabelkirchen, Spittal an der Drau, St. Andrä, St. Andrä, St. Andrä am Zicksee, St. Anna am Aigen, St. Egyden am Steinfeld, St. Georgen an der Leys, St. Jakob im Rosental, St. Jakob im Rosental, St. Johann in der Haide, St. Johann in Tirol, St. Konrad, St. Lorenzen am Wechsel, St. Margareten im Rosental, St. Margarethen an der Raab, St. Margarethen im Burgenland, St. Peter - Freienstein, St. Peter am Ottersbach, St. Ruprecht an der Raab, St. Symvaro, St. Veit in der Südsteiermark, Stadt Salzburg, Stadtgemeinde Traiskirchen, Stadtservice Korneuburg, Stall, Stegersbach, Steinbrunn, Steinfeld, Steuerberg, Stinatz, Stiwoll, Stockenboi, Stockerau, Strass im Zillertal, Straß in Steiermark, Straßwalchen, Söchau, Söll, Tadten, Tattendorf, Techelsberg am Wörther See, Thal, Tieschen, Tobaj, Trebesing, Treffen am Ossiacher See, Tulln an der Donau, Umweltprofis, Umweltv, Unterfrauenhaid, Unterkohlstätten, Unterlamm, Unterwart, Vasoldsberg, Velden am Wörther See, Villach, Vordernberg, Völkermarkt, Völkermarkt, Walpersbach, Wattens, Weiden am See, Weitersfeld, Weiz, Weißensee, Weppersdorf, Werfenweng, Wies, Wiesen, Wiesfleck, Wiesmath, Wimpassing an der Leitha, Winden am See, Winklern, Wolfau, Wolfsberg, Wolfsberg, Wolkersdorf im Weinviertel, WSZ Moosburg, Wulkaprodersdorf, Wörterberg, Zagersdorf, Zelking-Matzleinsdorf, Zell, Zell am Ziller, Zellberg, Zillingtal, Zurndorf, Übelbach | | Belgium | Hygea, Limburg.net, Recycle! | | Canada | Aurora (ON), Calgary (AB), Calgary, AB, City of Edmonton, AB, City of Greater Sudbury, ON, City of Nanaimo, City of Peterborough, ON, City of Vancouver, County of Simcoe, ON, CURBit St. John's, Halifax, NS, Kawartha Lakes (ON), London (ON), Montreal (QC), Niagara Region, Orillia, Ontario, Ottawa, Canada, Region of Waterloo, RM of Morris, MB, Strathcona County, ON, Toronto (ON), Vaughan (ON), Waste Wise APPS, Winnipeg (MB) |