Skip to content

Refactor date/time parsing for mitpe events #1840

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 3 commits into from
Nov 25, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
13 changes: 3 additions & 10 deletions news_events/etl/mitpe_events.py
Original file line number Diff line number Diff line change
Expand Up @@ -8,7 +8,7 @@

from main.utils import now_in_utc
from news_events.constants import ALL_AUDIENCES, FeedType
from news_events.etl.utils import fetch_data_by_page, parse_date
from news_events.etl.utils import fetch_data_by_page, parse_date_time_range

log = logging.getLogger(__name__)
MITPE_EVENTS_TITLE = "MIT Professional Education Events"
Expand Down Expand Up @@ -66,16 +66,9 @@ def transform_item(item: dict) -> dict:

"""

times = item.get("time_range", "").split("-")
start_dt = parse_date(
f"{item.get("start_date")} {times[0] if len(times) > 0 else ''}"
start_dt, end_dt = parse_date_time_range(
item.get("start_date"), item.get("end_date"), item.get("time_range")
)
if not start_dt:
# Time range may be invalid, try without it
start_dt = parse_date(f"{item.get("start_date")}")
end_dt = parse_date(f"{item.get("end_date")} {times[1] if len(times) > 1 else ''}")
if not end_dt:
end_dt = parse_date(f"{item.get("end_date")}")

# Do not bother transforming past events
now = now_in_utc()
Expand Down
4 changes: 2 additions & 2 deletions news_events/etl/mitpe_events_test.py
Original file line number Diff line number Diff line change
Expand Up @@ -64,8 +64,8 @@ def test_transform(mitpe_events_json_data):
2024, 8, 15, 21, 0, 0, tzinfo=UTC
)
assert items[3]["detail"]["event_datetime"] == datetime(
2023, 5, 12, 4, 0, 0, tzinfo=UTC
2023, 5, 12, 16, 0, 0, tzinfo=UTC
)
assert items[3]["detail"]["event_end_datetime"] == datetime(
2023, 5, 12, 4, 0, 0, tzinfo=UTC
2023, 5, 12, 16, 0, 0, tzinfo=UTC
)
141 changes: 141 additions & 0 deletions news_events/etl/utils.py
Original file line number Diff line number Diff line change
@@ -1,21 +1,33 @@
"""Utility functions for news/events ETL pipelines"""

import logging
import re
from dataclasses import dataclass
from datetime import UTC, datetime
from time import mktime, struct_time
from typing import Optional
from zoneinfo import ZoneInfo

import dateparser
import requests
from bs4 import BeautifulSoup as Soup
from bs4 import Tag
from dateparser import timezone_parser
from django.conf import settings

from main.constants import ISOFORMAT

log = logging.getLogger(__name__)


@dataclass
class FormattedTime:
hour: Optional[str]
minute: Optional[str]
ampm: Optional[str]
tz: Optional[str]


def get_soup(url: str) -> Soup:
"""
Get a BeautifulSoup object from a URL.
Expand Down Expand Up @@ -131,3 +143,132 @@ def parse_date(text_date: str) -> datetime:
except: # noqa: E722
logging.exception("unparsable date received - ignoring '%s'", text_date)
return dt_utc


def convert_to_utc(dt: datetime, known_tz: str) -> datetime:
"""
Convert a datetime object to UTC timezone. If its
orignal timezone is not known, assume it is in US/Eastern.

Args:
dt (datetime): The datetime object to convert
known_tz (str): The timezone string if known

Returns:
datetime: The datetime object in UTC timezone
"""
if not dt:
return None
if not known_tz:
# Assume it is in US/Eastern where MIT is
dt = dt.replace(tzinfo=ZoneInfo("US/Eastern"))
return dt.astimezone(UTC)


def format_time(matched_time: re.Match) -> FormattedTime:
"""
Format a time regex match group into a standard format

Args:
time_str (str): The time string to parse

Returns:
FormattedTime: A formatted time object
"""
# Regex for AM/PM and timezone
ampm_tz_regex = re.compile(r"(am|pm)\s*([A-Za-z]{2,3})?", re.IGNORECASE)
ampm, tz = "", ""
hour = matched_time.group(1) or ""
minute = matched_time.group(2) or (":00" if hour else "")
ampm_and_tz_match = re.search(ampm_tz_regex, matched_time.group(3) or "")
if ampm_and_tz_match:
ampm = ampm_and_tz_match.group(1) or ""
tz = ampm_and_tz_match.group(2) or ""
return FormattedTime(
hour, minute, ampm, (tz if timezone_parser.word_is_tz(tz.upper()) else "")
)


def parse_date_time_range(
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This does not seem to get the correct time 100% of the time. For example

start_date_str="2020-01-28"
end_date_str="2020-01-28"
time_range_str="2-3:00pm"
returns start_date = datetime.datetime(2020, 1, 28, 2, 0)
end_date = datetime.datetime(2020, 1, 28, 15, 0)

before the conversion to utc

Also some events just have a start date like "1pm" and the time isn't parsed at all in that case

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Some events also have time strings that are going to be really hard to parse like "8:00pm; doors open at 7:30pm" I wonder if it makes sense to give up, store event dates then store event time as a string so it's displayed the way it was in the original listing

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Maybe I was trying too hard to get the times right; what's most important is really the start date because that's the only thing that's actually shown on the frontend. Next most important is end_date, because both are used to determine if the event should be published (start date or end date should be < now). If the professional ed api is sending back dates like "1 pm", that's just bad data and on them to fix.

How about I make sure the dates are correctly parsed (assuming the data is good), then for times, if it can't figure it out, it will just default to noon? That way when the pipeline runs in the early AM, it will keep events happening that day published for display.

start_date_str: str, end_date_str: str, time_range_str: str
) -> tuple[datetime, datetime]:
"""
Attempt to parse the time range from the MITPE events API.
If the time cannot be parsed, default to noon Easterm time,
then convert to UTC.
The field might not always contain a valid time/range.

Args:
start_date_str (str): start date string
end_date_str (str): end date string
time_range (str): time range string

Returns:
tuple(datetime, datetime): start and end datetimes in UTC timezone

"""
# If one date is missing, set it to the other
end_date_str = end_date_str or start_date_str
start_date_str = start_date_str or end_date_str

default_time = FormattedTime("12", ":00", "PM", "")
default_time_str = "12:00 PM"
# Set start/end times to noon as default
start_time, end_time = (default_time, default_time)
# Try to split the string into start and end times
split_times = list(
re.finditer(
re.compile(r"(\d{1,2})(:\d{2})?(\D*)", re.IGNORECASE), time_range_str or ""
)
)
if split_times:
# At least one time match was found
formatted_times = [format_time(time_match) for time_match in split_times]
# make ruff happy
TWO = 2
TWELVE = 12
if len(formatted_times) == TWO:
# Both start and end times were found
start_time, end_time = formatted_times
if start_time.hour and end_time.hour:
# Times must at least have an hour to be valid
if int(start_time.hour) > int(end_time.hour):
# Example: 8 - 1 PM; 8 AM - 1
start_time.ampm = start_time.ampm or "AM"
end_time.ampm = end_time.ampm or "PM"
elif int(end_time.hour) == TWELVE and int(start_time.hour) < TWELVE:
# Example: 10 - 12 PM
start_time.ampm = start_time.ampm or "AM"
end_time.ampm = end_time.ampm or "PM"
else:
# Anything else, if AM/PM missing for one, set it to the other,
# or "" if both are missing
start_time.ampm = start_time.ampm or end_time.ampm or ""
end_time.ampm = end_time.ampm or start_time.ampm or ""
# If timezone missing for one, set it to the other,
# or "" if both are missing
start_time.tz = start_time.tz or end_time.tz or ""
end_time.tz = end_time.tz or start_time.tz or ""
elif len(formatted_times) == 1:
# Only one time was found, set both start and end to that time
start_time = formatted_times[0]
end_time = start_time

# Ignore time range and use default time range if dates aren't parsable with it
start_date = dateparser.parse(
f"{start_date_str} {start_time.hour}{start_time.minute} "
f"{start_time.ampm} {start_time.tz}"
) or dateparser.parse(f"{start_date_str} {default_time_str}")
end_date = dateparser.parse(
f"{end_date_str} {end_time.hour}{end_time.minute} "
f"{end_time.ampm} {end_time.tz}"
) or dateparser.parse(f"{end_date_str} {default_time_str}")

if end_date and start_date and end_date < start_date:
# This is nonsensical, so just set the end date to the start date
end_date = start_date
if not start_date:
log.error("Failed to parse start date %s", start_date_str)
return convert_to_utc(start_date, start_time.tz), convert_to_utc(
end_date, end_time.tz
)
134 changes: 134 additions & 0 deletions news_events/etl/utils_test.py
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
"""Tests for utils functions"""

from datetime import UTC, datetime
from pathlib import Path
from time import struct_time
from urllib.error import HTTPError
Expand Down Expand Up @@ -82,3 +83,136 @@ def test_get_request_json_error_raise(mocker):
)
with pytest.raises(HTTPError):
utils.get_request_json("https://test.mit.edu", raise_on_error=True)


@pytest.mark.parametrize(
("start_date_str", "end_date_str", "time_range_str", "start_dt", "end_dt"),
[
(
"2024-01-15",
"2024-01-15",
"9-10 AM",
datetime(2024, 1, 15, 14, 0, 0, tzinfo=UTC),
datetime(2024, 1, 15, 15, 0, 0, tzinfo=UTC),
),
(
"2024-01-15",
None,
"9-10 AM",
datetime(2024, 1, 15, 14, 0, 0, tzinfo=UTC),
datetime(2024, 1, 15, 15, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-16",
"9 - 12 PM",
datetime(2024, 7, 15, 13, 0, 0, tzinfo=UTC),
datetime(2024, 7, 16, 16, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"3:30 PM and ends at 5:45 PM",
datetime(2024, 7, 15, 19, 30, 0, tzinfo=UTC),
datetime(2024, 7, 15, 21, 45, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"3:30 PM - 5:30 PM pdt", # Should figure out this is Pacific Daylight Time
datetime(2024, 7, 15, 22, 30, 0, tzinfo=UTC),
datetime(2024, 7, 16, 0, 30, 0, tzinfo=UTC),
),
(
"Future date tbd",
None,
None,
None,
None,
),
(
"2024-07-15",
"2024-07-30",
"Every afternoon after end of class",
datetime(2024, 7, 15, 16, 0, 0, tzinfo=UTC),
datetime(2024, 7, 30, 16, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"1pm",
datetime(2024, 7, 15, 17, 0, 0, tzinfo=UTC),
datetime(2024, 7, 15, 17, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"8 to 1pm", # Should correctly guess that 8 is AM
datetime(2024, 7, 15, 12, 0, 0, tzinfo=UTC),
datetime(2024, 7, 15, 17, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"8 AM to 1", # Should correctly guess that 1 is PM
datetime(2024, 7, 15, 12, 0, 0, tzinfo=UTC),
datetime(2024, 7, 15, 17, 0, 0, tzinfo=UTC),
),
(
"2024-12-15",
"2024-12-15",
"11 to 12 pm", # Should correctly guess that 11 is AM
datetime(2024, 12, 15, 16, 0, 0, tzinfo=UTC),
datetime(2024, 12, 15, 17, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"Beginning at 4:30 and ending at about 6pm",
datetime(2024, 7, 15, 20, 30, 0, tzinfo=UTC),
datetime(2024, 7, 15, 22, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"3:00pm; weather permitting",
datetime(2024, 7, 15, 19, 0, 0, tzinfo=UTC),
datetime(2024, 7, 15, 19, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"3:00pm; doors open at 2:30pm", # Ignore any end time before the start time
datetime(2024, 7, 15, 19, 0, 0, tzinfo=UTC),
datetime(2024, 7, 15, 19, 0, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-15",
"Beginning at 4:30", # No AM/PM, so take it literally as is
datetime(2024, 7, 15, 8, 30, 0, tzinfo=UTC),
datetime(2024, 7, 15, 8, 30, 0, tzinfo=UTC),
),
(
"2024-07-15",
"2024-07-30",
"Beginning at 16:30", # No AM/PM, so take it literally as is
datetime(2024, 7, 15, 20, 30, 0, tzinfo=UTC),
datetime(2024, 7, 30, 20, 30, 0, tzinfo=UTC),
),
(
None,
"2024-11-30",
"Bldg. 123, E52nd Street, Salon MIT", # Invalid time, default to noon Eastern time, convert to UTC
datetime(2024, 11, 30, 17, 0, 0, tzinfo=UTC),
datetime(2024, 11, 30, 17, 0, 0, tzinfo=UTC),
),
],
)
def test_parse_date_time_range(
start_date_str, end_date_str, time_range_str, start_dt, end_dt
):
"""parse_date_time_range should return the expected start and end datetimes"""
assert utils.parse_date_time_range(
start_date_str, end_date_str, time_range_str
) == (start_dt, end_dt)