I want this!
The new calendar integration is great, it has views listing all events for the day or week or month.
I just need to know a list of tomorrow’s events but the calendar entity has a summary containng only the first. When you have all-day events this never changes between the days events.
If the entity had a list we could loop through TTS and other notification automations would be easy.
+1 from me, all i can do is notify the first in the list on the day.
I would also appreciate this feature
has someone a workaround until it will, maybe integrated?
As mentioned in one of my previous posts, I use a node-red integration which calls the same calendar. With said integration I call the calendar which returns a list of all events within a day or more (depending on your range you want)
I am waiting for this feature for a long time: I hope I could get a TTS about the events list of tomorrow / next week and etc.
+1
I am also waiting for this feature, in the mean time I have found a workaround. Using the REST API it is possible to get a list of events from a calendar:
curl -X GET -H "Authorization: Bearer ABCDEFGH" \
-H "Content-Type: application/json" \
http://localhost:8123/api/calendars/calendar.holidays?start=2022-05-01T07:00:00.000Z&end=2022-06-12T07:00:00.000Z
Integrating that REST API call into a python script allows us to do anything related to past/upcoming events.
The default Python Script integration does not allow using Python imports (so no cURL/requests to make REST API calls), but using the pyscript integration everything is possible!
Thanks for pointing this out! I suck at python. Do you have a code example of how to pull calendar events with pyscript?
Here’s a piece of code to get you going:
import aiohttp
calendar_id = "calendar.my_calendar"
events_filter = "start=2022-12-01&end=2023-04-01"
access_token = "xxx"
local_calendar_url = f"https://localhost:8123/api/calendars/{calendar_id}?{events_filter}"
headers = {
'Authorization': f"Bearer {access_token}",
'Content-Type': 'application/json'
}
async with aiohttp.ClientSession(headers=headers, connector=aiohttp.TCPConnector(ssl=False)) as session:
async with session.get(local_calendar_url) as response:
calendar_events = json.loads(response.text())
log.info('Calendar events:' + json.dumps(calendar_events))
You’ll have to adjust the variables for your situation and will need to get a long-lived access token.
Excuse me, in which folder should I put your script?
This is just a snippet of code that can be used to retrieve the list of events in a calendar, it is not a fully functioning script.
To get going you would need to install the Pyscript integration, turn the snippet into a full script that does what you want and copy it into /config/pyscript
.
@Mathieu - thanks for the pointer. I wrote a pyscript that
- for every calendar included/excluded (see code) adds a “calendar.name_ext” entity with 4 attributes
current_event_brief:
upcoming_event_brief: 9:00 Justin and Alex
start_time: 2023-02-27T09:00:00-05:00
till: 12hr
- adds calendar.all entity that aggegates included calendars
current_event_brief:
upcoming_event_brief: 9:00 (Steve / alex)
start_time: 2023-02-27T09:00:00-05:00
till: 12hr
import aiohttp
import datetime
from datetime import timezone
import json
from homeassistant.const import EVENT_STATE_CHANGED
ha_base_url = "http://192.168.XX.YY:8123"
access_token = "YOUR_TOKEN"
now = datetime.datetime.now()
start = now.isoformat()
end = now + datetime.timedelta(days=7)
events_filter = f"start={start}&end={end}"
headers = {
'Authorization': f"Bearer {access_token}",
'Content-Type': 'application/json'
}
include_calendars = []
exclude_calendars = ['calendar.birthdays', 'calendar.holidays_in_united_state']
if include_calendars and len(include_calendars) == 0:
calendar_url = f"{ha_base_url}/api/calendars"
async with aiohttp.ClientSession(headers=headers, connector=aiohttp.TCPConnector(ssl=False)) as session:
async with session.get(calendar_url) as response:
try:
calendars = json.loads(response.text())
include_calendars = [calendar['entity_id'] for calendar in calendars]
finally:
pass
all_calendar_events = []
def add_briefs(include_calendars, exclude_calendars):
for calendar in include_calendars:
if calendar in exclude_calendars:
continue
calendar_url = f"{ha_base_url}/api/calendars/{calendar}?{events_filter}"
async with aiohttp.ClientSession(headers=headers, connector=aiohttp.TCPConnector(ssl=False)) as session:
async with session.get(calendar_url) as response:
calendar_events = json.loads(response.text())
# add calendar name to each event
for event in calendar_events:
event['calendar.entity_id'] = calendar
if 'dateTime' not in event['start']:
event['start']['dateTime'] = event['start']['date'] + 'T00:00:00'
event['all_day'] = True
else:
event['all_day'] = False
start_time = datetime.datetime.fromisoformat(event['start']['dateTime']).astimezone()
dow = start_time.strftime('%a')
hm = start_time.strftime('%-I:%M')
duration = start_time - datetime.datetime.now().astimezone()
hours = duration.seconds // 3600 + (duration.days * 24)
minutes = (duration.seconds // 60) % 60
if hours > 0:
duration_str = f"{hours}hr"
else:
duration_str = f"{minutes}m"
event['till'] = f"{duration_str}"
# remove common words from summary
summary = event['summary'].replace('Meeting with ', '')
summary = summary.replace('Meeting ', '')
summary = summary.replace('Call with ', '')
summary = summary.replace('Discussion', '')
summary = summary.replace('Introduction Call ', '')
summary = summary.replace('Call ', '')
summary = summary.replace(' with ', ' ')
summary = summary.replace(' - ', ' ')
summary = summary.replace(' @ ', ' ')
summary = summary.strip(' -@:')
if (hours > 24):
event['brief'] = f"{dow} {hm} {summary}"
else:
event['brief'] = f"{hm} {summary}"
filtered_calendar_events = calendar_events
filtered_calendar_events = [event for event in filtered_calendar_events if event['start']['dateTime'] > now.isoformat()]
filtered_calendar_events = [event for event in filtered_calendar_events if not event['all_day']]
filtered_calendar_events = [event for event in filtered_calendar_events if 'Personal Commitment' not in event['summary']]
filtered_calendar_events = [event for event in filtered_calendar_events if 'summary' in event and len(event['summary'])>0]
all_calendar_events.extend(filtered_calendar_events)
# sort events by ascending start time
sorted_calendar_events = sorted(filtered_calendar_events, key=lambda event: event['start']['dateTime'])
current_events = [event for event in sorted_calendar_events if event['end']['dateTime'] < now.isoformat()]
upcoming_events = [event for event in sorted_calendar_events if event['end']['dateTime'] > now.isoformat()]
if len(current_events) > 0:
next_event = current_events[0]
state.set(f"{calendar}_ext",
current_event_brief=next_event['brief'],
end_time=next_event['end']['dateTime'])
else:
state.set(f"{calendar}_ext", current_event_brief='')
if len(upcoming_events) > 0:
next_event = upcoming_events[0]
state.set(f"{calendar}_ext",
upcoming_event_brief=next_event['brief'],
start_time=next_event['start']['dateTime'],
till=next_event['till'])
else:
state.set(f"{calendar}_ext", upcoming_event_brief='')
sorted_calendar_events = sorted(all_calendar_events, key=lambda event: event['start']['dateTime'])
current_events = [event for event in sorted_calendar_events if event['end']['dateTime'] < now.isoformat()]
upcoming_events = [event for event in sorted_calendar_events if event['end']['dateTime'] > now.isoformat()]
if len(current_events) > 0:
next_event = current_events[0]
state.set("calendar.all", current_event_brief=next_event['brief'], end_time=next_event['end']['dateTime'])
else:
state.set("calendar.all", current_event_brief='')
if len(upcoming_events) > 0:
next_event = upcoming_events[0]
state.set("calendar.all", next_event['till'],
upcoming_event_brief=next_event['brief'],
start_time=next_event['start']['dateTime'],
till=next_event['till'])
else:
state.set("calendar.all", upcoming_event_brief='')
@event_trigger(EVENT_STATE_CHANGED, "entity_id.startswith('calendar.') and not entity_id.endswith('_ext') and 'calendar.all' not in entity_id")
def monitor_calendar_change(entity_id=None, new_state=None, old_state=None):
add_briefs(include_calendars, exclude_calendars)
add_briefs(include_calendars, exclude_calendars)
Thanks for the great explanation @Alex_Pupkin and @Mathieu. I adapted to create a list of upcoming events to show them on an epaper display.
Only thing I can’t get to work: The @event_trigger
to work when the calendar is updated.
I use the Google Calendar integration which does not to trigger a state_changed event (I checked manually the by listening to the event bus). I believe a state_changed event is triggered only if the very next event has changed, not if upcoming events have changed.
Question: Has anyone an idea if and which event the Google Calendar integration triggers when it updates (which it does every 15 minutes)?
Here is my “trigger code”.
@event_trigger(EVENT_STATE_CHANGED, "entity_id=='calendar.mabjo'")
@time_trigger("cron(0 0 * * *)", "startup")
def monitor_calendar_change(entity_id=None, new_state=None, old_state=None):
add_briefs(include_calendars, exclude_calendars)
What would really be amazing is being able to select event, relative to now, by a consistently numbered selector, such as:
states.calendar['my_calendar_name'].event-2 = two events previous to now
states.calendar['my_calendar_name'].event-1 = most recent previous event
states.calendar['my_calendar_name'].event_0 = next event
states.calendar['my_calendar_name'].event_1 = second furthest out states.calendar['my_calendar_name'].event_2 = third furthest out event
And then have the attribute properties again selectable below that, so that:
states.calendar['my_calendar_name'].event_0.start_time was retrievable
Please feel free to adjust my model to be valid python, this is definitely not my “native programming language”.
Thanks.
I was playing around with using the home assistant rest API and a rest template sensor and came up with a hacky way to do this:
- platform: rest
resource: https://<your home assistant url>/api/calendars/calendar.personal
name: Agenda
method: GET
scan_interval: 900
headers:
authorization: !secret rest_events_token
params:
start: >
{{ utcnow().strftime('%Y-%m-%dT%H:%M:%S.000Z') }}
end: >
{{ (utcnow() + timedelta(days=5)).strftime('%Y-%m-%dT%H:%M:%S.000Z') }}
value_template: >
{% set events = value_json %}
{% for event in events %}
{% if event.start.dateTime %}
{{ (event.start.dateTime | as_datetime).strftime('%Y-%m-%d %H:%M') }}: {{ event.summary }}
{% else %}
{{ event.start.date }}: {{ event.summary }}
{% endif %}
{% endfor %}
See RESTful Sensor - Home Assistant for more details. You’ll need to get a home assistant bearer token for this to work and enter as a secret as shown in the rest docs.
i dont know if there an event but you can create one easily if you have pyscript. add an attribute to calendar entity on timer - when google calendar integration refreshes data, it removes that attribute thus generating an event.
I also like to announce my appointments of the day with TTS in my morning routine
Hello everyone,
I have installed “HASS Calendar Addon”, but I can’t see a sensor anywhere, what am I doing wrong.
Can someone help me with this?
Thanks for every response
What does the addon’s log say?