soundcloud.py 4.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147
  1. # SPDX-License-Identifier: AGPL-3.0-or-later
  2. """SoundCloud is a German audio streaming service."""
  3. import re
  4. from urllib.parse import quote_plus, urlencode
  5. import datetime
  6. from dateutil import parser
  7. from lxml import html
  8. from searx.network import get as http_get
  9. about = {
  10. "website": "ttps://soundcloud.com",
  11. "wikidata_id": "Q568769",
  12. "official_api_documentation": "https://developers.soundcloud.com/docs/api/guide",
  13. "use_official_api": False,
  14. "require_api_key": False,
  15. "results": 'JSON',
  16. }
  17. categories = ["music"]
  18. paging = True
  19. search_url = "https://api-v2.soundcloud.com/search"
  20. """This is not the official (developer) url, it is the API which is used by the
  21. HTML frontend of the common WEB site.
  22. """
  23. cid_re = re.compile(r'client_id:"([^"]*)"', re.I | re.U)
  24. guest_client_id = ""
  25. results_per_page = 10
  26. soundcloud_facet = "model"
  27. app_locale_map = {
  28. "de": "de",
  29. "en": "en",
  30. "es": "es",
  31. "fr": "fr",
  32. "oc": "fr",
  33. "it": "it",
  34. "nl": "nl",
  35. "pl": "pl",
  36. "szl": "pl",
  37. "pt": "pt_BR",
  38. "pap": "pt_BR",
  39. "sv": "sv",
  40. }
  41. def request(query, params):
  42. # missing attributes: user_id, app_version
  43. # - user_id=451561-497874-703312-310156
  44. # - app_version=1740727428
  45. args = {
  46. "q": query,
  47. "offset": (params['pageno'] - 1) * results_per_page,
  48. "limit": results_per_page,
  49. "facet": soundcloud_facet,
  50. "client_id": guest_client_id,
  51. "app_locale": app_locale_map.get(params["language"].split("-")[0], "en"),
  52. }
  53. params['url'] = f"{search_url}?{urlencode(args)}"
  54. return params
  55. def response(resp):
  56. results = []
  57. data = resp.json()
  58. for result in data.get("collection", []):
  59. if result["kind"] in ("track", "playlist"):
  60. url = result.get("permalink_url")
  61. if not url:
  62. continue
  63. uri = quote_plus(result.get("uri"))
  64. content = [
  65. result.get("description"),
  66. result.get("label_name"),
  67. ]
  68. res = {
  69. "url": url,
  70. "title": result["title"],
  71. "content": " / ".join([c for c in content if c]),
  72. "publishedDate": parser.parse(result["last_modified"]),
  73. "iframe_src": "https://w.soundcloud.com/player/?url=" + uri,
  74. "views": result.get("likes_count"),
  75. }
  76. thumbnail = result["artwork_url"] or result["user"]["avatar_url"]
  77. res["thumbnail"] = thumbnail or None
  78. length = int(result.get("duration", 0) / 1000)
  79. if length:
  80. length = datetime.timedelta(seconds=length)
  81. res["length"] = length
  82. res["views"] = result.get("playback_count", 0) or None
  83. res["author"] = result.get("user", {}).get("full_name") or None
  84. results.append(res)
  85. return results
  86. def init(engine_settings=None): # pylint: disable=unused-argument
  87. global guest_client_id # pylint: disable=global-statement
  88. guest_client_id = get_client_id()
  89. def get_client_id() -> str:
  90. client_id = ""
  91. url = "https://soundcloud.com"
  92. resp = http_get(url, timeout=10)
  93. if not resp.ok:
  94. logger.error("init: GET %s failed", url)
  95. return client_id
  96. tree = html.fromstring(resp.content)
  97. script_tags = tree.xpath("//script[contains(@src, '/assets/')]")
  98. app_js_urls = [tag.get("src") for tag in script_tags if tag is not None]
  99. # extracts valid app_js urls from soundcloud.com content
  100. for url in app_js_urls[::-1]:
  101. # gets app_js and search for the client_id
  102. resp = http_get(url)
  103. if not resp.ok:
  104. logger.error("init: app_js GET %s failed", url)
  105. continue
  106. cids = cid_re.search(resp.content.decode())
  107. if cids and len(cids.groups()):
  108. client_id = cids.groups()[0]
  109. break
  110. if client_id:
  111. logger.info("using client_id '%s' for soundclud queries", client_id)
  112. else:
  113. logger.warning("missing valid client_id for soundclud queries")
  114. return client_id