Skip to content

Commit

Permalink
Merge branch 'main' into update-readme-3202
Browse files Browse the repository at this point in the history
  • Loading branch information
lucasferrazlima authored Dec 15, 2023
2 parents e2619f0 + ae6ce54 commit 254b664
Show file tree
Hide file tree
Showing 10 changed files with 584 additions and 6 deletions.
1 change: 1 addition & 0 deletions catalog/dags/common/loader/provider_details.py
Original file line number Diff line number Diff line change
Expand Up @@ -35,6 +35,7 @@
WIKIMEDIA_DEFAULT_PROVIDER = "wikimedia"
WORDPRESS_DEFAULT_PROVIDER = "wordpress"
PHYLOPIC_DEFAULT_PROVIDER = "phylopic"
CC_MIXTER_DEFAULT_PROVIDER = "ccmixter"

# Finnish parameters
FINNISH_SUB_PROVIDERS = {
Expand Down
12 changes: 7 additions & 5 deletions catalog/dags/common/requester.py
Original file line number Diff line number Diff line change
Expand Up @@ -128,6 +128,12 @@ def _delay_processing(self):
logging.debug(f"Waiting {wait} second(s)")
time.sleep(wait)

def _get_json(self, response) -> dict | list | None:
try:
return response.json()
except JSONDecodeError as e:
logger.warning(f"Could not get response_json.\n{e}")

def get_response_json(self, endpoint, retries=0, query_params=None, **kwargs):
response_json = None

Expand All @@ -137,11 +143,7 @@ def get_response_json(self, endpoint, retries=0, query_params=None, **kwargs):

response = self.get(endpoint, params=query_params, **kwargs)
if response is not None and response.status_code == 200:
try:
response_json = response.json()
except JSONDecodeError as e:
logger.warning(f"Could not get response_json.\n{e}")
response_json = None
response_json = self._get_json(response)

if response_json is None or (
isinstance(response_json, dict) and response_json.get("error") is not None
Expand Down
1 change: 1 addition & 0 deletions catalog/dags/popularity/popularity_refresh_types.py
Original file line number Diff line number Diff line change
Expand Up @@ -84,6 +84,7 @@ def __post_init__(self):
"jamendo": {"metric": "listens"},
"wikimedia_audio": {"metric": "global_usage_count"},
"freesound": {"metric": "num_downloads"},
"ccmixter": {"metric": "upload_num_scores"},
},
),
]
286 changes: 286 additions & 0 deletions catalog/dags/providers/provider_api_scripts/cc_mixter.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,286 @@
"""
Content Provider: ccMixter
ETL Process: Use the API to identify all CC licensed media.
Output: TSV file containing the media and the
respective meta-data.
Notes: Documentation: https://ccmixter.org/query-api
ccMixter sends bad JSON and extremely huge headers, both
of which need workarounds that are handled by this DAG.
"""

import json
import logging
import re
from typing import Literal

from common import constants
from common.licenses import get_license_info
from common.loader import provider_details as prov
from common.requester import DelayedRequester
from providers.provider_api_scripts.provider_data_ingester import ProviderDataIngester


logger = logging.getLogger(__name__)

JSON_OCTALS = re.compile(r":\s*0(?P<num>\d+)\s*(?P<sep>[,}])")


class CcMixterDelayedRequester(DelayedRequester):
"""
WORKAROUND!
ccMixter sends bad JSON, including numbers with a leading 0 (observed some
such cases with "bpm" field). This makes the JSON invalid and raises decode
errors.
This class extends ``DelayedRequester`` to supply a custom JSON decoding
step where we perform a text substitution first and then parse the JSON.
"""

def _get_json(self, response):
raw_json = response.text
cleaned_json = JSON_OCTALS.sub(r":\g<num>\g<sep>", raw_json)
if cleaned_json == raw_json:
logger.debug("JSON was clean, no substitutions were made.")
else:
logger.warning("JSON had bad octals, substitutions were made.")
try:
# WORKAROUND!
#
# ccMixter sends JSON that can contain control characters which
# break JSON parsing, unless we use non-strict mode that can handle
# such malformed data as well.
response_json = json.loads(cleaned_json, strict=False)
except json.JSONDecodeError as e:
logger.warning(f"Could not get response_json.\n{e}")
response_json = None
return response_json


def patch_http_client():
"""
WORKAROUND!
ccMixter sends a very long ``X-Json`` header with the response, which causes
the ``http.client`` library to raise a ``LineTooLong`` error.
We work around it by patching the ``_read_headers`` function to ignore the
line length limit.
.. seealso::
StackOverflow
`Answer with this approach <https://stackoverflow.com/a/63158213/2601645>`_
``_read_headers()``
`Original implementation <https://github.com/python/cpython/blob/8b6ee5b/Lib/http/client.py#L206>`_
"""

import http.client

def _read_headers(fp):
logger.debug("Patched _read_headers() called.")

headers = []
while True:
line = fp.readline()
headers.append(line)
if len(headers) > http.client._MAXHEADERS:
raise http.client.HTTPException(
f"Got more than {http.client._MAXHEADERS} headers."
)
if line in (b"\r\n", b"\n", b""):
break
return headers

http.client._read_headers = _read_headers


class CcMixterDataIngester(ProviderDataIngester):
providers = {
"audio": prov.CC_MIXTER_DEFAULT_PROVIDER,
}
endpoint = "https://ccmixter.org/api/query/"

def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)

# Set-up workarounds!
patch_http_client()
self.delayed_requester = CcMixterDelayedRequester(
delay=self.delay, headers=self.headers
)

def get_next_query_params(self, prev_query_params: dict | None, **kwargs) -> dict:
if not prev_query_params:
# This means this is the first request, so we start with offset 0.
return {
"format": "json",
"limit": self.batch_limit,
"offset": 0,
}
else:
# This is a subsequent request, so we bump the offset by a value
# equal to the batch limit.
return {
**prev_query_params,
"offset": prev_query_params["offset"] + self.batch_limit,
}

def get_batch_data(self, response_json):
return response_json

def get_should_continue(self, response_json):
# We can know we are at the last page if the number of records returned
# is less than the batch limit. This is not an issue even if the
# penultimate page has a batch limit number of results because ccMixter
# allows paginating after the last page too, returning ``[]``, which is
# less than the batch limit.
return len(response_json) >= self.batch_limit

def get_media_type(self, record: dict) -> Literal["audio"]:
return constants.AUDIO

@staticmethod
def _get_duration(ps: str | None) -> int | None:
"""
Convert a duration string to the number of milliseconds. This function
can handle between 1 and 3 segments in the time string.
:param ps: the human-friendly duration string
:return: the number of milliseconds
"""

if not ps:
return None

segments = map(int, [0, 0] + ps.split(":"))
*_, hours, minutes, seconds = segments
return (hours * 3600 + minutes * 60 + seconds) * 1000

@staticmethod
def _get_sample_rate(sr: str | None) -> int | None:
"""
Convert the sample rate from a human-friendly string to the integer
number of samples per second.
:param sr: the human-friendly sample rate
:return: the number of samples per second
"""

return int(float(sr.rstrip("k")) * 1000) if sr else None

def _get_audio_files(
self, files: list[dict]
) -> tuple[dict, list[dict]] | tuple[None, None]:
"""
Filter the audio files from the file list and identify the main one.
The list of files can include archives like ZIP files, which we drop.
The smallest audio file is assumed to be the main one, which is usually
MP3 in the case of ccMixter.
This is because the smallest audio file takes the least time to start
streaming, wastes the least data if not useful and MP3 is the most
widely supported format.
:param files: the list of files supplied by ccMixter
:return: the main file and a list of alternative files
"""

files = [
{
"url": file["download_url"],
"filesize": file["file_rawsize"],
"filetype": file["file_format_info"]["default-ext"],
"sample_rate": self._get_sample_rate(
file["file_format_info"].get("sr")
),
"duration": self._get_duration(file["file_format_info"].get("ps")),
}
for file in files
if file["file_format_info"]["media-type"] == "audio"
]
if not files:
return None, None

main_file, *alt_files = sorted(files, key=lambda file: file["filesize"])
return main_file, alt_files

def get_record_data(self, data: dict) -> dict | list[dict] | None:
if not (foreign_identifier := data.get("upload_id")):
logger.warning("Rejected record with no foreign identifier.")
return None

if not (foreign_landing_url := data.get("file_page_url")):
logger.warning(
f"Rejected record {foreign_identifier} with no foreign landing URL."
)
return None

# Use the `get_license_info` utility to get license information from a URL.
license_url = data.get("license_url")
license_info = get_license_info(license_url)
if not license_info:
logger.warning(
f"Rejected record {foreign_identifier} with no license info."
)
return None

if not (files := data.get("files")):
return None
main_file, alt_files = self._get_audio_files(files)
if not main_file:
logger.warning(
f"Rejected record {foreign_identifier} with no main audio file."
)
return None

# Optional fields

creator = data.get("user_real_name")
creator_url = data.get("artist_page_url")
title = data.get("upload_name")
meta_data = {
"description": data.get("upload_description_plain"),
"description_html": data.get("upload_description_html"),
"upload_num_scores": data.get("upload_num_scores", 0),
}

# ccMixter tags are comma-separated, and there is a leading and trailing
# comma, so we need to filter out empty strings.
raw_tags = list(filter(None, data.get("upload_tags").split(",")))

return {
"foreign_identifier": foreign_identifier,
"foreign_landing_url": foreign_landing_url,
"license_info": license_info,
# Optional fields
"creator": creator,
"creator_url": creator_url,
"title": title,
"meta_data": meta_data,
"raw_tags": raw_tags,
"alt_files": alt_files,
# ``main_file`` contains the following fields:
# - ``url``
# - ``filesize``
# - ``filetype``
# - ``sample_rate``
# - ``duration``
**main_file,
}


def main():
# Allows running ingestion from the CLI without Airflow running for debugging
# purposes.
ingester = CcMixterDataIngester()
ingester.ingest_records()


if __name__ == "__main__":
main()
5 changes: 5 additions & 0 deletions catalog/dags/providers/provider_workflows.py
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@
from typing_extensions import NotRequired, TypedDict

from providers.provider_api_scripts.brooklyn_museum import BrooklynMuseumDataIngester
from providers.provider_api_scripts.cc_mixter import CcMixterDataIngester
from providers.provider_api_scripts.cleveland_museum import ClevelandDataIngester
from providers.provider_api_scripts.europeana import EuropeanaDataIngester
from providers.provider_api_scripts.finnish_museums import FinnishMuseumsDataIngester
Expand Down Expand Up @@ -196,6 +197,10 @@ def __post_init__(self):
start_date=datetime(2020, 1, 1),
ingester_class=BrooklynMuseumDataIngester,
),
ProviderWorkflow(
start_date=datetime(2023, 11, 30),
ingester_class=CcMixterDataIngester,
),
ProviderWorkflow(
ingester_class=ClevelandDataIngester,
start_date=datetime(2020, 1, 15),
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1,47 @@
{
"foreign_identifier": 69420,
"foreign_landing_url": "https://ccmixter.org/files/testuser/69420",
"license_info": {
"license": "by-nc",
"version": "4.0",
"url": "https://creativecommons.org/licenses/by-nc/4.0/",
"raw_url": "https://creativecommons.org/licenses/by-nc/4.0/"
},
"creator": "Test User",
"creator_url": "https://ccmixter.org/people/testuser",
"title": "Test Music",
"meta_data": {
"description": "Thanks to:\r\nOther Test User – sax\r\nAnother Test User – bagpipes and sitar",
"description_html": "Thanks to:<br />\r\nOther Test User – sax<br />\r\nAnother Test User – bagpipes and sitar",
"upload_num_scores": 420
},
"raw_tags": [
"remix",
"media",
"bpm_090_095",
"non_commercial",
"audio",
"mp3",
"flac",
"zip",
"44k",
"stereo",
"CBR",
"VBR",
"instrumental"
],
"url": "https://ccmixter.org/content/testuser/testuser_-_Test_Music.mp3",
"sample_rate": 44100,
"filetype": "mp3",
"filesize": 11150278,
"duration": 346000,
"alt_files": [
{
"url": "https://ccmixter.org/content/testuser/testuser_-_Test_Music.flac",
"sample_rate": 44000,
"filetype": "flac",
"filesize": 111502780,
"duration": 3946000
}
]
}
Loading

0 comments on commit 254b664

Please sign in to comment.