diff --git a/.cache_ggshield b/.cache_ggshield index 168e0a9..6224c55 100644 --- a/.cache_ggshield +++ b/.cache_ggshield @@ -1 +1 @@ -{"last_found_secrets": [{"match": "7630852e9a6a0aecb849c91d14d426ca88187886fdf466189d67145856bdac3e", "name": "Generic Password - charts/postgresql/postgresql/templates/secrets.yaml"}]} \ No newline at end of file +{"last_found_secrets": [{"match": "6e0d657eb1f0fbc40cf0b8f3c3873ef627cc9cb7c4108d1c07d979c04bc8a4bb", "name": "Generic Password - commit://staged/services/bright/config/test.exs"}]} \ No newline at end of file diff --git a/.gitignore b/.gitignore index baea4d5..7bbd68f 100644 --- a/.gitignore +++ b/.gitignore @@ -1,3 +1,6 @@ + +.kamal/secrets* + .venv/ **/.env* diff --git a/.gitmodules b/.gitmodules new file mode 100644 index 0000000..9dd5e8e --- /dev/null +++ b/.gitmodules @@ -0,0 +1,3 @@ +[submodule "contrib/superstreamer"] + path = contrib/superstreamer + url = git@github.com:superstreamerapp/superstreamer.git diff --git a/.kamal/hooks/docker-setup.sample b/.kamal/hooks/docker-setup.sample new file mode 100755 index 0000000..2fb07d7 --- /dev/null +++ b/.kamal/hooks/docker-setup.sample @@ -0,0 +1,3 @@ +#!/bin/sh + +echo "Docker set up on $KAMAL_HOSTS..." diff --git a/.kamal/hooks/post-deploy.sample b/.kamal/hooks/post-deploy.sample new file mode 100755 index 0000000..75efafc --- /dev/null +++ b/.kamal/hooks/post-deploy.sample @@ -0,0 +1,14 @@ +#!/bin/sh + +# A sample post-deploy hook +# +# These environment variables are available: +# KAMAL_RECORDED_AT +# KAMAL_PERFORMER +# KAMAL_VERSION +# KAMAL_HOSTS +# KAMAL_ROLE (if set) +# KAMAL_DESTINATION (if set) +# KAMAL_RUNTIME + +echo "$KAMAL_PERFORMER deployed $KAMAL_VERSION to $KAMAL_DESTINATION in $KAMAL_RUNTIME seconds" diff --git a/.kamal/hooks/post-proxy-reboot.sample b/.kamal/hooks/post-proxy-reboot.sample new file mode 100755 index 0000000..1435a67 --- /dev/null +++ b/.kamal/hooks/post-proxy-reboot.sample @@ -0,0 +1,3 @@ +#!/bin/sh + +echo "Rebooted kamal-proxy on $KAMAL_HOSTS" diff --git a/.kamal/hooks/pre-build.sample b/.kamal/hooks/pre-build.sample new file mode 100755 index 0000000..f87d811 --- /dev/null +++ b/.kamal/hooks/pre-build.sample @@ -0,0 +1,51 @@ +#!/bin/sh + +# A sample pre-build hook +# +# Checks: +# 1. We have a clean checkout +# 2. A remote is configured +# 3. The branch has been pushed to the remote +# 4. The version we are deploying matches the remote +# +# These environment variables are available: +# KAMAL_RECORDED_AT +# KAMAL_PERFORMER +# KAMAL_VERSION +# KAMAL_HOSTS +# KAMAL_ROLE (if set) +# KAMAL_DESTINATION (if set) + +if [ -n "$(git status --porcelain)" ]; then + echo "Git checkout is not clean, aborting..." >&2 + git status --porcelain >&2 + exit 1 +fi + +first_remote=$(git remote) + +if [ -z "$first_remote" ]; then + echo "No git remote set, aborting..." >&2 + exit 1 +fi + +current_branch=$(git branch --show-current) + +if [ -z "$current_branch" ]; then + echo "Not on a git branch, aborting..." >&2 + exit 1 +fi + +remote_head=$(git ls-remote $first_remote --tags $current_branch | cut -f1) + +if [ -z "$remote_head" ]; then + echo "Branch not pushed to remote, aborting..." >&2 + exit 1 +fi + +if [ "$KAMAL_VERSION" != "$remote_head" ]; then + echo "Version ($KAMAL_VERSION) does not match remote HEAD ($remote_head), aborting..." >&2 + exit 1 +fi + +exit 0 diff --git a/.kamal/hooks/pre-connect.sample b/.kamal/hooks/pre-connect.sample new file mode 100755 index 0000000..18e61d7 --- /dev/null +++ b/.kamal/hooks/pre-connect.sample @@ -0,0 +1,47 @@ +#!/usr/bin/env ruby + +# A sample pre-connect check +# +# Warms DNS before connecting to hosts in parallel +# +# These environment variables are available: +# KAMAL_RECORDED_AT +# KAMAL_PERFORMER +# KAMAL_VERSION +# KAMAL_HOSTS +# KAMAL_ROLE (if set) +# KAMAL_DESTINATION (if set) +# KAMAL_RUNTIME + +hosts = ENV["KAMAL_HOSTS"].split(",") +results = nil +max = 3 + +elapsed = Benchmark.realtime do + results = hosts.map do |host| + Thread.new do + tries = 1 + + begin + Socket.getaddrinfo(host, 0, Socket::AF_UNSPEC, Socket::SOCK_STREAM, nil, Socket::AI_CANONNAME) + rescue SocketError + if tries < max + puts "Retrying DNS warmup: #{host}" + tries += 1 + sleep rand + retry + else + puts "DNS warmup failed: #{host}" + host + end + end + + tries + end + end.map(&:value) +end + +retries = results.sum - hosts.size +nopes = results.count { |r| r == max } + +puts "Prewarmed %d DNS lookups in %.2f sec: %d retries, %d failures" % [ hosts.size, elapsed, retries, nopes ] diff --git a/.kamal/hooks/pre-deploy.sample b/.kamal/hooks/pre-deploy.sample new file mode 100755 index 0000000..1b280c7 --- /dev/null +++ b/.kamal/hooks/pre-deploy.sample @@ -0,0 +1,109 @@ +#!/usr/bin/env ruby + +# A sample pre-deploy hook +# +# Checks the Github status of the build, waiting for a pending build to complete for up to 720 seconds. +# +# Fails unless the combined status is "success" +# +# These environment variables are available: +# KAMAL_RECORDED_AT +# KAMAL_PERFORMER +# KAMAL_VERSION +# KAMAL_HOSTS +# KAMAL_COMMAND +# KAMAL_SUBCOMMAND +# KAMAL_ROLE (if set) +# KAMAL_DESTINATION (if set) + +# Only check the build status for production deployments +if ENV["KAMAL_COMMAND"] == "rollback" || ENV["KAMAL_DESTINATION"] != "production" + exit 0 +end + +require "bundler/inline" + +# true = install gems so this is fast on repeat invocations +gemfile(true, quiet: true) do + source "https://rubygems.org" + + gem "octokit" + gem "faraday-retry" +end + +MAX_ATTEMPTS = 72 +ATTEMPTS_GAP = 10 + +def exit_with_error(message) + $stderr.puts message + exit 1 +end + +class GithubStatusChecks + attr_reader :remote_url, :git_sha, :github_client, :combined_status + + def initialize + @remote_url = `git config --get remote.origin.url`.strip.delete_prefix("https://github.com/") + @git_sha = `git rev-parse HEAD`.strip + @github_client = Octokit::Client.new(access_token: ENV["GITHUB_TOKEN"]) + refresh! + end + + def refresh! + @combined_status = github_client.combined_status(remote_url, git_sha) + end + + def state + combined_status[:state] + end + + def first_status_url + first_status = combined_status[:statuses].find { |status| status[:state] == state } + first_status && first_status[:target_url] + end + + def complete_count + combined_status[:statuses].count { |status| status[:state] != "pending"} + end + + def total_count + combined_status[:statuses].count + end + + def current_status + if total_count > 0 + "Completed #{complete_count}/#{total_count} checks, see #{first_status_url} ..." + else + "Build not started..." + end + end +end + + +$stdout.sync = true + +puts "Checking build status..." +attempts = 0 +checks = GithubStatusChecks.new + +begin + loop do + case checks.state + when "success" + puts "Checks passed, see #{checks.first_status_url}" + exit 0 + when "failure" + exit_with_error "Checks failed, see #{checks.first_status_url}" + when "pending" + attempts += 1 + end + + exit_with_error "Checks are still pending, gave up after #{MAX_ATTEMPTS * ATTEMPTS_GAP} seconds" if attempts == MAX_ATTEMPTS + + puts checks.current_status + sleep(ATTEMPTS_GAP) + checks.refresh! + end +rescue Octokit::NotFound + exit_with_error "Build status could not be found" +end diff --git a/.kamal/hooks/pre-proxy-reboot.sample b/.kamal/hooks/pre-proxy-reboot.sample new file mode 100755 index 0000000..061f805 --- /dev/null +++ b/.kamal/hooks/pre-proxy-reboot.sample @@ -0,0 +1,3 @@ +#!/bin/sh + +echo "Rebooting kamal-proxy on $KAMAL_HOSTS..." diff --git a/services/htmx/app/index.ts b/.ruby-version similarity index 100% rename from services/htmx/app/index.ts rename to .ruby-version diff --git a/ARCHITECHTURE.md b/ARCHITECHTURE.md index 18ef3b1..14a2f3a 100644 --- a/ARCHITECHTURE.md +++ b/ARCHITECHTURE.md @@ -1,16 +1,16 @@ -git monorepo. +devbox for shareable development environment tooling + +git monorepo for housing separate node packages within a single repository TypeScript -pnpm for workspaces. +pnpm for package management and workspaces (separate node packages.) Kubernetes for Development using Tiltfile Kubernetes for Production, deployed using FluxCD -Tested on VKE v1.30.0+1 (PVCs on other versions may not be fulfilled) - -devbox for shareable development environment +Kubernetes deployed to Hetzner using https://github.com/kube-hetzner/terraform-hcloud-kube-hetzner ggshield for preventing git commits containing secrets diff --git a/README.md b/README.md index b6295af..fcf6396 100644 --- a/README.md +++ b/README.md @@ -4,7 +4,7 @@ Source Code for https://futureporn.net -See ./ARCHITECTURE.md for overview +See ./ARCHITECTURE.md for an overview of the infrastructure components. ## Getting Started @@ -27,7 +27,6 @@ The main gist is as follows Tilt will manage the KIND cluster, downloading necessary docker containers and building the containers listed in the fp helm chart at ./Charts/fp. Making changes to these charts or the application code will update or re-build the images as necessary. - ## Metrics Notes Keeping track of metrics we want to scrape using Prometheus diff --git a/Tiltfile b/Tiltfile index 510df62..22df057 100644 --- a/Tiltfile +++ b/Tiltfile @@ -49,35 +49,6 @@ dotenv(fn='.env.development') ## @see https://github.com/fluxcd/helm-controller/blob/c8ae4b6ad225d37b19bacb634db784d6096908ac/api/v2beta2/reference_types.go#L53 -# helm_remote( -# 'velero', -# repo_name='velero', -# repo_url='https://vmware-tanzu.github.io/helm-charts', -# namespace='futureporn', -# version='6.6.0', -# set=[ -# 'configuration.backupStorageLocation[0].name=dev', -# 'configuration.backupStorageLocation[0].provider=aws', -# 'configuration.backupStorageLocation[0].bucket=futureporn-db-backup-dev', -# 'configuration.backupStorageLocation[0].config.region=us-west-000', -# 'configuration.backupStorageLocation[0].config.s3ForcePathStyle=true', -# 'configuration.backupStorageLocation[0].config.s3Url=https://s3.us-west-000.backblazeb2.com', -# 'credentials.secretContents=cloud\n[default]\naws_access_key_id=AAAA\naws_secret_access_key=BBBB', -# 'snapshotsEnabled=false', -# # --set configuration.backupStorageLocation[0].name= \ -# # --set configuration.backupStorageLocation[0].provider= \ -# # --set configuration.backupStorageLocation[0].bucket= \ -# # --set configuration.backupStorageLocation[0].config.region= \ -# # --set configuration.volumeSnapshotLocation[0].name= \ -# # --set configuration.volumeSnapshotLocation[0].provider= \ -# # --set configuration.volumeSnapshotLocation[0].config.region= \ -# # --set initContainers[0].name=velero-plugin-for- \ -# # --set initContainers[0].image=velero/velero-plugin-for-: \ -# # --set initContainers[0].volumeMounts[0].mountPath=/target \ -# # --set initContainers[0].volumeMounts[0].name=plugins -# ] -# ) - # helm_remote( @@ -116,13 +87,7 @@ k8s_yaml(helm( './charts/traefik/values-overrides.yaml' ] )) -k8s_yaml(helm( - './charts/keycloak/keycloak', - namespace='futureporn', - values=[ - './charts/keycloak/values-overrides.yaml' - ] -)) + k8s_yaml(helm( './charts/fp', values=['./charts/fp/values.yaml'], @@ -142,13 +107,13 @@ k8s_yaml(helm( )) -k8s_yaml(helm( - './charts/velero/velero', - namespace='velero', - values=[ - './charts/velero/values.yaml' - ] -)) +# k8s_yaml(helm( +# './charts/velero/velero', +# namespace='velero', +# values=[ +# './charts/velero/values.yaml' +# ] +# )) @@ -188,13 +153,17 @@ k8s_yaml(helm( # ## before you think of switching to valkey, dragonfly, or one of the other redis alternatives, STOP. Uppy is picky. # ## I tested dragonfly, valkey, and KeyDB. Uppy's ioredis client was unable to connect. "ECONNREFUSED" ... # ## Uppy was only happy connecting to official redis. -# k8s_yaml(helm( -# './charts/redis/redis', -# namespace='futureporn', -# values=[ -# './charts/redis/values-overrides.yaml' -# ] -# )) +k8s_yaml(helm( + './charts/redis/redis', + namespace='futureporn', + values=[ + './charts/redis/values-overrides.yaml' + ] +)) +k8s_resource( + workload='redis-master', + labels=['database'] +) k8s_yaml(helm( './charts/cert-manager/cert-manager', @@ -223,46 +192,46 @@ k8s_resource( # docker_build('fp/link2cid', './packages/link2cid') -docker_build( - 'fp/bot', - '.', - only=[ - './.npmrc', - './package.json', - './pnpm-lock.yaml', - './pnpm-workspace.yaml', - './services/bot', - './packages/types', - './packages/utils', - './packages/fetchers', - ], - dockerfile='./dockerfiles/bot.dockerfile', - target='dev', - live_update=[ - sync('./services/bot', '/app/services/bot') - ] -) +# docker_build( +# 'fp/bot', +# '.', +# only=[ +# './.npmrc', +# './package.json', +# './pnpm-lock.yaml', +# './pnpm-workspace.yaml', +# './services/bot', +# './packages/types', +# './packages/utils', +# './packages/fetchers', +# ], +# dockerfile='./dockerfiles/bot.dockerfile', +# target='dev', +# live_update=[ +# sync('./services/bot', '/app/services/bot') +# ] +# ) -docker_build( - 'fp/scout', - '.', - only=[ - './.npmrc', - './package.json', - './pnpm-lock.yaml', - './pnpm-workspace.yaml', - './packages/types', - './packages/utils', - './packages/fetchers', - './services/scout', - ], - dockerfile='./dockerfiles/scout.dockerfile', - target='dev', - # target='prod', - live_update=[ - sync('./services/scout', '/app/services/scout') - ] -) +# docker_build( +# 'fp/scout', +# '.', +# only=[ +# './.npmrc', +# './package.json', +# './pnpm-lock.yaml', +# './pnpm-workspace.yaml', +# './packages/types', +# './packages/utils', +# './packages/fetchers', +# './services/scout', +# ], +# dockerfile='./dockerfiles/scout.dockerfile', +# target='dev', +# # target='prod', +# live_update=[ +# sync('./services/scout', '/app/services/scout') +# ] +# ) @@ -271,12 +240,6 @@ docker_build( load('ext://uibutton', 'cmd_button') -cmd_button('keycloak:seed', - argv=['./scripts/keycloak-seed.sh'], - resource='keycloak', - icon_name='start', - text='create keycloak database', -) cmd_button('postgres:restore', argv=['./scripts/postgres-restore.sh'], @@ -290,18 +253,30 @@ cmd_button('postgres:drop', icon_name='delete', text='DROP all databases' ) -cmd_button('migrations-schema:refresh', - argv=['echo', '@todo please restart postgrest container manually.'], - resource='migrations-schema', - icon_name='refresh', - text='Refresh schema cache' +cmd_button('postgres:create:bright', + argv=['sh', './scripts/postgres-create-bright.sh'], + resource='bright', + icon_name='star', + text='Create bright db' ) -cmd_button('migrations-data:refresh', - argv=['echo', '@todo please restart postgrest container manually.'], - resource='migrations-data', - icon_name='refresh', - text='Refresh schema cache' +cmd_button('postgres:create:superstreamer', + argv=['sh', './scripts/postgres-create-superstreamer.sh'], + resource='superstreamer-api', + icon_name='star', + text='Create superstreamer db' ) +# cmd_button('migrations-schema:refresh', +# argv=['echo', '@todo please restart postgrest container manually.'], +# resource='migrations-schema', +# icon_name='refresh', +# text='Refresh schema cache' +# ) +# cmd_button('migrations-data:refresh', +# argv=['echo', '@todo please restart postgrest container manually.'], +# resource='migrations-data', +# icon_name='refresh', +# text='Refresh schema cache' +# ) ## @todo let's make this get a random room from scout then use the random room to record via POST /recordings # cmd_button('capture-worker:create', # argv=['./scripts/capture-integration.sh'], @@ -314,8 +289,28 @@ cmd_button('migrations-data:refresh', # labels=['backend'], # resource_deps=['postgrest', 'postgresql-primary'], # ) - - +k8s_resource( + workload='superstreamer-app', + labels=['app'], + resource_deps=['postgresql-primary', 'redis-master'], + port_forwards=['52002'] +) +k8s_resource( + workload='superstreamer-api', + labels=['app'], + resource_deps=['postgresql-primary', 'redis-master'], + port_forwards=['52001'] +) +k8s_resource( + workload='superstreamer-stitcher', + labels=['app'], + resource_deps=['postgresql-primary', 'redis-master'], +) +k8s_resource( + workload='superstreamer-artisan', + labels=['app'], + resource_deps=['postgresql-primary', 'redis-master'], +) cmd_button('pgadmin4:restore', @@ -334,48 +329,77 @@ cmd_button('build:test', ## we ignore unused image warnings because we do actually use this image. ## instead of being invoked by helm, we start a container using this image manually via Tilt UI # update_settings(suppress_unused_image_warnings=["fp/migrations"]) -docker_build( - 'fp/migrations-schema', - '.', - dockerfile='dockerfiles/migrations-schema.dockerfile', - target='migrations-schema', - pull=False, - only=[ - './.npmrc', - './package.json', - './pnpm-lock.yaml', - './pnpm-workspace.yaml', - './services/migrations-schema' - ], -) -docker_build( - 'fp/migrations-data', - '.', - dockerfile='dockerfiles/migrations-data.dockerfile', - target='migrations-data', - pull=False, - only=[ - './.npmrc', - './package.json', - './pnpm-lock.yaml', - './pnpm-workspace.yaml', - './services/migrations-data' - ], -) +# docker_build( +# 'fp/migrations-schema', +# '.', +# dockerfile='dockerfiles/migrations-schema.dockerfile', +# target='migrations-schema', +# pull=False, +# only=[ +# './.npmrc', +# './package.json', +# './pnpm-lock.yaml', +# './pnpm-workspace.yaml', +# './services/migrations-schema' +# ], +# ) +# docker_build( +# 'fp/migrations-data', +# '.', +# dockerfile='dockerfiles/migrations-data.dockerfile', +# target='migrations-data', +# pull=False, +# only=[ +# './.npmrc', +# './package.json', +# './pnpm-lock.yaml', +# './pnpm-workspace.yaml', +# './services/migrations-data' +# ], +# ) ## Uncomment the following for fp/next in dev mode ## this is useful for changing the UI and seeing results -docker_build( - 'fp/next', - '.', - dockerfile='dockerfiles/next.dockerfile', - target='dev', - live_update=[ - sync('./services/next', '/app/services/next') - ], - pull=False, -) +# docker_build( +# 'fp/next', +# '.', +# dockerfile='dockerfiles/next.dockerfile', +# target='dev', +# live_update=[ +# sync('./services/next', '/app/services/next') +# ], +# pull=False, +# ) +# docker_build( +# 'fp/superstreamer-artisan', +# './contrib/superstreamer/packages/artisan', +# dockerfile='contrib/superstreamer/packages/artisan/Dockerfile', +# ) +# docker_build( +# 'fp/superstreamer-api', +# './contrib/superstreamer/packages/api', +# dockerfile='contrib/superstreamer/packages/api/Dockerfile', +# ) +# docker_build( +# 'fp/superstreamer-app', +# './contrib/superstreamer/packages/app', +# dockerfile='contrib/superstreamer/packages/app/Dockerfile', +# ) +# docker_build( +# 'fp/superstreamer-stitcher', +# './contrib/superstreamer/packages/stitcher', +# dockerfile='contrib/superstreamer/packages/stitcher/Dockerfile', +# ) +docker_build( + 'fp/bright', + '.', + dockerfile='dockerfiles/bright.dockerfile', + live_update=[ + sync('./services/bright', '/app') + ], + target='dev' +) @@ -449,21 +473,29 @@ docker_build( # resource_deps=['redis-master'], # labels=['backend'], # ) +# k8s_resource( +# workload='next', +# links=[ +# link('https://next.fp.sbtp.xyz') +# ], +# resource_deps=['postgrest', 'postgresql-primary'], +# labels=['frontend'], +# port_forwards=['3000'], +# ) k8s_resource( - workload='next', + workload='bright', links=[ - link('https://next.fp.sbtp.xyz') + link('https://bright.fp.sbtp.xyz') ], - resource_deps=['postgrest', 'postgresql-primary'], - labels=['frontend'], - port_forwards=['3000'], + resource_deps=['postgresql-primary'], + labels=['app'], + port_forwards=['4000'], ) - # whoami is for testing routing k8s_resource( workload='whoami', - labels=['frontend'], + labels=['app'], links=[ link('https://whoami.fp.sbtp.xyz/') ] @@ -491,15 +523,6 @@ k8s_resource( # ) -k8s_resource( - workload='keycloak', - links=[ - link('https://keycloak.fp.sbtp.xyz'), - ], - port_forwards=['8080'], - labels=['backend'], -) - # k8s_resource( @@ -545,25 +568,22 @@ k8s_resource( ) -k8s_resource( - workload='factory', - labels=['backend'], -) -docker_build( - 'fp/factory', - '.', - dockerfile='./dockerfiles/factory.dockerfile', - target='dev', - live_update=[ - sync('./services/factory', '/app/services/factory') - ], - pull=False, -) - # k8s_resource( -# workload='redis-master', -# labels=['cache'] +# workload='factory', +# labels=['backend'], # ) +# docker_build( +# 'fp/factory', +# '.', +# dockerfile='./dockerfiles/factory.dockerfile', +# target='dev', +# live_update=[ +# sync('./services/factory', '/app/services/factory') +# ], +# pull=False, +# ) + + # k8s_resource( # workload='bot', # labels=['backend'], @@ -574,15 +594,15 @@ docker_build( # workload='chihaya', # labels=['backend'] # ) -k8s_resource( - workload='postgrest', - # port_forwards=['9000'], - labels=['database'], - links=[ - link('https://postgrest.fp.sbtp.xyz'), - ], - resource_deps=['postgresql-primary'], -) +# k8s_resource( +# workload='postgrest', +# # port_forwards=['9000'], +# labels=['database'], +# links=[ +# link('https://postgrest.fp.sbtp.xyz'), +# ], +# resource_deps=['postgresql-primary'], +# ) k8s_resource( workload='traefik', links=[ @@ -596,16 +616,16 @@ k8s_resource( port_forwards=['5050:80'], labels=['database'], ) -k8s_resource( - workload='migrations-schema', - labels=['database'], - resource_deps=['postgresql-primary'], -) -k8s_resource( - workload='migrations-data', - labels=['database'], - resource_deps=['postgresql-primary'], -) +# k8s_resource( +# workload='migrations-schema', +# labels=['database'], +# resource_deps=['postgresql-primary'], +# ) +# k8s_resource( +# workload='migrations-data', +# labels=['database'], +# resource_deps=['postgresql-primary'], +# ) k8s_resource( workload='cert-manager', diff --git a/charts/README.md b/charts/README.md index 1cba87a..ce99127 100644 --- a/charts/README.md +++ b/charts/README.md @@ -23,11 +23,6 @@ We override default values in the parent folder. helm repo add jetstack https://charts.jetstack.io --force-update helm pull jetstack/cert-manager --untar --destination ./charts/cert-manager -### valkey - - helm repo add bitnami https://charts.bitnami.com/bitnami - helm pull bitnami/valkey --untar --destination ./charts/valkey - ### redis helm repo add bitnami https://charts.bitnami.com/bitnami @@ -37,11 +32,6 @@ We override default values in the parent folder. helm pull oci://ghcr.io/fyralabs/chisel-operator/chisel-operator --version 0.1.0 --untar --destination ./charts/chisel-operator -### ngrok - - helm repo add ngrok https://ngrok.github.io/kubernetes-ingress-controller - helm pull ngrok/kubernetes-ingress-controller --version 0.14.0 --untar --destination ./charts/kubernetes-ingress-controller - ### traefik helm repo add traefik https://traefik.github.io/charts @@ -57,20 +47,3 @@ We override default values in the parent folder. helm repo add external-secrets https://charts.external-secrets.io helm pull external-secrets/external-secrets --version 0.10.2 --untar --destination ./charts/external-secrets -### drupal - - helm pull oci://registry-1.docker.io/bitnamicharts/drupal --version 20.0.10 --untar --destination ./charts/drupal - -### mariadb - - helm repo add bitnami https://charts.bitnami.com/bitnami --force-update - helm pull bitnami/mariadb --untar --destination ./charts/mariadb - -### phpmyadmin - - helm pull bitnami/phpmyadmin --version 17.0.7 --untar --destination ./charts/phpmyadmin - -### keycloak - - helm pull bitnami/keycloak --version 24.2.2 --untar --destination ./charts/keycloak - diff --git a/charts/fp/templates-staging/bot.yaml b/charts/fp/templates-staging/bot.yaml index 9b0fb6d..b74e2ef 100644 --- a/charts/fp/templates-staging/bot.yaml +++ b/charts/fp/templates-staging/bot.yaml @@ -1,10 +1,11 @@ +--- apiVersion: apps/v1 kind: Deployment metadata: name: bot namespace: futureporn labels: - app: bot + app.kubernetes.io/name: bot spec: replicas: {{ .Values.bot.replicas }} selector: @@ -16,32 +17,53 @@ spec: app: bot spec: containers: - - name: bot - image: "{{ .Values.bot.imageName }}" - imagePullPolicy: Always - ports: - - containerPort: 8080 - env: - - name: DISCORD_APPLICATION_ID - valueFrom: - secretKeyRef: - name: discord - key: applicationId - - name: DISCORD_TOKEN - valueFrom: - secretKeyRef: - name: discord - key: token - - name: DISCORD_CHANNEL_ID - value: "{{ .Values.bot.discordChannelId }}" - - name: DISCORD_GUILD_ID - value: "{{ .Values.bot.discordGuildId }}" - resources: - limits: - cpu: "500m" - memory: "512Mi" - requests: - cpu: "250m" - memory: "256Mi" - + - name: bot + image: "{{ .Values.bot.imageName }}" + env: + - name: SCOUT_URL + value: "{{ .Values.scout.url }}" + - name: POSTGREST_URL + value: "{{ .Values.postgrest.url }}" + - name: NODE_ENV + value: production + - name: AUTOMATION_USER_JWT + valueFrom: + secretKeyRef: + name: bot + key: automationUserJwt + - name: DISCORD_TOKEN + valueFrom: + secretKeyRef: + name: bot + key: discordToken + - name: DISCORD_APPLICATION_ID + valueFrom: + secretKeyRef: + name: bot + key: discordApplicationId + - name: DISCORD_CHANNEL_ID + valueFrom: + secretKeyRef: + name: bot + key: discordChannelId + - name: DISCORD_GUILD_ID + valueFrom: + secretKeyRef: + name: bot + key: discordGuildId + - name: WORKER_CONNECTION_STRING + valueFrom: + secretKeyRef: + name: bot + key: workerConnectionString + - name: HTTP_PROXY + valueFrom: + secretKeyRef: + name: capture + key: httpProxy + resources: + limits: + cpu: 150m + memory: 512Mi + restartPolicy: Always diff --git a/charts/fp/templates/capture.yaml b/charts/fp/templates-staging/capture.yaml similarity index 100% rename from charts/fp/templates/capture.yaml rename to charts/fp/templates-staging/capture.yaml diff --git a/charts/fp/templates/factory.yaml b/charts/fp/templates-staging/factory.yaml similarity index 100% rename from charts/fp/templates/factory.yaml rename to charts/fp/templates-staging/factory.yaml diff --git a/charts/fp/templates/migrations-data.yaml b/charts/fp/templates-staging/migrations-data.yaml similarity index 100% rename from charts/fp/templates/migrations-data.yaml rename to charts/fp/templates-staging/migrations-data.yaml diff --git a/charts/fp/templates/migrations-schema.yaml b/charts/fp/templates-staging/migrations-schema.yaml similarity index 100% rename from charts/fp/templates/migrations-schema.yaml rename to charts/fp/templates-staging/migrations-schema.yaml diff --git a/charts/fp/templates/next.yaml b/charts/fp/templates-staging/next.yaml similarity index 80% rename from charts/fp/templates/next.yaml rename to charts/fp/templates-staging/next.yaml index 070613d..78df14b 100644 --- a/charts/fp/templates/next.yaml +++ b/charts/fp/templates-staging/next.yaml @@ -42,19 +42,6 @@ spec: secretKeyRef: name: patreon key: clientSecret - - name: KEYCLOAK_CLIENT_ID - value: futureporn - - name: KEYCLOAK_CLIENT_SECRET - valueFrom: - secretKeyRef: - name: keycloak - key: clientSecret - - name: KEYCLOAK_ISSUER - value: {{ .Values.keycloak.issuer | quote }} - - name: KEYCLOAK_URL - value: {{ printf "https://%s" .Values.keycloak.hostname | quote }} - - name: KEYCLOAK_LOCAL_URL - value: {{ .Values.keycloak.localUrl | quote }} ports: - name: web containerPort: 3000 diff --git a/charts/fp/templates/postgrest.yaml b/charts/fp/templates-staging/postgrest.yaml similarity index 100% rename from charts/fp/templates/postgrest.yaml rename to charts/fp/templates-staging/postgrest.yaml diff --git a/charts/fp/templates/scout.yaml b/charts/fp/templates-staging/scout.yaml similarity index 100% rename from charts/fp/templates/scout.yaml rename to charts/fp/templates-staging/scout.yaml diff --git a/charts/fp/templates/bot.yaml b/charts/fp/templates/bot.yaml deleted file mode 100644 index b74e2ef..0000000 --- a/charts/fp/templates/bot.yaml +++ /dev/null @@ -1,69 +0,0 @@ ---- -apiVersion: apps/v1 -kind: Deployment -metadata: - name: bot - namespace: futureporn - labels: - app.kubernetes.io/name: bot -spec: - replicas: {{ .Values.bot.replicas }} - selector: - matchLabels: - app: bot - template: - metadata: - labels: - app: bot - spec: - containers: - - name: bot - image: "{{ .Values.bot.imageName }}" - env: - - name: SCOUT_URL - value: "{{ .Values.scout.url }}" - - name: POSTGREST_URL - value: "{{ .Values.postgrest.url }}" - - name: NODE_ENV - value: production - - name: AUTOMATION_USER_JWT - valueFrom: - secretKeyRef: - name: bot - key: automationUserJwt - - name: DISCORD_TOKEN - valueFrom: - secretKeyRef: - name: bot - key: discordToken - - name: DISCORD_APPLICATION_ID - valueFrom: - secretKeyRef: - name: bot - key: discordApplicationId - - name: DISCORD_CHANNEL_ID - valueFrom: - secretKeyRef: - name: bot - key: discordChannelId - - name: DISCORD_GUILD_ID - valueFrom: - secretKeyRef: - name: bot - key: discordGuildId - - name: WORKER_CONNECTION_STRING - valueFrom: - secretKeyRef: - name: bot - key: workerConnectionString - - name: HTTP_PROXY - valueFrom: - secretKeyRef: - name: capture - key: httpProxy - resources: - limits: - cpu: 150m - memory: 512Mi - restartPolicy: Always - diff --git a/charts/fp/templates/bright.yaml b/charts/fp/templates/bright.yaml new file mode 100644 index 0000000..a90fde7 --- /dev/null +++ b/charts/fp/templates/bright.yaml @@ -0,0 +1,87 @@ + + +--- +apiVersion: v1 +kind: Pod +metadata: + name: bright + namespace: futureporn + labels: + app.kubernetes.io/name: bright +spec: + containers: + - name: bright + image: {{ .Values.bright.imageName | quote }} + env: + - name: DATABASE_URL + valueFrom: + secretKeyRef: + name: bright + key: databaseUrl + - name: SECRET_KEY_BASE + valueFrom: + secretKeyRef: + name: bright + key: secretKeyBase + - name: DATABASE_HOST + value: postgresql-primary.futureporn.svc.cluster.local + - name: PORT + value: {{ .Values.bright.port | quote }} + - name: SUPERSTREAMER_URL + value: {{ .Values.superstreamer.api.localUrl | quote }} + - name: PUBLIC_S3_ENDPOINT + value: {{ .Values.bright.s3.endpoint | quote }} + - name: SUPERSTREAMER_AUTH_TOKEN + valueFrom: + secretKeyRef: + name: superstreamer + key: authToken + - name: DATABASE_PASSWORD + valueFrom: + secretKeyRef: + name: postgresql + key: password + - name: DATABASE + value: bright + - name: MIX_ENV + value: dev + ports: + - name: web + containerPort: {{ .Values.bright.port }} + resources: {} + restartPolicy: OnFailure + + +--- +apiVersion: v1 +kind: Service +metadata: + name: bright + namespace: futureporn + annotations: + external-dns.alpha.kubernetes.io/hostname: "{{ .Values.bright.hostname }}" +spec: + type: LoadBalancer + selector: + app.kubernetes.io/name: bright + ports: + - name: web + port: {{ .Values.bright.port }} + targetPort: web + protocol: TCP + + +--- +apiVersion: cert-manager.io/v1 +kind: Certificate +metadata: + name: bright + namespace: futureporn +spec: + secretName: bright-tls + issuerRef: + name: "{{ .Values.certManager.issuer }}" + kind: ClusterIssuer + dnsNames: + - "{{ .Values.bright.hostname }}" + diff --git a/charts/fp/templates/keycloak.yaml b/charts/fp/templates/keycloak.yaml deleted file mode 100644 index 0aba4c5..0000000 --- a/charts/fp/templates/keycloak.yaml +++ /dev/null @@ -1,44 +0,0 @@ -## most of keycloak's config is done thru it's Helm Chart values-overrides.yaml in ../../keycloak -## however, there are some things that said Chart doesn't handle for us, such as Certificates and traefik HTTPRoutes. -## we handle those out-of-spec things here - ---- -apiVersion: gateway.networking.k8s.io/v1 -kind: HTTPRoute -metadata: - name: keycloak-httproute - namespace: futureporn -spec: - parentRefs: - - name: traefik-gateway - hostnames: - - keycloak.fp.sbtp.xyz - rules: - - matches: - - path: - type: PathPrefix - value: / - filters: - - type: ResponseHeaderModifier - responseHeaderModifier: - add: - - name: x-cj-was-here - value: "true" - backendRefs: - - name: keycloak - port: 8080 - ---- -apiVersion: cert-manager.io/v1 -kind: Certificate -metadata: - name: keycloak - namespace: futureporn -spec: - secretName: keycloak-tls - issuerRef: - name: {{ .Values.certManager.issuer | quote }} - kind: ClusterIssuer - dnsNames: - - {{ .Values.keycloak.hostname | quote }} - diff --git a/charts/fp/templates/superstreamer.yaml b/charts/fp/templates/superstreamer.yaml new file mode 100644 index 0000000..d02533a --- /dev/null +++ b/charts/fp/templates/superstreamer.yaml @@ -0,0 +1,339 @@ + +## we don't use this because I don't know of a good way to sync the image tag with that of the postgres pod. +## It's more foolproof to use a script activated by a button in Tilt UI +# --- +# apiVersion: batch/v1 +# kind: Job +# metadata: +# name: superstreamer-database-seed +# namespace: futureporn +# spec: +# template: +# spec: +# restartPolicy: Never +# containers: +# - name: postgres-client +# image: postgres:latest +# command: ["sh", "-c"] +# args: +# - | +# psql -h postgresql-primary.futureporn.svc.cluster.local \ +# -U postgres \ +# -c "CREATE DATABASE sprs"; +# env: +# - name: PGPASSWORD +# valueFrom: +# secretKeyRef: +# name: postgresql +# key: password + + +--- +apiVersion: apps/v1 +kind: Deployment +metadata: + name: superstreamer-app + namespace: futureporn +spec: + replicas: 1 + selector: + matchLabels: + app: superstreamer-app + template: + metadata: + labels: + app: superstreamer-app + spec: + containers: + - name: superstreamer-app + image: {{ .Values.superstreamer.app.image | quote }} + ports: + - containerPort: 52000 + env: + - name: PUBLIC_API_ENDPOINT + value: http://localhost:52001 + - name: PUBLIC_STITCHER_ENDPOINT + value: http://localhost:52002 + - name: DATABASE_URI + valueFrom: + secretKeyRef: + name: superstreamer + key: databaseUri + - name: S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Endpoint + - name: S3_REGION + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Region + - name: S3_ACCESS_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3AccessKey + - name: S3_SECRET_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3SecretKey + - name: S3_BUCKET + valueFrom: + secretKeyRef: + name: superstreamer + key: s3SecretKey + - name: PUBLIC_S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: publicS3Endpoint + - name: SUPER_SECRET + valueFrom: + secretKeyRef: + name: superstreamer + key: superSecret +--- +apiVersion: apps/v1 +kind: Deployment +metadata: + name: superstreamer-api + namespace: futureporn +spec: + replicas: 1 + selector: + matchLabels: + app: superstreamer-api + template: + metadata: + labels: + app: superstreamer-api + spec: + containers: + - name: superstreamer-api + image: {{ .Values.superstreamer.api.image | quote }} + ports: + - containerPort: 52001 + env: + - name: REDIS_HOST + value: {{ .Values.superstreamer.redisUrl | quote }} + - name: REDIS_PORT + value: {{ .Values.superstreamer.redisPort | quote }} + - name: DATABASE_URI + valueFrom: + secretKeyRef: + name: superstreamer + key: databaseUri + - name: S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Endpoint + - name: S3_REGION + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Region + - name: S3_ACCESS_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3AccessKey + - name: S3_SECRET_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3SecretKey + - name: S3_BUCKET + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Bucket + - name: PUBLIC_S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: publicS3Endpoint + - name: SUPER_SECRET + valueFrom: + secretKeyRef: + name: superstreamer + key: superSecret + + +--- +apiVersion: apps/v1 +kind: Deployment +metadata: + name: superstreamer-stitcher + namespace: futureporn +spec: + replicas: 1 + selector: + matchLabels: + app: superstreamer-stitcher + template: + metadata: + labels: + app: superstreamer-stitcher + spec: + containers: + - name: superstreamer-stitcher + image: {{ .Values.superstreamer.stitcher.image | quote }} + ports: + - containerPort: 52002 + env: + - name: REDIS_HOST + value: {{ .Values.superstreamer.redisUrl | quote }} + - name: REDIS_PORT + value: {{ .Values.superstreamer.redisPort | quote }} + - name: PUBLIC_API_ENDPOINT + value: "http://localhost:52001" + - name: PUBLIC_STITCHER_ENDPOINT + value: "http://localhost:52002" + - name: DATABASE_URI + valueFrom: + secretKeyRef: + name: superstreamer + key: databaseUri + - name: S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Endpoint + - name: S3_REGION + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Region + - name: S3_ACCESS_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3AccessKey + - name: S3_SECRET_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3SecretKey + - name: S3_BUCKET + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Bucket + - name: PUBLIC_S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: publicS3Endpoint + - name: SUPER_SECRET + valueFrom: + secretKeyRef: + name: superstreamer + key: superSecret +--- +apiVersion: apps/v1 +kind: Deployment +metadata: + name: superstreamer-artisan + namespace: futureporn +spec: + replicas: 1 + selector: + matchLabels: + app: superstreamer-artisan + template: + metadata: + labels: + app: superstreamer-artisan + spec: + containers: + - name: superstreamer-artisan + image: {{ .Values.superstreamer.artisan.image | quote }} + env: + - name: REDIS_HOST + value: {{ .Values.superstreamer.redisUrl | quote }} + - name: REDIS_PORT + value: {{ .Values.superstreamer.redisPort | quote }} + - name: DATABASE_URI + valueFrom: + secretKeyRef: + name: superstreamer + key: databaseUri + - name: S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Endpoint + - name: S3_REGION + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Region + - name: S3_ACCESS_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3AccessKey + - name: S3_SECRET_KEY + valueFrom: + secretKeyRef: + name: superstreamer + key: s3SecretKey + - name: S3_BUCKET + valueFrom: + secretKeyRef: + name: superstreamer + key: s3Bucket + - name: PUBLIC_S3_ENDPOINT + valueFrom: + secretKeyRef: + name: superstreamer + key: publicS3Endpoint + - name: SUPER_SECRET + valueFrom: + secretKeyRef: + name: superstreamer + key: superSecret +--- +apiVersion: v1 +kind: Service +metadata: + name: superstreamer-app + namespace: futureporn +spec: + selector: + app: superstreamer-app + ports: + - protocol: TCP + port: 52000 + targetPort: 52000 + +--- +apiVersion: v1 +kind: Service +metadata: + name: superstreamer-api + namespace: futureporn +spec: + selector: + app: superstreamer-api + ports: + - protocol: TCP + port: 52001 + targetPort: 52001 + +--- +apiVersion: v1 +kind: Service +metadata: + name: superstreamer-stitcher + namespace: futureporn +spec: + selector: + app: superstreamer-stitcher + ports: + - protocol: TCP + port: 52002 + targetPort: 52002 diff --git a/charts/fp/templates/uppy.yaml b/charts/fp/templates/uppy.yaml deleted file mode 100644 index 063dcfa..0000000 --- a/charts/fp/templates/uppy.yaml +++ /dev/null @@ -1,163 +0,0 @@ -apiVersion: apps/v1 -kind: Deployment -metadata: - name: uppy - namespace: futureporn -spec: - replicas: {{ .Values.uppy.replicas }} - minReadySeconds: 5 - strategy: - type: RollingUpdate - rollingUpdate: - maxSurge: 2 - maxUnavailable: 1 - selector: - matchLabels: - app: uppy - template: - metadata: - labels: - app: uppy - spec: - containers: - - name: uppy - image: docker.io/transloadit/companion:latest - imagePullPolicy: IfNotPresent - resources: - limits: - memory: 150Mi - requests: - memory: 100Mi - env: - - name: COMPANION_STREAMING_UPLOAD - value: "true" - - name: COMPANION_CLIENT_ORIGINS - value: "{{ .Values.uppy.clientOrigins }}" - - name: COMPANION_DATADIR - value: /tmp/ - - name: COMPANION_DOMAIN - value: "{{ .Values.uppy.domain }}" - - name: COMPANION_PROTOCOL - value: https - - name: COMPANION_REDIS_URL - value: "{{ .Values.uppy.redisUrl }}" - - name: COMPANION_SECRET - valueFrom: - secretKeyRef: - name: uppy - key: secret - - name: COMPANION_PREAUTH_SECRET - valueFrom: - secretKeyRef: - name: uppy - key: preAuthSecret - - name: COMPANION_DROPBOX_KEY - valueFrom: - secretKeyRef: - name: uppy - key: dropboxKey - - name: COMPANION_DROPBOX_SECRET - valueFrom: - secretKeyRef: - name: uppy - key: dropboxSecret - - name: COMPANION_BOX_KEY - valueFrom: - secretKeyRef: - name: uppy - key: boxKey - - name: COMPANION_BOX_SECRET - valueFrom: - secretKeyRef: - name: uppy - key: boxSecret - - name: COMPANION_GOOGLE_KEY - valueFrom: - secretKeyRef: - name: uppy - key: googleKey - - name: COMPANION_GOOGLE_SECRET - valueFrom: - secretKeyRef: - name: uppy - key: googleSecret - - name: COMPANION_AWS_KEY - valueFrom: - secretKeyRef: - name: uppy - key: awsKey - - name: COMPANION_AWS_SECRET - valueFrom: - secretKeyRef: - name: uppy - key: awsSecret - - name: COMPANION_AWS_BUCKET - value: "{{ .Values.uppy.s3.bucket }}" - - name: COMPANION_AWS_REGION - value: "{{ .Values.uppy.s3.region }}" - - name: COMPANION_AWS_ENDPOINT - value: "{{ .Values.uppy.s3.endpoint }}" - # - name: COMPANION_AWS_PREFIX - # value: "{{ .Values.uppy.s3.prefix }}" - - ## COMPANION_OAUTH_DOMAIN is only necessary if using a different domain per each uppy pod. - ## We don't need this because we are load balancing the pods so they all use the same domain name. - ## @see https://github.com/transloadit/uppy/blob/f4dd3d534ff4378f3a2f73fe327358bcbde74059/docs/companion.md#server - - name: COMPANION_OAUTH_DOMAIN - value: '' - - name: COMPANION_PATH - value: '' - - name: COMPANION_IMPLICIT_PATH - value: '' - - name: COMPANION_DOMAINS - value: '' - ## https://uppy.io/docs/companion/#uploadurls-companion_upload_urls - - name: COMPANION_UPLOAD_URLS - value: "{{ .Values.uppy.uploadUrls }}" - ports: - - containerPort: 3020 - volumeMounts: - - name: uppy-data - mountPath: /mnt/uppy-data - volumes: - - name: uppy-data - emptyDir: {} - - ---- -apiVersion: v1 -kind: Service -metadata: - name: uppy - namespace: futureporn - annotations: - external-dns.alpha.kubernetes.io/hostname: "{{ .Values.uppy.hostname }}" -spec: - type: LoadBalancer - ports: - - port: 3020 - targetPort: 3020 - protocol: TCP - selector: - app: uppy - - - - - -# Welcome to Companion v4.15.1 -# =================================== - -# Congratulations on setting up Companion! Thanks for joining our cause, you have taken -# the first step towards the future of file uploading! We -# hope you are as excited about this as we are! - -# While you did an awesome job on getting Companion running, this is just the welcome -# message, so let's talk about the places that really matter: - -# - Be sure to add the following URLs as your Oauth redirect uris on their corresponding developer interfaces: -# https://uppy.fp.sbtp.xyz/drive/redirect, https://uppy.fp.sbtp.xyz/googlephotos/redirect, https://uppy.fp.sbtp.xyz/dropbox/redirect, https://uppy.fp.sbtp.xyz/box/redirect, https://uppy.fp.sbtp.xyz/instagram/redirect, https://uppy.fp.sbtp.xyz/facebook/redirect, https://uppy.fp.sbtp.xyz/onedrive/redirect, https://uppy.fp.sbtp.xyz/zoom/redirect, https://uppy.fp.sbtp.xyz/unsplash/redirect -# - The URL https://uppy.fp.sbtp.xyz/metrics is available for statistics to keep Companion running smoothly -# - https://github.com/transloadit/uppy/issues - report your bugs here - -# So quit lollygagging, start uploading and experience the future! \ No newline at end of file diff --git a/charts/fp/values.yaml b/charts/fp/values.yaml index 3f370e9..da4a2cc 100644 --- a/charts/fp/values.yaml +++ b/charts/fp/values.yaml @@ -7,10 +7,10 @@ environment: development # storageClassName: csi-hostpath-sc # used by minikube storageClassName: standard # used by Kind s3: - endpoint: https://s3.us-west-000.backblazeb2.com - region: us-west-000 + endpoint: https://futureporn.hel1.your-objectstorage.com + region: hel1 buckets: - main: fp-dev + main: futureporn usc: fp-usc-dev backup: futureporn-db-backup-dev link2cid: @@ -30,8 +30,8 @@ capture: mailbox: imageName: fp/mailbox replicas: 1 - cdnBucketUrl: https://fp-dev.b-cdn.net - s3BucketName: fp-dev + cdnBucketUrl: https://futureporn.hel1.your-objectstorage.com + s3BucketName: futureporn port: 5000 factory: replicas: 1 @@ -52,16 +52,31 @@ realtime: adminEmail: cj@futureporn.net echo: hostname: echo.fp.sbtp.xyz +superstreamer: + redisUrl: redis-master.futureporn.svc.cluster.local + redisPort: 6379 + app: + #image: fp/superstreamer-app + image: "superstreamerapp/app:alpha" + api: + #image: fp/superstreamer-api + localUrl: http://superstreamer-api.futureporn.svc.cluster.local:52001 + image: "superstreamerapp/api:alpha" + artisan: + #image: fp/superstreamer-artisan + image: "superstreamerapp/artisan:alpha" + stitcher: + #image: fp/superstreamer-stitcher + image: "superstreamerapp/stitcher:alpha" uppy: replicas: 3 hostname: uppy.fp.sbtp.xyz imageName: fp/uppy redisUrl: redis-master.futureporn.svc.cluster.local s3: - endpoint: https://s3.us-west-000.backblazeb2.com - bucket: fp-usc-dev - region: us-west-000 - prefix: s3 + endpoint: your-objectstorage.com + bucket: futureporn + region: hel1 clientOrigins: next.fp.sbtp.xyz domain: uppy.fp.sbtp.xyz uploadUrls: https://uppy.fp.sbtp.xyz/files @@ -96,11 +111,7 @@ supertokens: port: 3348 hostname: supertokens.fp.sbtp.xyz replicas: 1 -keycloak: - hostname: keycloak.fp.sbtp.xyz - localUrl: http://keycloak.futureporn.svc.cluster.local:8080 - replicas: 1 - issuer: https://keycloak.fp.sbtp.xyz/realms/futureporn + logto: admin: port: 3002 @@ -115,4 +126,13 @@ migrations: schema: imageName: fp/migrations-schema data: - imageName: fp/migrations-data \ No newline at end of file + imageName: fp/migrations-data +authentik: + replias: 1 + hostname: auth.fp.sbtp.xyz +bright: + imageName: fp/bright + hostname: bright.fp.sbtp.xyz + port: 4000 + s3: + endpoint: https://fp-dev.b-cdn.net \ No newline at end of file diff --git a/charts/keycloak/keycloak/.helmignore b/charts/keycloak/keycloak/.helmignore deleted file mode 100644 index 207983f..0000000 --- a/charts/keycloak/keycloak/.helmignore +++ /dev/null @@ -1,25 +0,0 @@ -# Patterns to ignore when building packages. -# This supports shell glob matching, relative path matching, and -# negation (prefixed with !). Only one pattern per line. -.DS_Store -# Common VCS dirs -.git/ -.gitignore -.bzr/ -.bzrignore -.hg/ -.hgignore -.svn/ -# Common backup files -*.swp -*.bak -*.tmp -*~ -# Various IDEs -.project -.idea/ -*.tmproj -# img folder -img/ -# Changelog -CHANGELOG.md diff --git a/charts/keycloak/keycloak/Chart.lock b/charts/keycloak/keycloak/Chart.lock deleted file mode 100644 index 76f6912..0000000 --- a/charts/keycloak/keycloak/Chart.lock +++ /dev/null @@ -1,9 +0,0 @@ -dependencies: -- name: postgresql - repository: oci://registry-1.docker.io/bitnamicharts - version: 16.2.2 -- name: common - repository: oci://registry-1.docker.io/bitnamicharts - version: 2.27.0 -digest: sha256:80a30494e1385f132dc70f43bf342dfbfc2250d4bea81ddea4de831617245d75 -generated: "2024-11-22T07:51:44.565506689Z" diff --git a/charts/keycloak/keycloak/Chart.yaml b/charts/keycloak/keycloak/Chart.yaml deleted file mode 100644 index a1b7090..0000000 --- a/charts/keycloak/keycloak/Chart.yaml +++ /dev/null @@ -1,35 +0,0 @@ -annotations: - category: DeveloperTools - images: | - - name: keycloak - image: docker.io/bitnami/keycloak:26.0.6-debian-12-r0 - - name: keycloak-config-cli - image: docker.io/bitnami/keycloak-config-cli:6.1.6-debian-12-r6 - licenses: Apache-2.0 -apiVersion: v2 -appVersion: 26.0.6 -dependencies: -- condition: postgresql.enabled - name: postgresql - repository: oci://registry-1.docker.io/bitnamicharts - version: 16.x.x -- name: common - repository: oci://registry-1.docker.io/bitnamicharts - tags: - - bitnami-common - version: 2.x.x -description: Keycloak is a high performance Java-based identity and access management - solution. It lets developers add an authentication layer to their applications with - minimum effort. -home: https://bitnami.com -icon: https://bitnami.com/assets/stacks/keycloak/img/keycloak-stack-220x234.png -keywords: -- keycloak -- access-management -maintainers: -- name: Broadcom, Inc. All Rights Reserved. - url: https://github.com/bitnami/charts -name: keycloak -sources: -- https://github.com/bitnami/charts/tree/main/bitnami/keycloak -version: 24.2.2 diff --git a/charts/keycloak/keycloak/README.md b/charts/keycloak/keycloak/README.md deleted file mode 100644 index c89b34e..0000000 --- a/charts/keycloak/keycloak/README.md +++ /dev/null @@ -1,823 +0,0 @@ - - -# Bitnami package for Keycloak - -Keycloak is a high performance Java-based identity and access management solution. It lets developers add an authentication layer to their applications with minimum effort. - -[Overview of Keycloak](https://www.keycloak.org/) - -Trademarks: This software listing is packaged by Bitnami. The respective trademarks mentioned in the offering are owned by the respective companies, and use of them does not imply any affiliation or endorsement. - -## TL;DR - -```console -helm install my-release oci://registry-1.docker.io/bitnamicharts/keycloak -``` - -Looking to use Keycloak in production? Try [VMware Tanzu Application Catalog](https://bitnami.com/enterprise), the commercial edition of the Bitnami catalog. - -## Introduction - -Bitnami charts for Helm are carefully engineered, actively maintained and are the quickest and easiest way to deploy containers on a Kubernetes cluster that are ready to handle production workloads. - -This chart bootstraps a [Keycloak](https://github.com/bitnami/containers/tree/main/bitnami/keycloak) deployment on a [Kubernetes](https://kubernetes.io) cluster using the [Helm](https://helm.sh) package manager. - -Bitnami charts can be used with [Kubeapps](https://kubeapps.dev/) for deployment and management of Helm Charts in clusters. - -## Prerequisites - -- Kubernetes 1.23+ -- Helm 3.8.0+ - -## Installing the Chart - -To install the chart with the release name `my-release`: - -```console -helm install my-release oci://REGISTRY_NAME/REPOSITORY_NAME/keycloak -``` - -> Note: You need to substitute the placeholders `REGISTRY_NAME` and `REPOSITORY_NAME` with a reference to your Helm chart registry and repository. For example, in the case of Bitnami, you need to use `REGISTRY_NAME=registry-1.docker.io` and `REPOSITORY_NAME=bitnamicharts`. - -These commands deploy a Keycloak application on the Kubernetes cluster in the default configuration. - -> **Tip**: List all releases using `helm list` - -## Configuration and installation details - -### Resource requests and limits - -Bitnami charts allow setting resource requests and limits for all containers inside the chart deployment. These are inside the `resources` value (check parameter table). Setting requests is essential for production workloads and these should be adapted to your specific use case. - -To make this process easier, the chart contains the `resourcesPreset` values, which automatically sets the `resources` section according to different presets. Check these presets in [the bitnami/common chart](https://github.com/bitnami/charts/blob/main/bitnami/common/templates/_resources.tpl#L15). However, in production workloads using `resourcePreset` is discouraged as it may not fully adapt to your specific needs. Find more information on container resource management in the [official Kubernetes documentation](https://kubernetes.io/docs/concepts/configuration/manage-resources-containers/). - -### [Rolling vs Immutable tags](https://techdocs.broadcom.com/us/en/vmware-tanzu/application-catalog/tanzu-application-catalog/services/tac-doc/apps-tutorials-understand-rolling-tags-containers-index.html) - -It is strongly recommended to use immutable tags in a production environment. This ensures your deployment does not change automatically if the same tag is updated with a different image. - -Bitnami will release a new chart updating its containers if a new version of the main container, significant changes, or critical vulnerabilities exist. - -### Use an external database - -Sometimes, you may want to have Keycloak connect to an external PostgreSQL database rather than a database within your cluster - for example, when using a managed database service, or when running a single database server for all your applications. To do this, set the `postgresql.enabled` parameter to `false` and specify the credentials for the external database using the `externalDatabase.*` parameters. Here is an example: - -```text -postgresql.enabled=false -externalDatabase.host=myexternalhost -externalDatabase.user=myuser -externalDatabase.password=mypassword -externalDatabase.database=mydatabase -externalDatabase.port=5432 -``` - -> NOTE: Only PostgreSQL database server is supported as external database - -It is not supported but possible to run Keycloak with an external MSSQL database with the following settings: - -```yaml -externalDatabase: - host: "mssql.example.com" - port: 1433 - user: keycloak - database: keycloak - existingSecret: passwords -extraEnvVars: - - name: KC_DB # override values from the conf file - value: 'mssql' - - name: KC_DB_URL - value: 'jdbc:sqlserver://mssql.example.com:1433;databaseName=keycloak;' -``` - -### Importing and exporting a realm - -#### Importing a realm - -You can import a realm by setting the `KEYCLOAK_EXTRA_ARGS` to contain the `--import-realm` argument. - -This will import all `*.json` under `/opt/bitnami/keycloak/data/import` files as a realm into keycloak as per the -official documentation [here](https://www.keycloak.org/server/importExport#_importing_a_realm_from_a_directory). You -can supply the files by mounting a volume e.g. with docker compose as follows: - -```yaml -keycloak: - image: bitnami/keycloak:latest - volumes: - - /local/path/to/realms/folder:/opt/bitnami/keycloak/data/import -``` - -#### Exporting a realm - -You can export a realm through the GUI but it will not export users even the option is set, this is a known keycloak -[bug](https://github.com/keycloak/keycloak/issues/23970). - -By using the `kc.sh` script you can export a realm with users. Be sure to mount the export folder to a local folder: - -```yaml -keycloak: - image: bitnami/keycloak:latest - volumes: - - /local/path/to/export/folder:/export -``` - -Then open a terminal in the running keycloak container and run: - -```bash -kc.sh export --dir /export/ --users realm_file -```` - -This will export the all the realms with users to the `/export` folder. - -### Configure Ingress - -This chart provides support for Ingress resources. If you have an ingress controller installed on your cluster, such as [nginx-ingress-controller](https://github.com/bitnami/charts/tree/main/bitnami/nginx-ingress-controller) or [contour](https://github.com/bitnami/charts/tree/main/bitnami/contour) you can utilize the ingress controller to serve your application.To enable Ingress integration, set `ingress.enabled` to `true`. - -The most common scenario is to have one host name mapped to the deployment. In this case, the `ingress.hostname` property can be used to set the host name. The `ingress.tls` parameter can be used to add the TLS configuration for this host. - -However, it is also possible to have more than one host. To facilitate this, the `ingress.extraHosts` parameter (if available) can be set with the host names specified as an array. The `ingress.extraTLS` parameter (if available) can also be used to add the TLS configuration for extra hosts. - -> NOTE: For each host specified in the `ingress.extraHosts` parameter, it is necessary to set a name, path, and any annotations that the Ingress controller should know about. Not all annotations are supported by all Ingress controllers, but [this annotation reference document](https://github.com/kubernetes/ingress-nginx/blob/master/docs/user-guide/nginx-configuration/annotations.md) lists the annotations supported by many popular Ingress controllers. - -Adding the TLS parameter (where available) will cause the chart to generate HTTPS URLs, and the application will be available on port 443. The actual TLS secrets do not have to be generated by this chart. However, if TLS is enabled, the Ingress record will not work until the TLS secret exists. - -[Learn more about Ingress controllers](https://kubernetes.io/docs/concepts/services-networking/ingress-controllers/). - -### Configure admin Ingress - -In addition to the Ingress resource described above, this chart also provides the ability to define an Ingress for the admin area of Keycloak, for example the `master` realm. - -For this scenario, you can use the Keycloak Config CLI integration with the following values, where `keycloak-admin.example.com` is to be replaced by the actual hostname: - -```yaml -adminIngress: - enabled: true - hostname: keycloak-admin.example.com -keycloakConfigCli: - enabled: true - configuration: - master.json: | - { - "realm" : "master", - "attributes": { - "frontendUrl": "https://keycloak-admin.example.com" - } - } -``` - -### Configure TLS Secrets for use with Ingress - -This chart facilitates the creation of TLS secrets for use with the Ingress controller (although this is not mandatory). There are several common use cases: - -- Generate certificate secrets based on chart parameters. -- Enable externally generated certificates. -- Manage application certificates via an external service (like [cert-manager](https://github.com/jetstack/cert-manager/)). -- Create self-signed certificates within the chart (if supported). - -In the first two cases, a certificate and a key are needed. Files are expected in `.pem` format. - -Here is an example of a certificate file: - -> NOTE: There may be more than one certificate if there is a certificate chain. - -```text ------BEGIN CERTIFICATE----- -MIID6TCCAtGgAwIBAgIJAIaCwivkeB5EMA0GCSqGSIb3DQEBCwUAMFYxCzAJBgNV -... -jScrvkiBO65F46KioCL9h5tDvomdU1aqpI/CBzhvZn1c0ZTf87tGQR8NK7v7 ------END CERTIFICATE----- -``` - -Here is an example of a certificate key: - -```text ------BEGIN RSA PRIVATE KEY----- -MIIEogIBAAKCAQEAvLYcyu8f3skuRyUgeeNpeDvYBCDcgq+LsWap6zbX5f8oLqp4 -... -wrj2wDbCDCFmfqnSJ+dKI3vFLlEz44sAV8jX/kd4Y6ZTQhlLbYc= ------END RSA PRIVATE KEY----- -``` - -- If using Helm to manage the certificates based on the parameters, copy these values into the `certificate` and `key` values for a given `*.ingress.secrets` entry. -- If managing TLS secrets separately, it is necessary to create a TLS secret with name `INGRESS_HOSTNAME-tls` (where INGRESS_HOSTNAME is a placeholder to be replaced with the hostname you set using the `*.ingress.hostname` parameter). -- If your cluster has a [cert-manager](https://github.com/jetstack/cert-manager) add-on to automate the management and issuance of TLS certificates, add to `*.ingress.annotations` the [corresponding ones](https://cert-manager.io/docs/usage/ingress/#supported-annotations) for cert-manager. -- If using self-signed certificates created by Helm, set both `*.ingress.tls` and `*.ingress.selfSigned` to `true`. - -### Use with ingress offloading SSL - -If your ingress controller has the SSL Termination, you should set `proxy` to `edge`. - -### Manage secrets and passwords - -This chart provides several ways to manage passwords: - -- Values passed to the chart: In this scenario, a new secret including all the passwords will be created during the chart installation. When upgrading, it is necessary to provide the secrets to the chart as shown below. Replace the KEYCLOAK_ADMIN_PASSWORD, POSTGRESQL_PASSWORD and POSTGRESQL_PVC placeholders with the correct passwords and PVC name. - -```console -helm upgrade keycloak bitnami/keycloak \ - --set auth.adminPassword=KEYCLOAK_ADMIN_PASSWORD \ - --set postgresql.postgresqlPassword=POSTGRESQL_PASSWORD \ - --set postgresql.persistence.existingClaim=POSTGRESQL_PVC -``` - -- An existing secret with all the passwords via the `existingSecret` parameter. - -### Add extra environment variables - -In case you want to add extra environment variables (useful for advanced operations like custom init scripts), you can use the `extraEnvVars` property. - -```yaml -extraEnvVars: - - name: KEYCLOAK_LOG_LEVEL - value: DEBUG -``` - -Alternatively, you can use a ConfigMap or a Secret with the environment variables. To do so, use the `extraEnvVarsCM` or the `extraEnvVarsSecret` values. - -### Use Sidecars and Init Containers - -If additional containers are needed in the same pod (such as additional metrics or logging exporters), they can be defined using the `sidecars` config parameter. - -```yaml -sidecars: -- name: your-image-name - image: your-image - imagePullPolicy: Always - ports: - - name: portname - containerPort: 1234 -``` - -If these sidecars export extra ports, extra port definitions can be added using the `service.extraPorts` parameter (where available), as shown in the example below: - -```yaml -service: - extraPorts: - - name: extraPort - port: 11311 - targetPort: 11311 -``` - -> NOTE: This Helm chart already includes sidecar containers for the Prometheus exporters (where applicable). These can be activated by adding the `--enable-metrics=true` parameter at deployment time. The `sidecars` parameter should therefore only be used for any extra sidecar containers. - -If additional init containers are needed in the same pod, they can be defined using the `initContainers` parameter. Here is an example: - -```yaml -initContainers: - - name: your-image-name - image: your-image - imagePullPolicy: Always - ports: - - name: portname - containerPort: 1234 -``` - -Learn more about [sidecar containers](https://kubernetes.io/docs/concepts/workloads/pods/) and [init containers](https://kubernetes.io/docs/concepts/workloads/pods/init-containers/). - -### Initialize a fresh instance - -The [Bitnami Keycloak](https://github.com/bitnami/containers/tree/main/bitnami/keycloak) image allows you to use your custom scripts to initialize a fresh instance. In order to execute the scripts, you can specify custom scripts using the `initdbScripts` parameter as dict. - -In addition to this option, you can also set an external ConfigMap with all the initialization scripts. This is done by setting the `initdbScriptsConfigMap` parameter. Note that this will override the previous option. - -The allowed extensions is `.sh`. - -### Deploy extra resources - -There are cases where you may want to deploy extra objects, such a ConfigMap containing your app's configuration or some extra deployment with a micro service used by your app. For covering this case, the chart allows adding the full specification of other objects using the `extraDeploy` parameter. - -### Set Pod affinity - -This chart allows you to set your custom affinity using the `affinity` parameter. Find more information about Pod's affinity in the [kubernetes documentation](https://kubernetes.io/docs/concepts/configuration/assign-pod-node/#affinity-and-anti-affinity). - -As an alternative, you can use of the preset configurations for pod affinity, pod anti-affinity, and node affinity available at the [bitnami/common](https://github.com/bitnami/charts/tree/main/bitnami/common#affinities) chart. To do so, set the `podAffinityPreset`, `podAntiAffinityPreset`, or `nodeAffinityPreset` parameters. - -## Parameters - -### Global parameters - -| Name | Description | Value | -| ----------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------ | -| `global.imageRegistry` | Global Docker image registry | `""` | -| `global.imagePullSecrets` | Global Docker registry secret names as an array | `[]` | -| `global.defaultStorageClass` | Global default StorageClass for Persistent Volume(s) | `""` | -| `global.storageClass` | DEPRECATED: use global.defaultStorageClass instead | `""` | -| `global.compatibility.openshift.adaptSecurityContext` | Adapt the securityContext sections of the deployment to make them compatible with Openshift restricted-v2 SCC: remove runAsUser, runAsGroup and fsGroup and let the platform use their allowed default IDs. Possible values: auto (apply if the detected running cluster is Openshift), force (perform the adaptation always), disabled (do not perform adaptation) | `auto` | - -### Common parameters - -| Name | Description | Value | -| ------------------------ | --------------------------------------------------------------------------------------- | --------------- | -| `kubeVersion` | Force target Kubernetes version (using Helm capabilities if not set) | `""` | -| `nameOverride` | String to partially override common.names.fullname | `""` | -| `fullnameOverride` | String to fully override common.names.fullname | `""` | -| `namespaceOverride` | String to fully override common.names.namespace | `""` | -| `commonLabels` | Labels to add to all deployed objects | `{}` | -| `enableServiceLinks` | If set to false, disable Kubernetes service links in the pod spec | `true` | -| `commonAnnotations` | Annotations to add to all deployed objects | `{}` | -| `dnsPolicy` | DNS Policy for pod | `""` | -| `dnsConfig` | DNS Configuration pod | `{}` | -| `clusterDomain` | Default Kubernetes cluster domain | `cluster.local` | -| `extraDeploy` | Array of extra objects to deploy with the release | `[]` | -| `diagnosticMode.enabled` | Enable diagnostic mode (all probes will be disabled and the command will be overridden) | `false` | -| `diagnosticMode.command` | Command to override all containers in the the statefulset | `["sleep"]` | -| `diagnosticMode.args` | Args to override all containers in the the statefulset | `["infinity"]` | - -### Keycloak parameters - -| Name | Description | Value | -| -------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------ | ----------------------------- | -| `image.registry` | Keycloak image registry | `REGISTRY_NAME` | -| `image.repository` | Keycloak image repository | `REPOSITORY_NAME/keycloak` | -| `image.digest` | Keycloak image digest in the way sha256:aa.... Please note this parameter, if set, will override the tag | `""` | -| `image.pullPolicy` | Keycloak image pull policy | `IfNotPresent` | -| `image.pullSecrets` | Specify docker-registry secret names as an array | `[]` | -| `image.debug` | Specify if debug logs should be enabled | `false` | -| `auth.adminUser` | Keycloak administrator user | `user` | -| `auth.adminPassword` | Keycloak administrator password for the new user | `""` | -| `auth.existingSecret` | Existing secret containing Keycloak admin password | `""` | -| `auth.passwordSecretKey` | Key where the Keycloak admin password is being stored inside the existing secret. | `""` | -| `auth.annotations` | Additional custom annotations for Keycloak auth secret object | `{}` | -| `customCaExistingSecret` | Name of the secret containing the Keycloak custom CA certificates. The secret will be mounted as a directory and configured using KC_TRUSTSTORE_PATHS. | `""` | -| `tls.enabled` | Enable TLS encryption. Required for HTTPs traffic. | `false` | -| `tls.autoGenerated` | Generate automatically self-signed TLS certificates. Currently only supports PEM certificates | `false` | -| `tls.existingSecret` | Existing secret containing the TLS certificates per Keycloak replica | `""` | -| `tls.usePem` | Use PEM certificates as input instead of PKS12/JKS stores | `false` | -| `tls.truststoreFilename` | Truststore filename inside the existing secret | `keycloak.truststore.jks` | -| `tls.keystoreFilename` | Keystore filename inside the existing secret | `keycloak.keystore.jks` | -| `tls.keystorePassword` | Password to access the keystore when it's password-protected | `""` | -| `tls.truststorePassword` | Password to access the truststore when it's password-protected | `""` | -| `tls.passwordsSecret` | Secret containing the Keystore and Truststore passwords. | `""` | -| `spi.existingSecret` | Existing secret containing the Keycloak truststore for SPI connection over HTTPS/TLS | `""` | -| `spi.truststorePassword` | Password to access the truststore when it's password-protected | `""` | -| `spi.truststoreFilename` | Truststore filename inside the existing secret | `keycloak-spi.truststore.jks` | -| `spi.passwordsSecret` | Secret containing the SPI Truststore passwords. | `""` | -| `spi.hostnameVerificationPolicy` | Verify the hostname of the server's certificate. Allowed values: "ANY", "WILDCARD", "STRICT". | `""` | -| `adminRealm` | Name of the admin realm | `master` | -| `production` | Run Keycloak in production mode. TLS configuration is required except when using proxy=edge. | `false` | -| `proxyHeaders` | Set Keycloak proxy headers | `""` | -| `proxy` | reverse Proxy mode edge, reencrypt, passthrough or none | `""` | -| `httpRelativePath` | Set the path relative to '/' for serving resources. Useful if you are migrating from older version which were using '/auth/' | `/` | -| `configuration` | Keycloak Configuration. Auto-generated based on other parameters when not specified | `""` | -| `existingConfigmap` | Name of existing ConfigMap with Keycloak configuration | `""` | -| `extraStartupArgs` | Extra default startup args | `""` | -| `enableDefaultInitContainers` | Deploy default init containers | `true` | -| `initdbScripts` | Dictionary of initdb scripts | `{}` | -| `initdbScriptsConfigMap` | ConfigMap with the initdb scripts (Note: Overrides `initdbScripts`) | `""` | -| `command` | Override default container command (useful when using custom images) | `[]` | -| `args` | Override default container args (useful when using custom images) | `[]` | -| `extraEnvVars` | Extra environment variables to be set on Keycloak container | `[]` | -| `extraEnvVarsCM` | Name of existing ConfigMap containing extra env vars | `""` | -| `extraEnvVarsSecret` | Name of existing Secret containing extra env vars | `""` | - -### Keycloak statefulset parameters - -| Name | Description | Value | -| --------------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ---------------- | -| `replicaCount` | Number of Keycloak replicas to deploy | `1` | -| `revisionHistoryLimitCount` | Number of controller revisions to keep | `10` | -| `containerPorts.http` | Keycloak HTTP container port | `8080` | -| `containerPorts.https` | Keycloak HTTPS container port | `8443` | -| `containerPorts.metrics` | Keycloak metrics container port | `9000` | -| `extraContainerPorts` | Optionally specify extra list of additional port-mappings for Keycloak container | `[]` | -| `statefulsetAnnotations` | Optionally add extra annotations on the statefulset resource | `{}` | -| `podSecurityContext.enabled` | Enabled Keycloak pods' Security Context | `true` | -| `podSecurityContext.fsGroupChangePolicy` | Set filesystem group change policy | `Always` | -| `podSecurityContext.sysctls` | Set kernel settings using the sysctl interface | `[]` | -| `podSecurityContext.supplementalGroups` | Set filesystem extra groups | `[]` | -| `podSecurityContext.fsGroup` | Set Keycloak pod's Security Context fsGroup | `1001` | -| `containerSecurityContext.enabled` | Enabled containers' Security Context | `true` | -| `containerSecurityContext.seLinuxOptions` | Set SELinux options in container | `{}` | -| `containerSecurityContext.runAsUser` | Set containers' Security Context runAsUser | `1001` | -| `containerSecurityContext.runAsGroup` | Set containers' Security Context runAsGroup | `1001` | -| `containerSecurityContext.runAsNonRoot` | Set container's Security Context runAsNonRoot | `true` | -| `containerSecurityContext.privileged` | Set container's Security Context privileged | `false` | -| `containerSecurityContext.readOnlyRootFilesystem` | Set container's Security Context readOnlyRootFilesystem | `true` | -| `containerSecurityContext.allowPrivilegeEscalation` | Set container's Security Context allowPrivilegeEscalation | `false` | -| `containerSecurityContext.capabilities.drop` | List of capabilities to be dropped | `["ALL"]` | -| `containerSecurityContext.seccompProfile.type` | Set container's Security Context seccomp profile | `RuntimeDefault` | -| `resourcesPreset` | Set container resources according to one common preset (allowed values: none, nano, micro, small, medium, large, xlarge, 2xlarge). This is ignored if resources is set (resources is recommended for production). | `small` | -| `resources` | Set container requests and limits for different resources like CPU or memory (essential for production workloads) | `{}` | -| `livenessProbe.enabled` | Enable livenessProbe on Keycloak containers | `true` | -| `livenessProbe.initialDelaySeconds` | Initial delay seconds for livenessProbe | `300` | -| `livenessProbe.periodSeconds` | Period seconds for livenessProbe | `1` | -| `livenessProbe.timeoutSeconds` | Timeout seconds for livenessProbe | `5` | -| `livenessProbe.failureThreshold` | Failure threshold for livenessProbe | `3` | -| `livenessProbe.successThreshold` | Success threshold for livenessProbe | `1` | -| `readinessProbe.enabled` | Enable readinessProbe on Keycloak containers | `true` | -| `readinessProbe.initialDelaySeconds` | Initial delay seconds for readinessProbe | `30` | -| `readinessProbe.periodSeconds` | Period seconds for readinessProbe | `10` | -| `readinessProbe.timeoutSeconds` | Timeout seconds for readinessProbe | `1` | -| `readinessProbe.failureThreshold` | Failure threshold for readinessProbe | `3` | -| `readinessProbe.successThreshold` | Success threshold for readinessProbe | `1` | -| `startupProbe.enabled` | Enable startupProbe on Keycloak containers | `false` | -| `startupProbe.initialDelaySeconds` | Initial delay seconds for startupProbe | `30` | -| `startupProbe.periodSeconds` | Period seconds for startupProbe | `5` | -| `startupProbe.timeoutSeconds` | Timeout seconds for startupProbe | `1` | -| `startupProbe.failureThreshold` | Failure threshold for startupProbe | `60` | -| `startupProbe.successThreshold` | Success threshold for startupProbe | `1` | -| `customLivenessProbe` | Custom Liveness probes for Keycloak | `{}` | -| `customReadinessProbe` | Custom Rediness probes Keycloak | `{}` | -| `customStartupProbe` | Custom Startup probes for Keycloak | `{}` | -| `lifecycleHooks` | LifecycleHooks to set additional configuration at startup | `{}` | -| `automountServiceAccountToken` | Mount Service Account token in pod | `true` | -| `hostAliases` | Deployment pod host aliases | `[]` | -| `podLabels` | Extra labels for Keycloak pods | `{}` | -| `podAnnotations` | Annotations for Keycloak pods | `{}` | -| `podAffinityPreset` | Pod affinity preset. Ignored if `affinity` is set. Allowed values: `soft` or `hard` | `""` | -| `podAntiAffinityPreset` | Pod anti-affinity preset. Ignored if `affinity` is set. Allowed values: `soft` or `hard` | `soft` | -| `nodeAffinityPreset.type` | Node affinity preset type. Ignored if `affinity` is set. Allowed values: `soft` or `hard` | `""` | -| `nodeAffinityPreset.key` | Node label key to match. Ignored if `affinity` is set. | `""` | -| `nodeAffinityPreset.values` | Node label values to match. Ignored if `affinity` is set. | `[]` | -| `affinity` | Affinity for pod assignment | `{}` | -| `nodeSelector` | Node labels for pod assignment | `{}` | -| `tolerations` | Tolerations for pod assignment | `[]` | -| `topologySpreadConstraints` | Topology Spread Constraints for pod assignment spread across your cluster among failure-domains. Evaluated as a template | `[]` | -| `podManagementPolicy` | Pod management policy for the Keycloak statefulset | `Parallel` | -| `priorityClassName` | Keycloak pods' Priority Class Name | `""` | -| `schedulerName` | Use an alternate scheduler, e.g. "stork". | `""` | -| `terminationGracePeriodSeconds` | Seconds Keycloak pod needs to terminate gracefully | `""` | -| `updateStrategy.type` | Keycloak statefulset strategy type | `RollingUpdate` | -| `updateStrategy.rollingUpdate` | Keycloak statefulset rolling update configuration parameters | `{}` | -| `minReadySeconds` | How many seconds a pod needs to be ready before killing the next, during update | `0` | -| `extraVolumes` | Optionally specify extra list of additional volumes for Keycloak pods | `[]` | -| `extraVolumeMounts` | Optionally specify extra list of additional volumeMounts for Keycloak container(s) | `[]` | -| `initContainers` | Add additional init containers to the Keycloak pods | `[]` | -| `sidecars` | Add additional sidecar containers to the Keycloak pods | `[]` | - -### Exposure parameters - -| Name | Description | Value | -| --------------------------------------- | -------------------------------------------------------------------------------------------------------------------------------- | ------------------------ | -| `service.type` | Kubernetes service type | `ClusterIP` | -| `service.http.enabled` | Enable http port on service | `true` | -| `service.ports.http` | Keycloak service HTTP port | `80` | -| `service.ports.https` | Keycloak service HTTPS port | `443` | -| `service.nodePorts` | Specify the nodePort values for the LoadBalancer and NodePort service types. | `{}` | -| `service.sessionAffinity` | Control where client requests go, to the same pod or round-robin | `None` | -| `service.sessionAffinityConfig` | Additional settings for the sessionAffinity | `{}` | -| `service.clusterIP` | Keycloak service clusterIP IP | `""` | -| `service.loadBalancerIP` | loadBalancerIP for the SuiteCRM Service (optional, cloud specific) | `""` | -| `service.loadBalancerSourceRanges` | Address that are allowed when service is LoadBalancer | `[]` | -| `service.externalTrafficPolicy` | Enable client source IP preservation | `Cluster` | -| `service.annotations` | Additional custom annotations for Keycloak service | `{}` | -| `service.extraPorts` | Extra port to expose on Keycloak service | `[]` | -| `service.extraHeadlessPorts` | Extra ports to expose on Keycloak headless service | `[]` | -| `service.headless.annotations` | Annotations for the headless service. | `{}` | -| `service.headless.extraPorts` | Extra ports to expose on Keycloak headless service | `[]` | -| `ingress.enabled` | Enable ingress record generation for Keycloak | `false` | -| `ingress.ingressClassName` | IngressClass that will be be used to implement the Ingress (Kubernetes 1.18+) | `""` | -| `ingress.pathType` | Ingress path type | `ImplementationSpecific` | -| `ingress.apiVersion` | Force Ingress API version (automatically detected if not set) | `""` | -| `ingress.controller` | The ingress controller type. Currently supports `default` and `gce` | `default` | -| `ingress.hostname` | Default host for the ingress record (evaluated as template) | `keycloak.local` | -| `ingress.hostnameStrict` | Disables dynamically resolving the hostname from request headers. | `false` | -| `ingress.path` | Default path for the ingress record (evaluated as template) | `""` | -| `ingress.servicePort` | Backend service port to use | `http` | -| `ingress.annotations` | Additional annotations for the Ingress resource. To enable certificate autogeneration, place here your cert-manager annotations. | `{}` | -| `ingress.labels` | Additional labels for the Ingress resource. | `{}` | -| `ingress.tls` | Enable TLS configuration for the host defined at `ingress.hostname` parameter | `false` | -| `ingress.selfSigned` | Create a TLS secret for this ingress record using self-signed certificates generated by Helm | `false` | -| `ingress.extraHosts` | An array with additional hostname(s) to be covered with the ingress record | `[]` | -| `ingress.extraPaths` | Any additional arbitrary paths that may need to be added to the ingress under the main host. | `[]` | -| `ingress.extraTls` | The tls configuration for additional hostnames to be covered with this ingress record. | `[]` | -| `ingress.secrets` | If you're providing your own certificates, please use this to add the certificates as secrets | `[]` | -| `ingress.extraRules` | Additional rules to be covered with this ingress record | `[]` | -| `adminIngress.enabled` | Enable admin ingress record generation for Keycloak | `false` | -| `adminIngress.ingressClassName` | IngressClass that will be be used to implement the Ingress (Kubernetes 1.18+) | `""` | -| `adminIngress.pathType` | Ingress path type | `ImplementationSpecific` | -| `adminIngress.apiVersion` | Force Ingress API version (automatically detected if not set) | `""` | -| `adminIngress.controller` | The ingress controller type. Currently supports `default` and `gce` | `default` | -| `adminIngress.hostname` | Default host for the admin ingress record (evaluated as template) | `keycloak.local` | -| `adminIngress.path` | Default path for the admin ingress record (evaluated as template) | `""` | -| `adminIngress.servicePort` | Backend service port to use | `http` | -| `adminIngress.annotations` | Additional annotations for the Ingress resource. To enable certificate autogeneration, place here your cert-manager annotations. | `{}` | -| `adminIngress.labels` | Additional labels for the Ingress resource. | `{}` | -| `adminIngress.tls` | Enable TLS configuration for the host defined at `adminIngress.hostname` parameter | `false` | -| `adminIngress.selfSigned` | Create a TLS secret for this ingress record using self-signed certificates generated by Helm | `false` | -| `adminIngress.extraHosts` | An array with additional hostname(s) to be covered with the admin ingress record | `[]` | -| `adminIngress.extraPaths` | Any additional arbitrary paths that may need to be added to the admin ingress under the main host. | `[]` | -| `adminIngress.extraTls` | The tls configuration for additional hostnames to be covered with this ingress record. | `[]` | -| `adminIngress.secrets` | If you're providing your own certificates, please use this to add the certificates as secrets | `[]` | -| `adminIngress.extraRules` | Additional rules to be covered with this ingress record | `[]` | -| `networkPolicy.enabled` | Specifies whether a NetworkPolicy should be created | `true` | -| `networkPolicy.allowExternal` | Don't require server label for connections | `true` | -| `networkPolicy.allowExternalEgress` | Allow the pod to access any range of port and all destinations. | `true` | -| `networkPolicy.kubeAPIServerPorts` | List of possible endpoints to kube-apiserver (limit to your cluster settings to increase security) | `[]` | -| `networkPolicy.extraIngress` | Add extra ingress rules to the NetworkPolicy | `[]` | -| `networkPolicy.extraEgress` | Add extra ingress rules to the NetworkPolicy | `[]` | -| `networkPolicy.ingressNSMatchLabels` | Labels to match to allow traffic from other namespaces | `{}` | -| `networkPolicy.ingressNSPodMatchLabels` | Pod labels to match to allow traffic from other namespaces | `{}` | - -### RBAC parameter - -| Name | Description | Value | -| --------------------------------------------- | --------------------------------------------------------- | ------- | -| `serviceAccount.create` | Enable the creation of a ServiceAccount for Keycloak pods | `true` | -| `serviceAccount.name` | Name of the created ServiceAccount | `""` | -| `serviceAccount.automountServiceAccountToken` | Auto-mount the service account token in the pod | `false` | -| `serviceAccount.annotations` | Additional custom annotations for the ServiceAccount | `{}` | -| `serviceAccount.extraLabels` | Additional labels for the ServiceAccount | `{}` | -| `rbac.create` | Whether to create and use RBAC resources or not | `false` | -| `rbac.rules` | Custom RBAC rules | `[]` | - -### Other parameters - -| Name | Description | Value | -| ----------------------------------------------------------- | -------------------------------------------------------------------------------------------- | ------- | -| `pdb.create` | Enable/disable a Pod Disruption Budget creation | `true` | -| `pdb.minAvailable` | Minimum number/percentage of pods that should remain scheduled | `""` | -| `pdb.maxUnavailable` | Maximum number/percentage of pods that may be made unavailable | `""` | -| `autoscaling.enabled` | Enable autoscaling for Keycloak | `false` | -| `autoscaling.minReplicas` | Minimum number of Keycloak replicas | `1` | -| `autoscaling.maxReplicas` | Maximum number of Keycloak replicas | `11` | -| `autoscaling.targetCPU` | Target CPU utilization percentage | `""` | -| `autoscaling.targetMemory` | Target Memory utilization percentage | `""` | -| `autoscaling.behavior.scaleUp.stabilizationWindowSeconds` | The number of seconds for which past recommendations should be considered while scaling up | `120` | -| `autoscaling.behavior.scaleUp.selectPolicy` | The priority of policies that the autoscaler will apply when scaling up | `Max` | -| `autoscaling.behavior.scaleUp.policies` | HPA scaling policies when scaling up | `[]` | -| `autoscaling.behavior.scaleDown.stabilizationWindowSeconds` | The number of seconds for which past recommendations should be considered while scaling down | `300` | -| `autoscaling.behavior.scaleDown.selectPolicy` | The priority of policies that the autoscaler will apply when scaling down | `Max` | -| `autoscaling.behavior.scaleDown.policies` | HPA scaling policies when scaling down | `[]` | - -### Metrics parameters - -| Name | Description | Value | -| ------------------------------------------ | -------------------------------------------------------------------------------------------------------------------------------------------------- | --------- | -| `metrics.enabled` | Enable exposing Keycloak statistics | `false` | -| `metrics.service.ports.http` | Metrics service HTTP port | `8080` | -| `metrics.service.ports.https` | Metrics service HTTPS port | `8443` | -| `metrics.service.ports.metrics` | Metrics service Metrics port | `9000` | -| `metrics.service.annotations` | Annotations for enabling prometheus to access the metrics endpoints | `{}` | -| `metrics.service.extraPorts` | Add additional ports to the keycloak metrics service (i.e. admin port 9000) | `[]` | -| `metrics.serviceMonitor.enabled` | Create ServiceMonitor Resource for scraping metrics using PrometheusOperator | `false` | -| `metrics.serviceMonitor.port` | Metrics service HTTP port | `metrics` | -| `metrics.serviceMonitor.scheme` | Metrics service scheme | `http` | -| `metrics.serviceMonitor.tlsConfig` | Metrics service TLS configuration | `{}` | -| `metrics.serviceMonitor.endpoints` | The endpoint configuration of the ServiceMonitor. Path is mandatory. Port, scheme, tlsConfig, interval, timeout and labellings can be overwritten. | `[]` | -| `metrics.serviceMonitor.path` | Metrics service HTTP path. Deprecated: Use @param metrics.serviceMonitor.endpoints instead | `""` | -| `metrics.serviceMonitor.namespace` | Namespace which Prometheus is running in | `""` | -| `metrics.serviceMonitor.interval` | Interval at which metrics should be scraped | `30s` | -| `metrics.serviceMonitor.scrapeTimeout` | Specify the timeout after which the scrape is ended | `""` | -| `metrics.serviceMonitor.labels` | Additional labels that can be used so ServiceMonitor will be discovered by Prometheus | `{}` | -| `metrics.serviceMonitor.selector` | Prometheus instance selector labels | `{}` | -| `metrics.serviceMonitor.relabelings` | RelabelConfigs to apply to samples before scraping | `[]` | -| `metrics.serviceMonitor.metricRelabelings` | MetricRelabelConfigs to apply to samples before ingestion | `[]` | -| `metrics.serviceMonitor.honorLabels` | honorLabels chooses the metric's labels on collisions with target labels | `false` | -| `metrics.serviceMonitor.jobLabel` | The name of the label on the target service to use as the job name in prometheus. | `""` | -| `metrics.prometheusRule.enabled` | Create PrometheusRule Resource for scraping metrics using PrometheusOperator | `false` | -| `metrics.prometheusRule.namespace` | Namespace which Prometheus is running in | `""` | -| `metrics.prometheusRule.labels` | Additional labels that can be used so PrometheusRule will be discovered by Prometheus | `{}` | -| `metrics.prometheusRule.groups` | Groups, containing the alert rules. | `[]` | - -### keycloak-config-cli parameters - -| Name | Description | Value | -| --------------------------------------------------------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------- | -| `keycloakConfigCli.enabled` | Whether to enable keycloak-config-cli job | `false` | -| `keycloakConfigCli.image.registry` | keycloak-config-cli container image registry | `REGISTRY_NAME` | -| `keycloakConfigCli.image.repository` | keycloak-config-cli container image repository | `REPOSITORY_NAME/keycloak-config-cli` | -| `keycloakConfigCli.image.digest` | keycloak-config-cli container image digest in the way sha256:aa.... Please note this parameter, if set, will override the tag | `""` | -| `keycloakConfigCli.image.pullPolicy` | keycloak-config-cli container image pull policy | `IfNotPresent` | -| `keycloakConfigCli.image.pullSecrets` | keycloak-config-cli container image pull secrets | `[]` | -| `keycloakConfigCli.annotations` | Annotations for keycloak-config-cli job | `{}` | -| `keycloakConfigCli.command` | Command for running the container (set to default if not set). Use array form | `[]` | -| `keycloakConfigCli.args` | Args for running the container (set to default if not set). Use array form | `[]` | -| `keycloakConfigCli.automountServiceAccountToken` | Mount Service Account token in pod | `true` | -| `keycloakConfigCli.hostAliases` | Job pod host aliases | `[]` | -| `keycloakConfigCli.resourcesPreset` | Set container resources according to one common preset (allowed values: none, nano, micro, small, medium, large, xlarge, 2xlarge). This is ignored if keycloakConfigCli.resources is set (keycloakConfigCli.resources is recommended for production). | `small` | -| `keycloakConfigCli.resources` | Set container requests and limits for different resources like CPU or memory (essential for production workloads) | `{}` | -| `keycloakConfigCli.containerSecurityContext.enabled` | Enabled keycloak-config-cli Security Context | `true` | -| `keycloakConfigCli.containerSecurityContext.seLinuxOptions` | Set SELinux options in container | `{}` | -| `keycloakConfigCli.containerSecurityContext.runAsUser` | Set keycloak-config-cli Security Context runAsUser | `1001` | -| `keycloakConfigCli.containerSecurityContext.runAsGroup` | Set keycloak-config-cli Security Context runAsGroup | `1001` | -| `keycloakConfigCli.containerSecurityContext.runAsNonRoot` | Set keycloak-config-cli Security Context runAsNonRoot | `true` | -| `keycloakConfigCli.containerSecurityContext.privileged` | Set keycloak-config-cli Security Context privileged | `false` | -| `keycloakConfigCli.containerSecurityContext.readOnlyRootFilesystem` | Set keycloak-config-cli Security Context readOnlyRootFilesystem | `true` | -| `keycloakConfigCli.containerSecurityContext.allowPrivilegeEscalation` | Set keycloak-config-cli Security Context allowPrivilegeEscalation | `false` | -| `keycloakConfigCli.containerSecurityContext.capabilities.drop` | List of capabilities to be dropped | `["ALL"]` | -| `keycloakConfigCli.containerSecurityContext.seccompProfile.type` | Set keycloak-config-cli Security Context seccomp profile | `RuntimeDefault` | -| `keycloakConfigCli.podSecurityContext.enabled` | Enabled keycloak-config-cli pods' Security Context | `true` | -| `keycloakConfigCli.podSecurityContext.fsGroupChangePolicy` | Set filesystem group change policy | `Always` | -| `keycloakConfigCli.podSecurityContext.sysctls` | Set kernel settings using the sysctl interface | `[]` | -| `keycloakConfigCli.podSecurityContext.supplementalGroups` | Set filesystem extra groups | `[]` | -| `keycloakConfigCli.podSecurityContext.fsGroup` | Set keycloak-config-cli pod's Security Context fsGroup | `1001` | -| `keycloakConfigCli.backoffLimit` | Number of retries before considering a Job as failed | `1` | -| `keycloakConfigCli.podLabels` | Pod extra labels | `{}` | -| `keycloakConfigCli.podAnnotations` | Annotations for job pod | `{}` | -| `keycloakConfigCli.extraEnvVars` | Additional environment variables to set | `[]` | -| `keycloakConfigCli.nodeSelector` | Node labels for pod assignment | `{}` | -| `keycloakConfigCli.podTolerations` | Tolerations for job pod assignment | `[]` | -| `keycloakConfigCli.extraEnvVarsCM` | ConfigMap with extra environment variables | `""` | -| `keycloakConfigCli.extraEnvVarsSecret` | Secret with extra environment variables | `""` | -| `keycloakConfigCli.extraVolumes` | Extra volumes to add to the job | `[]` | -| `keycloakConfigCli.extraVolumeMounts` | Extra volume mounts to add to the container | `[]` | -| `keycloakConfigCli.initContainers` | Add additional init containers to the Keycloak config cli pod | `[]` | -| `keycloakConfigCli.sidecars` | Add additional sidecar containers to the Keycloak config cli pod | `[]` | -| `keycloakConfigCli.configuration` | keycloak-config-cli realms configuration | `{}` | -| `keycloakConfigCli.existingConfigmap` | ConfigMap with keycloak-config-cli configuration | `""` | -| `keycloakConfigCli.cleanupAfterFinished.enabled` | Enables Cleanup for Finished Jobs | `false` | -| `keycloakConfigCli.cleanupAfterFinished.seconds` | Sets the value of ttlSecondsAfterFinished | `600` | - -### Database parameters - -| Name | Description | Value | -| -------------------------------------------- | ----------------------------------------------------------------------------------------------------------------- | ------------------ | -| `postgresql.enabled` | Switch to enable or disable the PostgreSQL helm chart | `true` | -| `postgresql.auth.postgresPassword` | Password for the "postgres" admin user. Ignored if `auth.existingSecret` with key `postgres-password` is provided | `""` | -| `postgresql.auth.username` | Name for a custom user to create | `bn_keycloak` | -| `postgresql.auth.password` | Password for the custom user to create | `""` | -| `postgresql.auth.database` | Name for a custom database to create | `bitnami_keycloak` | -| `postgresql.auth.existingSecret` | Name of existing secret to use for PostgreSQL credentials | `""` | -| `postgresql.auth.secretKeys.userPasswordKey` | Name of key in existing secret to use for PostgreSQL credentials. Only used when `auth.existingSecret` is set. | `password` | -| `postgresql.architecture` | PostgreSQL architecture (`standalone` or `replication`) | `standalone` | -| `externalDatabase.host` | Database host | `""` | -| `externalDatabase.port` | Database port number | `5432` | -| `externalDatabase.user` | Non-root username for Keycloak | `bn_keycloak` | -| `externalDatabase.password` | Password for the non-root username for Keycloak | `""` | -| `externalDatabase.database` | Keycloak database name | `bitnami_keycloak` | -| `externalDatabase.existingSecret` | Name of an existing secret resource containing the database credentials | `""` | -| `externalDatabase.existingSecretHostKey` | Name of an existing secret key containing the database host name | `""` | -| `externalDatabase.existingSecretPortKey` | Name of an existing secret key containing the database port | `""` | -| `externalDatabase.existingSecretUserKey` | Name of an existing secret key containing the database user | `""` | -| `externalDatabase.existingSecretDatabaseKey` | Name of an existing secret key containing the database name | `""` | -| `externalDatabase.existingSecretPasswordKey` | Name of an existing secret key containing the database credentials | `""` | -| `externalDatabase.annotations` | Additional custom annotations for external database secret object | `{}` | - -### Keycloak Cache parameters - -| Name | Description | Value | -| ----------------- | -------------------------------------------------------------------------- | ------------ | -| `cache.enabled` | Switch to enable or disable the keycloak distributed cache for kubernetes. | `true` | -| `cache.stackName` | Set infinispan cache stack to use | `kubernetes` | -| `cache.stackFile` | Set infinispan cache stack filename to use | `""` | - -### Keycloak Logging parameters - -| Name | Description | Value | -| ---------------- | ------------------------------------------------------------------------------ | --------- | -| `logging.output` | Alternates between the default log output format or json format | `default` | -| `logging.level` | Allowed values as documented: FATAL, ERROR, WARN, INFO, DEBUG, TRACE, ALL, OFF | `INFO` | - -Specify each parameter using the `--set key=value[,key=value]` argument to `helm install`. For example, - -```console -helm install my-release --set auth.adminPassword=secretpassword oci://REGISTRY_NAME/REPOSITORY_NAME/keycloak -``` - -> Note: You need to substitute the placeholders `REGISTRY_NAME` and `REPOSITORY_NAME` with a reference to your Helm chart registry and repository. For example, in the case of Bitnami, you need to use `REGISTRY_NAME=registry-1.docker.io` and `REPOSITORY_NAME=bitnamicharts`. - -The above command sets the Keycloak administrator password to `secretpassword`. - -> NOTE: Once this chart is deployed, it is not possible to change the application's access credentials, such as usernames or passwords, using Helm. To change these application credentials after deployment, delete any persistent volumes (PVs) used by the chart and re-deploy it, or use the application's built-in administrative tools if available. - -Alternatively, a YAML file that specifies the values for the parameters can be provided while installing the chart. For example, - -```console -helm install my-release -f values.yaml oci://REGISTRY_NAME/REPOSITORY_NAME/keycloak -``` - -> Note: You need to substitute the placeholders `REGISTRY_NAME` and `REPOSITORY_NAME` with a reference to your Helm chart registry and repository. For example, in the case of Bitnami, you need to use `REGISTRY_NAME=registry-1.docker.io` and `REPOSITORY_NAME=bitnamicharts`. -> **Tip**: You can use the default [values.yaml](https://github.com/bitnami/charts/tree/main/bitnami/keycloak/values.yaml) - -Keycloak realms, users and clients can be created from the Keycloak administration panel. - -## Troubleshooting - -Find more information about how to deal with common errors related to Bitnami's Helm charts in [this troubleshooting guide](https://docs.bitnami.com/general/how-to/troubleshoot-helm-chart-issues). - -## Upgrading - -### To 24.1.0 - -With this update the metrics service listening port is switched to 9000, the same as the keycloak management endpoint is using. -This can be changed by setting `metrics.service.ports.http` to a different value, e.g. 8080 like before this change. - -### To 23.0.0 - -This major updates the PostgreSQL subchart to its newest major, 16.0.0, which uses PostgreSQL 17.x. Follow the [official instructions](https://www.postgresql.org/docs/17/upgrading.html) to upgrade to 17.x. - -### To 21.0.0 - -This major release updates the keycloak branch to its newest major, 24.x.x. Follow the [upstream documentation](https://www.keycloak.org/docs/latest/upgrading/index.html#migrating-to-24-0-0) for upgrade instructions. - -### To 20.0.0 - -This major bump changes the following security defaults: - -- `runAsGroup` is changed from `0` to `1001` -- `readOnlyRootFilesystem` is set to `true` -- `resourcesPreset` is changed from `none` to the minimum size working in our test suites (NOTE: `resourcesPreset` is not meant for production usage, but `resources` adapted to your use case). -- `global.compatibility.openshift.adaptSecurityContext` is changed from `disabled` to `auto`. - -This could potentially break any customization or init scripts used in your deployment. If this is the case, change the default values to the previous ones. - -### To 19.0.0 - -This major release bumps the PostgreSQL chart version to [14.x.x](https://github.com/bitnami/charts/pull/22750); no major issues are expected during the upgrade. - -### To 17.0.0 - -This major updates the PostgreSQL subchart to its newest major, 13.0.0. [Here](https://github.com/bitnami/charts/tree/master/bitnami/postgresql#to-1300) you can find more information about the changes introduced in that version. - -### To 15.0.0 - -This major updates the default serviceType from `LoadBalancer` to `ClusterIP` to avoid inadvertently exposing Keycloak directly to the internet without an Ingress. - -### To 12.0.0 - -This major updates the PostgreSQL subchart to its newest major, 12.0.0. [Here](https://github.com/bitnami/charts/tree/master/bitnami/postgresql#to-1200) you can find more information about the changes introduced in that version. - -### To 10.0.0 - -This major release updates Keycloak to its major version `19`. Please, refer to the official [Keycloak migration documentation](https://www.keycloak.org/docs/latest/upgrading/index.html#migrating-to-19-0-0) for a complete list of changes and further information. - -### To 9.0.0 - -This major release updates Keycloak to its major version `18`. Please, refer to the official [Keycloak migration documentation](https://www.keycloak.org/docs/latest/upgrading/index.html#migrating-to-18-0-0) for a complete list of changes and further information. - -### To 8.0.0 - -This major release updates Keycloak to its major version `17`. Among other features, this new version has deprecated WildFly in favor of Quarkus, which introduces breaking changes like: - -- Removal of `/auth` from the default context path. -- Changes in the configuration and deployment of custom providers. -- Significant changes in configuring Keycloak. - -Please, refer to the official [Keycloak migration documentation](https://www.keycloak.org/docs/latest/upgrading/index.html#migrating-to-17-0-0) and [Migrating to Quarkus distribution document](https://www.keycloak.org/migration/migrating-to-quarkus) for a complete list of changes and further information. - -### To 7.0.0 - -This major release updates the PostgreSQL subchart to its newest major *11.x.x*, which contain several changes in the supported values (check the [upgrade notes](https://github.com/bitnami/charts/tree/master/bitnami/postgresql#to-1100) to obtain more information). - -#### Upgrading Instructions - -To upgrade to *7.0.0* from *6.x*, it should be done reusing the PVC(s) used to hold the data on your previous release. To do so, follow the instructions below (the following example assumes that the release name is *keycloak* and the release namespace *default*): - -1. Obtain the credentials and the names of the PVCs used to hold the data on your current release: - -```console -export KEYCLOAK_PASSWORD=$(kubectl get secret --namespace default keycloak -o jsonpath="{.data.admin-password}" | base64 --decode) -export POSTGRESQL_PASSWORD=$(kubectl get secret --namespace default keycloak-postgresql -o jsonpath="{.data.postgresql-password}" | base64 --decode) -export POSTGRESQL_PVC=$(kubectl get pvc -l app.kubernetes.io/instance=keycloak,app.kubernetes.io/name=postgresql,role=primary -o jsonpath="{.items[0].metadata.name}") -``` - -1. Delete the PostgreSQL statefulset (notice the option *--cascade=false*) and secret: - -```console -kubectl delete statefulsets.apps --cascade=false keycloak-postgresql -kubectl delete secret keycloak-postgresql --namespace default -``` - -1. Upgrade your release using the same PostgreSQL version: - -```console -CURRENT_PG_VERSION=$(kubectl exec keycloak-postgresql-0 -- bash -c 'echo $BITNAMI_IMAGE_VERSION') -helm upgrade keycloak bitnami/keycloak \ - --set auth.adminPassword=$KEYCLOAK_PASSWORD \ - --set postgresql.image.tag=$CURRENT_PG_VERSION \ - --set postgresql.auth.password=$POSTGRESQL_PASSWORD \ - --set postgresql.persistence.existingClaim=$POSTGRESQL_PVC -``` - -1. Delete the existing PostgreSQL pods and the new statefulset will create a new one: - -```console -kubectl delete pod keycloak-postgresql-0 -``` - -### To 1.0.0 - -[On November 13, 2020, Helm v2 support was formally finished](https://github.com/helm/charts#status-of-the-project), this major version is the result of the required changes applied to the Helm Chart to be able to incorporate the different features added in Helm v3 and to be consistent with the Helm project itself regarding the Helm v2 EOL. - -#### What changes were introduced in this major version? - -- Previous versions of this Helm Chart use `apiVersion: v1` (installable by both Helm 2 and 3), this Helm Chart was updated to `apiVersion: v2` (installable by Helm 3 only). [Here](https://helm.sh/docs/topics/charts/#the-apiversion-field) you can find more information about the `apiVersion` field. -- Move dependency information from the *requirements.yaml* to the *Chart.yaml* -- After running *helm dependency update*, a *Chart.lock* file is generated containing the same structure used in the previous *requirements.lock* -- The different fields present in the *Chart.yaml* file has been ordered alphabetically in a homogeneous way for all the Bitnami Helm Chart. - -#### Considerations when upgrading to this version - -- If you want to upgrade to this version using Helm v2, this scenario is not supported as this version does not support Helm v2 anymore. -- If you installed the previous version with Helm v2 and wants to upgrade to this version with Helm v3, please refer to the [official Helm documentation](https://helm.sh/docs/topics/v2_v3_migration/#migration-use-cases) about migrating from Helm v2 to v3. - -#### Useful links - -- [Bitnami Tutorial](https://techdocs.broadcom.com/us/en/vmware-tanzu/application-catalog/tanzu-application-catalog/services/tac-doc/apps-tutorials-resolve-helm2-helm3-post-migration-issues-index.html) -- [Helm docs](https://helm.sh/docs/topics/v2_v3_migration) -- [Helm Blog](https://helm.sh/blog/migrate-from-helm-v2-to-helm-v3) - -## License - -Copyright © 2024 Broadcom. The term "Broadcom" refers to Broadcom Inc. and/or its subsidiaries. - -Licensed under the Apache License, Version 2.0 (the "License"); -you may not use this file except in compliance with the License. -You may obtain a copy of the License at - - - -Unless required by applicable law or agreed to in writing, software -distributed under the License is distributed on an "AS IS" BASIS, -WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -See the License for the specific language governing permissions and -limitations under the License. \ No newline at end of file diff --git a/charts/keycloak/keycloak/templates/NOTES.txt b/charts/keycloak/keycloak/templates/NOTES.txt deleted file mode 100644 index d3ecb69..0000000 --- a/charts/keycloak/keycloak/templates/NOTES.txt +++ /dev/null @@ -1,104 +0,0 @@ -CHART NAME: {{ .Chart.Name }} -CHART VERSION: {{ .Chart.Version }} -APP VERSION: {{ .Chart.AppVersion }} - -** Please be patient while the chart is being deployed ** - -Keycloak can be accessed through the following DNS name from within your cluster: - - {{ include "common.names.fullname" . }}.{{ include "common.names.namespace" . }}.svc.{{ .Values.clusterDomain }} (port {{ coalesce .Values.service.ports.http .Values.service.port }}) - -To access Keycloak from outside the cluster execute the following commands: - -{{- if .Values.ingress.enabled }} - -1. Get the Keycloak URL and associate its hostname to your cluster external IP: - - export CLUSTER_IP=$(minikube ip) # On Minikube. Use: `kubectl cluster-info` on others K8s clusters - echo "Keycloak URL: http{{ if .Values.ingress.tls }}s{{ end }}://{{ (tpl .Values.ingress.hostname .) }}/" - echo "$CLUSTER_IP {{ (tpl .Values.ingress.hostname .) }}" | sudo tee -a /etc/hosts - -{{- if .Values.adminIngress.enabled }} -The admin area of Keycloak has been configured to point to a different domain ({{ .Values.adminIngress.hostname }}). Please remember to update the `frontendUrl` property of the `{{ .Values.adminRealm | default "master" }}` (or any other) realm for it to work properly (see README for an example) : - - echo "Keycloak admin URL: http{{ if .Values.adminIngress.tls }}s{{ end }}://{{ (tpl .Values.adminIngress.hostname .) }}/" - echo "$CLUSTER_IP {{ (tpl .Values.adminIngress.hostname .) }}" | sudo tee -a /etc/hosts -{{- end }} - -{{- else }} - -1. Get the Keycloak URL by running these commands: - -{{- if contains "NodePort" .Values.service.type }} - - export HTTP_NODE_PORT=$(kubectl get --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.spec.ports[?(@.name=='http')].nodePort}" services {{ include "common.names.fullname" . }}) - {{- if .Values.tls.enabled }} - export HTTPS_NODE_PORT=$(kubectl get --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.spec.ports[?(@.name=='https')].nodePort}" services {{ include "common.names.fullname" . }}) - {{- end }} - export NODE_IP=$(kubectl get nodes --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.items[0].status.addresses[0].address}") - - echo "http://${NODE_IP}:${HTTP_NODE_PORT}/" - {{- if .Values.tls.enabled }} - echo "https://${NODE_IP}:${HTTPS_NODE_PORT}/" - {{- end }} - -{{- else if contains "LoadBalancer" .Values.service.type }} - - NOTE: It may take a few minutes for the LoadBalancer IP to be available. - You can watch its status by running 'kubectl get --namespace {{ include "common.names.namespace" . }} svc -w {{ include "common.names.fullname" . }}' - - export HTTP_SERVICE_PORT=$(kubectl get --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.spec.ports[?(@.name=='http')].port}" services {{ include "common.names.fullname" . }}) - {{- if .Values.tls.enabled }} - export HTTPS_SERVICE_PORT=$(kubectl get --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.spec.ports[?(@.name=='https')].port}" services {{ include "common.names.fullname" . }}) - {{- end }} - export SERVICE_IP=$(kubectl get svc --namespace {{ include "common.names.namespace" . }} {{ include "common.names.fullname" . }} -o jsonpath='{.status.loadBalancer.ingress[0].ip}') - - echo "http://${SERVICE_IP}:${HTTP_SERVICE_PORT}/" - {{- if .Values.tls.enabled }} - echo "https://${SERVICE_IP}:${HTTPS_SERVICE_PORT}/" - {{- end }} - -{{- else if contains "ClusterIP" .Values.service.type }} - - export HTTP_SERVICE_PORT=$(kubectl get --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.spec.ports[?(@.name=='http')].port}" services {{ include "common.names.fullname" . }}) - {{- if .Values.tls.enabled }} - export HTTPS_SERVICE_PORT=$(kubectl get --namespace {{ include "common.names.namespace" . }} -o jsonpath="{.spec.ports[?(@.name=='https')].port}" services {{ include "common.names.fullname" . }}) - kubectl port-forward --namespace {{ include "common.names.namespace" . }} svc/{{ include "common.names.fullname" . }} ${HTTP_SERVICE_PORT}:${HTTP_SERVICE_PORT} ${HTTPS_SERVICE_PORT}:${HTTPS_SERVICE_PORT} & - {{- else }} - kubectl port-forward --namespace {{ include "common.names.namespace" . }} svc/{{ include "common.names.fullname" . }} ${HTTP_SERVICE_PORT}:${HTTP_SERVICE_PORT} & - {{- end }} - - echo "http://127.0.0.1:${HTTP_SERVICE_PORT}/" - {{- if .Values.tls.enabled }} - echo "https://127.0.0.1:${HTTPS_SERVICE_PORT}/" - {{- end }} - -{{- end }} -{{- end }} - -2. Access Keycloak using the obtained URL. -{{- if and .Values.auth.adminUser .Values.auth.adminPassword }} -3. Access the Administration Console using the following credentials: - - echo Username: {{ .Values.auth.adminUser }} - echo Password: $(kubectl get secret --namespace {{ include "common.names.namespace" . }} {{ include "keycloak.secretName" . }} -o jsonpath="{.data.{{ include "keycloak.secretKey" .}}}" | base64 -d) -{{- end }} -{{- if .Values.metrics.enabled }} - -You can access the Prometheus metrics following the steps below: - -1. Get the Keycloak Prometheus metrics URL by running: - - {{- $metricsPort := coalesce .Values.metrics.service.ports.metrics .Values.metrics.service.port | toString }} - kubectl port-forward --namespace {{ include "common.names.namespace" . }} svc/{{ printf "%s-metrics" (include "common.names.fullname" .) }} {{ $metricsPort }}:{{ $metricsPort }} & - echo "Keycloak Prometheus metrics URL: http://127.0.0.1:{{ $metricsPort }}/metrics" - -2. Open a browser and access Keycloak Prometheus metrics using the obtained URL. - -{{- end }} - -{{- include "keycloak.validateValues" . }} -{{- include "common.warnings.rollingTag" .Values.image }} -{{- include "common.warnings.rollingTag" .Values.keycloakConfigCli.image }} -{{- include "common.warnings.resources" (dict "sections" (list "keycloakConfigCli" "") "context" $) }} -{{- include "common.warnings.modifiedImages" (dict "images" (list .Values.image .Values.keycloakConfigCli.image) "context" $) }} \ No newline at end of file diff --git a/charts/keycloak/keycloak/templates/_helpers.tpl b/charts/keycloak/keycloak/templates/_helpers.tpl deleted file mode 100644 index 5f56e70..0000000 --- a/charts/keycloak/keycloak/templates/_helpers.tpl +++ /dev/null @@ -1,348 +0,0 @@ -{{/* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{/* -Return the proper Keycloak image name -*/}} -{{- define "keycloak.image" -}} -{{ include "common.images.image" (dict "imageRoot" .Values.image "global" .Values.global) }} -{{- end -}} - -{{/* -Return the proper keycloak-config-cli image name -*/}} -{{- define "keycloak.keycloakConfigCli.image" -}} -{{ include "common.images.image" (dict "imageRoot" .Values.keycloakConfigCli.image "global" .Values.global) }} -{{- end -}} - -{{/* -Return the keycloak-config-cli configuration configmap. -*/}} -{{- define "keycloak.keycloakConfigCli.configmapName" -}} -{{- if .Values.keycloakConfigCli.existingConfigmap -}} - {{- printf "%s" (tpl .Values.keycloakConfigCli.existingConfigmap $) -}} -{{- else -}} - {{- printf "%s-keycloak-config-cli-configmap" (include "common.names.fullname" .) -}} -{{- end -}} -{{- end -}} - -{{/* -Return true if a configmap object should be created for keycloak-config-cli -*/}} -{{- define "keycloak.keycloakConfigCli.createConfigmap" -}} -{{- if and .Values.keycloakConfigCli.enabled .Values.keycloakConfigCli.configuration (not .Values.keycloakConfigCli.existingConfigmap) -}} - {{- true -}} -{{- end -}} -{{- end -}} - -{{/* -Return the proper Docker Image Registry Secret Names -*/}} -{{- define "keycloak.imagePullSecrets" -}} -{{- include "common.images.renderPullSecrets" (dict "images" (list .Values.image .Values.keycloakConfigCli.image) "context" $) -}} -{{- end -}} - -{{/* -Create a default fully qualified app name. -We truncate at 63 chars because some Kubernetes name fields are limited to this (by the DNS naming spec). -*/}} -{{- define "keycloak.postgresql.fullname" -}} -{{- include "common.names.dependency.fullname" (dict "chartName" "postgresql" "chartValues" .Values.postgresql "context" $) -}} -{{- end -}} - -{{/* -Create the name of the service account to use -*/}} -{{- define "keycloak.serviceAccountName" -}} -{{- if .Values.serviceAccount.create -}} - {{ default (include "common.names.fullname" .) .Values.serviceAccount.name }} -{{- else -}} - {{ default "default" .Values.serviceAccount.name }} -{{- end -}} -{{- end -}} - -{{/* -Return the path Keycloak is hosted on. This looks at httpRelativePath and returns it with a trailing slash. For example: - / -> / (the default httpRelativePath) - /auth -> /auth/ (trailing slash added) - /custom/ -> /custom/ (unchanged) -*/}} -{{- define "keycloak.httpPath" -}} -{{ ternary .Values.httpRelativePath (printf "%s%s" .Values.httpRelativePath "/") (hasSuffix "/" .Values.httpRelativePath) }} -{{- end -}} - -{{/* -Return the Keycloak configuration configmap -*/}} -{{- define "keycloak.configmapName" -}} -{{- if .Values.existingConfigmap -}} - {{- printf "%s" (tpl .Values.existingConfigmap $) -}} -{{- else -}} - {{- printf "%s-configuration" (include "common.names.fullname" .) -}} -{{- end -}} -{{- end -}} - -{{/* -Return true if a configmap object should be created -*/}} -{{- define "keycloak.createConfigmap" -}} -{{- if and .Values.configuration (not .Values.existingConfigmap) }} - {{- true -}} -{{- end -}} -{{- end -}} - -{{/* -Return the Database hostname -*/}} -{{- define "keycloak.databaseHost" -}} -{{- if eq .Values.postgresql.architecture "replication" }} -{{- ternary (include "keycloak.postgresql.fullname" .) (tpl .Values.externalDatabase.host $) .Values.postgresql.enabled -}}-primary -{{- else -}} -{{- ternary (include "keycloak.postgresql.fullname" .) (tpl .Values.externalDatabase.host $) .Values.postgresql.enabled -}} -{{- end -}} -{{- end -}} - -{{/* -Return the Database port -*/}} -{{- define "keycloak.databasePort" -}} -{{- ternary "5432" .Values.externalDatabase.port .Values.postgresql.enabled | quote -}} -{{- end -}} - -{{/* -Return the Database database name -*/}} -{{- define "keycloak.databaseName" -}} -{{- if .Values.postgresql.enabled }} - {{- if .Values.global.postgresql }} - {{- if .Values.global.postgresql.auth }} - {{- coalesce .Values.global.postgresql.auth.database .Values.postgresql.auth.database -}} - {{- else -}} - {{- .Values.postgresql.auth.database -}} - {{- end -}} - {{- else -}} - {{- .Values.postgresql.auth.database -}} - {{- end -}} -{{- else -}} - {{- .Values.externalDatabase.database -}} -{{- end -}} -{{- end -}} - -{{/* -Return the Database user -*/}} -{{- define "keycloak.databaseUser" -}} -{{- if .Values.postgresql.enabled -}} - {{- if .Values.global.postgresql -}} - {{- if .Values.global.postgresql.auth -}} - {{- coalesce .Values.global.postgresql.auth.username .Values.postgresql.auth.username -}} - {{- else -}} - {{- .Values.postgresql.auth.username -}} - {{- end -}} - {{- else -}} - {{- .Values.postgresql.auth.username -}} - {{- end -}} -{{- else -}} - {{- .Values.externalDatabase.user -}} -{{- end -}} -{{- end -}} - -{{/* -Return the Database encrypted password -*/}} -{{- define "keycloak.databaseSecretName" -}} -{{- if .Values.postgresql.enabled -}} - {{- if .Values.global.postgresql -}} - {{- if .Values.global.postgresql.auth -}} - {{- if .Values.global.postgresql.auth.existingSecret -}} - {{- tpl .Values.global.postgresql.auth.existingSecret $ -}} - {{- else -}} - {{- default (include "keycloak.postgresql.fullname" .) (tpl .Values.postgresql.auth.existingSecret $) -}} - {{- end -}} - {{- else -}} - {{- default (include "keycloak.postgresql.fullname" .) (tpl .Values.postgresql.auth.existingSecret $) -}} - {{- end -}} - {{- else -}} - {{- default (include "keycloak.postgresql.fullname" .) (tpl .Values.postgresql.auth.existingSecret $) -}} - {{- end -}} -{{- else -}} - {{- default (printf "%s-externaldb" .Release.Name) (tpl .Values.externalDatabase.existingSecret $) -}} -{{- end -}} -{{- end -}} - -{{/* -Add environment variables to configure database values -*/}} -{{- define "keycloak.databaseSecretPasswordKey" -}} -{{- if .Values.postgresql.enabled -}} - {{- printf "%s" (.Values.postgresql.auth.secretKeys.userPasswordKey | default "password") -}} -{{- else -}} - {{- if .Values.externalDatabase.existingSecret -}} - {{- if .Values.externalDatabase.existingSecretPasswordKey -}} - {{- printf "%s" .Values.externalDatabase.existingSecretPasswordKey -}} - {{- else -}} - {{- print "db-password" -}} - {{- end -}} - {{- else -}} - {{- print "db-password" -}} - {{- end -}} -{{- end -}} -{{- end -}} - -{{- define "keycloak.databaseSecretHostKey" -}} - {{- if .Values.externalDatabase.existingSecretHostKey -}} - {{- printf "%s" .Values.externalDatabase.existingSecretHostKey -}} - {{- else -}} - {{- print "db-host" -}} - {{- end -}} -{{- end -}} -{{- define "keycloak.databaseSecretPortKey" -}} - {{- if .Values.externalDatabase.existingSecretPortKey -}} - {{- printf "%s" .Values.externalDatabase.existingSecretPortKey -}} - {{- else -}} - {{- print "db-port" -}} - {{- end -}} -{{- end -}} -{{- define "keycloak.databaseSecretUserKey" -}} - {{- if .Values.externalDatabase.existingSecretUserKey -}} - {{- printf "%s" .Values.externalDatabase.existingSecretUserKey -}} - {{- else -}} - {{- print "db-user" -}} - {{- end -}} -{{- end -}} -{{- define "keycloak.databaseSecretDatabaseKey" -}} - {{- if .Values.externalDatabase.existingSecretDatabaseKey -}} - {{- printf "%s" .Values.externalDatabase.existingSecretDatabaseKey -}} - {{- else -}} - {{- print "db-database" -}} - {{- end -}} -{{- end -}} - -{{/* -Return the Keycloak initdb scripts configmap -*/}} -{{- define "keycloak.initdbScriptsCM" -}} -{{- if .Values.initdbScriptsConfigMap -}} - {{- printf "%s" .Values.initdbScriptsConfigMap -}} -{{- else -}} - {{- printf "%s-init-scripts" (include "common.names.fullname" .) -}} -{{- end -}} -{{- end -}} - -{{/* -Return the secret containing the Keycloak admin password -*/}} -{{- define "keycloak.secretName" -}} -{{- $secretName := .Values.auth.existingSecret -}} -{{- if $secretName -}} - {{- printf "%s" (tpl $secretName $) -}} -{{- else -}} - {{- printf "%s" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" -}} -{{- end -}} -{{- end -}} - -{{/* -Return the secret key that contains the Keycloak admin password -*/}} -{{- define "keycloak.secretKey" -}} -{{- $secretName := .Values.auth.existingSecret -}} -{{- if and $secretName .Values.auth.passwordSecretKey -}} - {{- printf "%s" .Values.auth.passwordSecretKey -}} -{{- else -}} - {{- print "admin-password" -}} -{{- end -}} -{{- end -}} - -{{/* -Return the secret containing Keycloak HTTPS/TLS certificates -*/}} -{{- define "keycloak.tlsSecretName" -}} -{{- $secretName := .Values.tls.existingSecret -}} -{{- if $secretName -}} - {{- printf "%s" (tpl $secretName $) -}} -{{- else -}} - {{- printf "%s-crt" (include "common.names.fullname" .) -}} -{{- end -}} -{{- end -}} - -{{/* -Return the secret containing Keycloak HTTPS/TLS keystore and truststore passwords -*/}} -{{- define "keycloak.tlsPasswordsSecretName" -}} -{{- $secretName := .Values.tls.passwordsSecret -}} -{{- if $secretName -}} - {{- printf "%s" (tpl $secretName $) -}} -{{- else -}} - {{- printf "%s-tls-passwords" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" -}} -{{- end -}} -{{- end -}} - -{{/* -Return the secret containing Keycloak SPI TLS certificates -*/}} -{{- define "keycloak.spiPasswordsSecretName" -}} -{{- $secretName := .Values.spi.passwordsSecret -}} -{{- if $secretName -}} - {{- printf "%s" (tpl $secretName $) -}} -{{- else -}} - {{- printf "%s-spi-passwords" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" -}} -{{- end -}} -{{- end -}} - -{{/* -Return true if a TLS secret object should be created -*/}} -{{- define "keycloak.createTlsSecret" -}} -{{- if and .Values.tls.enabled .Values.tls.autoGenerated (not .Values.tls.existingSecret) }} - {{- true -}} -{{- end -}} -{{- end -}} - -{{/* -Compile all warnings into a single message. -*/}} -{{- define "keycloak.validateValues" -}} -{{- $messages := list -}} -{{- $messages := append $messages (include "keycloak.validateValues.database" .) -}} -{{- $messages := append $messages (include "keycloak.validateValues.tls" .) -}} -{{- $messages := append $messages (include "keycloak.validateValues.production" .) -}} -{{- $messages := without $messages "" -}} -{{- $message := join "\n" $messages -}} - -{{- if $message -}} -{{- printf "\nVALUES VALIDATION:\n%s" $message | fail -}} -{{- end -}} -{{- end -}} - -{{/* Validate values of Keycloak - database */}} -{{- define "keycloak.validateValues.database" -}} -{{- if and (not .Values.postgresql.enabled) (not .Values.externalDatabase.host) (and (not .Values.externalDatabase.password) (not .Values.externalDatabase.existingSecret)) -}} -keycloak: database - You disabled the PostgreSQL sub-chart but did not specify an external PostgreSQL host. - Either deploy the PostgreSQL sub-chart (--set postgresql.enabled=true), - or set a value for the external database host (--set externalDatabase.host=FOO) - and set a value for the external database password (--set externalDatabase.password=BAR) - or existing secret (--set externalDatabase.existingSecret=BAR). -{{- end -}} -{{- end -}} - -{{/* Validate values of Keycloak - TLS enabled */}} -{{- define "keycloak.validateValues.tls" -}} -{{- if and .Values.tls.enabled (not .Values.tls.autoGenerated) (not .Values.tls.existingSecret) }} -keycloak: tls.enabled - In order to enable TLS, you also need to provide - an existing secret containing the Keystore and Truststore or - enable auto-generated certificates. -{{- end -}} -{{- end -}} - -{{/* Validate values of Keycloak - Production mode enabled */}} -{{- define "keycloak.validateValues.production" -}} -{{- if and .Values.production (not .Values.tls.enabled) (not (eq .Values.proxy "edge")) (empty .Values.proxyHeaders) -}} -keycloak: production - In order to enable Production mode, you also need to enable HTTPS/TLS - using the value 'tls.enabled' and providing an existing secret containing the Keystore and Trustore. -{{- end -}} -{{- end -}} diff --git a/charts/keycloak/keycloak/templates/admin-ingress.yaml b/charts/keycloak/keycloak/templates/admin-ingress.yaml deleted file mode 100644 index 1869ecf..0000000 --- a/charts/keycloak/keycloak/templates/admin-ingress.yaml +++ /dev/null @@ -1,61 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.adminIngress.enabled }} -apiVersion: {{ include "common.capabilities.ingress.apiVersion" . }} -kind: Ingress -metadata: - name: {{ include "common.names.fullname" . }}-admin - namespace: {{ include "common.names.namespace" . | quote }} - {{- $labels := include "common.tplvalues.merge" ( dict "values" ( list .Values.adminIngress.labels .Values.commonLabels ) "context" . ) }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $labels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if or .Values.adminIngress.annotations .Values.commonAnnotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.adminIngress.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -spec: - {{- if and .Values.adminIngress.ingressClassName (eq "true" (include "common.ingress.supportsIngressClassname" .)) }} - ingressClassName: {{ .Values.adminIngress.ingressClassName | quote }} - {{- end }} - rules: - {{- if .Values.adminIngress.hostname }} - - host: {{ (tpl .Values.adminIngress.hostname .) | quote }} - http: - paths: - {{- if .Values.adminIngress.extraPaths }} - {{- toYaml .Values.adminIngress.extraPaths | nindent 10 }} - {{- end }} - - path: {{ include "common.tplvalues.render" ( dict "value" .Values.adminIngress.path "context" $) }} - {{- if eq "true" (include "common.ingress.supportsPathType" .) }} - pathType: {{ .Values.adminIngress.pathType }} - {{- end }} - backend: {{- include "common.ingress.backend" (dict "serviceName" (include "common.names.fullname" .) "servicePort" .Values.adminIngress.servicePort "context" $) | nindent 14 }} - {{- end }} - {{- range .Values.adminIngress.extraHosts }} - - host: {{ (tpl .name $) }} - http: - paths: - - path: {{ default "/" .path }} - {{- if eq "true" (include "common.ingress.supportsPathType" $) }} - pathType: {{ default "ImplementationSpecific" .pathType }} - {{- end }} - backend: {{- include "common.ingress.backend" (dict "serviceName" (include "common.names.fullname" $) "servicePort" $.Values.adminIngress.servicePort "context" $) | nindent 14 }} - {{- end }} - {{- if .Values.adminIngress.extraRules }} - {{- include "common.tplvalues.render" (dict "value" .Values.adminIngress.extraRules "context" $) | nindent 4 }} - {{- end }} - {{- if or (and .Values.adminIngress.tls (or (include "common.ingress.certManagerRequest" ( dict "annotations" .Values.adminIngress.annotations )) .Values.adminIngress.selfSigned .Values.adminIngress.secrets )) .Values.adminIngress.extraTls }} - tls: - {{- if and .Values.adminIngress.tls (or (include "common.ingress.certManagerRequest" ( dict "annotations" .Values.adminIngress.annotations )) .Values.adminIngress.secrets .Values.adminIngress.selfSigned) }} - - hosts: - - {{ (tpl .Values.adminIngress.hostname .) | quote }} - secretName: {{ printf "%s-tls" (tpl .Values.adminIngress.hostname .) }} - {{- end }} - {{- if .Values.adminIngress.extraTls }} - {{- include "common.tplvalues.render" (dict "value" .Values.adminIngress.extraTls "context" $) | nindent 4 }} - {{- end }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/configmap-env-vars.yaml b/charts/keycloak/keycloak/templates/configmap-env-vars.yaml deleted file mode 100644 index 31a5865..0000000 --- a/charts/keycloak/keycloak/templates/configmap-env-vars.yaml +++ /dev/null @@ -1,106 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -apiVersion: v1 -kind: ConfigMap -metadata: - name: {{ printf "%s-env-vars" (include "common.names.fullname" .) }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -data: - KEYCLOAK_ADMIN: {{ .Values.auth.adminUser | quote }} - KEYCLOAK_HTTP_PORT: {{ .Values.containerPorts.http | quote }} - {{- if and .Values.proxy (empty .Values.proxyHeaders) }} - KEYCLOAK_PROXY_HEADERS: {{ ternary "" "xforwarded" (eq .Values.proxy "passthrough") }} - {{- else }} - KEYCLOAK_PROXY_HEADERS: {{ .Values.proxyHeaders | quote }} - {{- end }} - {{- if and .Values.adminIngress.enabled .Values.adminIngress.hostname }} - KEYCLOAK_HOSTNAME_ADMIN: |- - {{ ternary "https://" "http://" ( or .Values.adminIngress.tls (eq .Values.proxy "edge") (not (empty .Values.proxyHeaders)) ) -}} - {{- include "common.tplvalues.render" (dict "value" .Values.adminIngress.hostname "context" $) -}} - {{- if eq .Values.adminIngress.controller "default" }} - {{- include "common.tplvalues.render" (dict "value" .Values.adminIngress.path "context" $) }} - {{- else if eq .Values.adminIngress.controller "gce" }} - {{- $path := .Values.adminIngress.path -}} - {{- if hasSuffix "*" $path -}} - {{- $path = trimSuffix "*" $path -}} - {{- end -}} - {{- include "common.tplvalues.render" (dict "value" $path "context" $) }} - {{- end }} - {{- end }} - {{- if and .Values.ingress.enabled .Values.ingress.hostname }} - KEYCLOAK_HOSTNAME: |- - {{ ternary "https://" "http://" ( or .Values.ingress.tls (eq .Values.proxy "edge") (not (empty .Values.proxyHeaders)) ) -}} - {{- include "common.tplvalues.render" (dict "value" .Values.ingress.hostname "context" $) -}} - {{- if eq .Values.ingress.controller "default" }} - {{- include "common.tplvalues.render" (dict "value" .Values.ingress.path "context" $) }} - {{- else if eq .Values.ingress.controller "gce" }} - {{- $path := .Values.ingress.path -}} - {{- if hasSuffix "*" $path -}} - {{- $path = trimSuffix "*" $path -}} - {{- end -}} - {{- include "common.tplvalues.render" (dict "value" $path "context" $) }} - {{- end }} - {{- end }} - {{- if .Values.ingress.enabled }} - KEYCLOAK_HOSTNAME_STRICT: {{ ternary "true" "false" .Values.ingress.hostnameStrict | quote }} - {{- end }} - KEYCLOAK_ENABLE_STATISTICS: {{ ternary "true" "false" .Values.metrics.enabled | quote }} - {{- if not .Values.externalDatabase.existingSecretHostKey }} - KEYCLOAK_DATABASE_HOST: {{ include "keycloak.databaseHost" . | quote }} - {{- end }} - {{- if not .Values.externalDatabase.existingSecretPortKey }} - KEYCLOAK_DATABASE_PORT: {{ include "keycloak.databasePort" . }} - {{- end }} - {{- if not .Values.externalDatabase.existingSecretDatabaseKey }} - KEYCLOAK_DATABASE_NAME: {{ include "keycloak.databaseName" . | quote }} - {{- end }} - {{- if not .Values.externalDatabase.existingSecretUserKey }} - KEYCLOAK_DATABASE_USER: {{ include "keycloak.databaseUser" . | quote }} - {{- end }} - KEYCLOAK_PRODUCTION: {{ ternary "true" "false" .Values.production | quote }} - KEYCLOAK_ENABLE_HTTPS: {{ ternary "true" "false" .Values.tls.enabled | quote }} - {{- if .Values.customCaExistingSecret }} - KC_TRUSTSTORE_PATHS: "/opt/bitnami/keycloak/custom-ca" - {{- end }} - {{- if .Values.tls.enabled }} - KEYCLOAK_HTTPS_PORT: {{ .Values.containerPorts.https | quote }} - KEYCLOAK_HTTPS_USE_PEM: {{ ternary "true" "false" (or .Values.tls.usePem .Values.tls.autoGenerated) | quote }} - {{- if or .Values.tls.usePem .Values.tls.autoGenerated }} - KEYCLOAK_HTTPS_CERTIFICATE_FILE: "/opt/bitnami/keycloak/certs/tls.crt" - KEYCLOAK_HTTPS_CERTIFICATE_KEY_FILE: "/opt/bitnami/keycloak/certs/tls.key" - {{- else }} - KEYCLOAK_HTTPS_KEY_STORE_FILE: {{ printf "/opt/bitnami/keycloak/certs/%s" .Values.tls.keystoreFilename | quote }} - KEYCLOAK_HTTPS_TRUST_STORE_FILE: {{ printf "/opt/bitnami/keycloak/certs/%s" .Values.tls.truststoreFilename | quote }} - {{- end }} - {{- end }} - {{- if .Values.spi.existingSecret }} - {{- if .Values.spi.hostnameVerificationPolicy }} - KEYCLOAK_SPI_TRUSTSTORE_FILE_HOSTNAME_VERIFICATION_POLICY: {{ .Values.spi.hostnameVerificationPolicy | quote }} - {{- end }} - KEYCLOAK_SPI_TRUSTSTORE_FILE: {{ printf "/opt/bitnami/keycloak/spi-certs/%s" .Values.spi.truststoreFilename }} - {{- end }} - {{- if .Values.cache.enabled }} - KEYCLOAK_CACHE_TYPE: "ispn" - {{- if .Values.cache.stackName }} - KEYCLOAK_CACHE_STACK: {{ .Values.cache.stackName | quote }} - {{- end }} - {{- if .Values.cache.stackFile }} - KEYCLOAK_CACHE_CONFIG_FILE: {{ .Values.cache.stackFile | quote }} - {{- end }} - JAVA_OPTS_APPEND: {{ printf "-Djgroups.dns.query=%s-headless.%s.svc.%s" (include "common.names.fullname" .) (include "common.names.namespace" .) .Values.clusterDomain | quote }} - {{- else }} - KEYCLOAK_CACHE_TYPE: "local" - {{- end }} - {{- if .Values.logging }} - KEYCLOAK_LOG_OUTPUT: {{ .Values.logging.output | quote }} - KEYCLOAK_LOG_LEVEL: {{ .Values.logging.level | quote }} - {{- end }} - diff --git a/charts/keycloak/keycloak/templates/configmap.yaml b/charts/keycloak/keycloak/templates/configmap.yaml deleted file mode 100644 index 12cca41..0000000 --- a/charts/keycloak/keycloak/templates/configmap.yaml +++ /dev/null @@ -1,20 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if (include "keycloak.createConfigmap" .) }} -apiVersion: v1 -kind: ConfigMap -metadata: - name: {{ printf "%s-configuration" (include "common.names.fullname" .) }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -data: - keycloak.conf: |- - {{- .Values.configuration | nindent 4 }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/extra-list.yaml b/charts/keycloak/keycloak/templates/extra-list.yaml deleted file mode 100644 index 329f5c6..0000000 --- a/charts/keycloak/keycloak/templates/extra-list.yaml +++ /dev/null @@ -1,9 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- range .Values.extraDeploy }} ---- -{{ include "common.tplvalues.render" (dict "value" . "context" $) }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/headless-service.yaml b/charts/keycloak/keycloak/templates/headless-service.yaml deleted file mode 100644 index c71e9a8..0000000 --- a/charts/keycloak/keycloak/templates/headless-service.yaml +++ /dev/null @@ -1,40 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -apiVersion: v1 -kind: Service -metadata: - name: {{ printf "%s-headless" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if or .Values.commonAnnotations .Values.service.headless.annotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.service.headless.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -spec: - type: ClusterIP - clusterIP: None - ports: - - name: http - port: {{ .Values.containerPorts.http }} - protocol: TCP - targetPort: http - {{- if .Values.tls.enabled }} - - name: https - port: {{ .Values.containerPorts.https }} - protocol: TCP - targetPort: https - {{- end }} - {{- if .Values.service.extraHeadlessPorts }} - {{- include "common.tplvalues.render" (dict "value" .Values.service.extraHeadlessPorts "context" $) | nindent 4 }} - {{- end }} - {{- if .Values.service.headless.extraPorts }} - {{- include "common.tplvalues.render" (dict "value" .Values.service.headless.extraPorts "context" $) | nindent 4 }} - {{- end }} - publishNotReadyAddresses: true - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.podLabels .Values.commonLabels ) "context" . ) }} - selector: {{- include "common.labels.matchLabels" ( dict "customLabels" $podLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak diff --git a/charts/keycloak/keycloak/templates/hpa.yaml b/charts/keycloak/keycloak/templates/hpa.yaml deleted file mode 100644 index ff673c2..0000000 --- a/charts/keycloak/keycloak/templates/hpa.yaml +++ /dev/null @@ -1,66 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.autoscaling.enabled }} -apiVersion: {{ include "common.capabilities.hpa.apiVersion" ( dict "context" $ ) }} -kind: HorizontalPodAutoscaler -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -spec: - scaleTargetRef: - apiVersion: {{ include "common.capabilities.statefulset.apiVersion" . }} - kind: StatefulSet - name: {{ template "common.names.fullname" . }} - minReplicas: {{ .Values.autoscaling.minReplicas }} - maxReplicas: {{ .Values.autoscaling.maxReplicas }} - metrics: - {{- if .Values.autoscaling.targetCPU }} - - type: Resource - resource: - name: cpu - {{- if semverCompare "<1.23-0" (include "common.capabilities.kubeVersion" .) }} - targetAverageUtilization: {{ .Values.autoscaling.targetCPU }} - {{- else }} - target: - type: Utilization - averageUtilization: {{ .Values.autoscaling.targetCPU }} - {{- end }} - {{- end }} - {{- if .Values.autoscaling.targetMemory }} - - type: Resource - resource: - name: memory - {{- if semverCompare "<1.23-0" (include "common.capabilities.kubeVersion" .) }} - targetAverageUtilization: {{ .Values.autoscaling.targetMemory }} - {{- else }} - target: - type: Utilization - averageUtilization: {{ .Values.autoscaling.targetMemory }} - {{- end }} - {{- end }} - {{- if or .Values.autoscaling.behavior.scaleDown.policies .Values.autoscaling.behavior.scaleUp.policies }} - behavior: - {{- if .Values.autoscaling.behavior.scaleDown.policies }} - scaleDown: - stabilizationWindowSeconds: {{ .Values.autoscaling.behavior.scaleDown.stabilizationWindowSeconds }} - selectPolicy: {{ .Values.autoscaling.behavior.scaleDown.selectPolicy }} - policies: - {{- toYaml .Values.autoscaling.behavior.scaleDown.policies | nindent 8 }} - {{- end }} - {{- if .Values.autoscaling.behavior.scaleUp.policies }} - scaleUp: - stabilizationWindowSeconds: {{ .Values.autoscaling.behavior.scaleUp.stabilizationWindowSeconds }} - selectPolicy: {{ .Values.autoscaling.behavior.scaleUp.selectPolicy }} - policies: - {{- toYaml .Values.autoscaling.behavior.scaleUp.policies | nindent 8 }} - {{- end }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/ingress.yaml b/charts/keycloak/keycloak/templates/ingress.yaml deleted file mode 100644 index 5ffcaa8..0000000 --- a/charts/keycloak/keycloak/templates/ingress.yaml +++ /dev/null @@ -1,61 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.ingress.enabled }} -apiVersion: {{ include "common.capabilities.ingress.apiVersion" . }} -kind: Ingress -metadata: - name: {{ include "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - {{- $labels := include "common.tplvalues.merge" ( dict "values" ( list .Values.ingress.labels .Values.commonLabels ) "context" . ) }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $labels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if or .Values.ingress.annotations .Values.commonAnnotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.ingress.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -spec: - {{- if and .Values.ingress.ingressClassName (eq "true" (include "common.ingress.supportsIngressClassname" .)) }} - ingressClassName: {{ .Values.ingress.ingressClassName | quote }} - {{- end }} - rules: - {{- if .Values.ingress.hostname }} - - host: {{ (tpl .Values.ingress.hostname .) | quote }} - http: - paths: - {{- if .Values.ingress.extraPaths }} - {{- toYaml .Values.ingress.extraPaths | nindent 10 }} - {{- end }} - - path: {{ include "common.tplvalues.render" ( dict "value" .Values.ingress.path "context" $) }} - {{- if eq "true" (include "common.ingress.supportsPathType" .) }} - pathType: {{ .Values.ingress.pathType }} - {{- end }} - backend: {{- include "common.ingress.backend" (dict "serviceName" (include "common.names.fullname" .) "servicePort" .Values.ingress.servicePort "context" $) | nindent 14 }} - {{- end }} - {{- range .Values.ingress.extraHosts }} - - host: {{ (tpl .name $) }} - http: - paths: - - path: {{ default "/" .path }} - {{- if eq "true" (include "common.ingress.supportsPathType" $) }} - pathType: {{ default "ImplementationSpecific" .pathType }} - {{- end }} - backend: {{- include "common.ingress.backend" (dict "serviceName" (include "common.names.fullname" $) "servicePort" $.Values.ingress.servicePort "context" $) | nindent 14 }} - {{- end }} - {{- if .Values.ingress.extraRules }} - {{- include "common.tplvalues.render" (dict "value" .Values.ingress.extraRules "context" $) | nindent 4 }} - {{- end }} - {{- if or (and .Values.ingress.tls (or (include "common.ingress.certManagerRequest" ( dict "annotations" .Values.ingress.annotations )) .Values.ingress.selfSigned .Values.ingress.secrets )) .Values.ingress.extraTls }} - tls: - {{- if and .Values.ingress.tls (or (include "common.ingress.certManagerRequest" ( dict "annotations" .Values.ingress.annotations )) .Values.ingress.secrets .Values.ingress.selfSigned) }} - - hosts: - - {{ (tpl .Values.ingress.hostname .) | quote }} - secretName: {{ printf "%s-tls" (tpl .Values.ingress.hostname .) }} - {{- end }} - {{- if .Values.ingress.extraTls }} - {{- include "common.tplvalues.render" (dict "value" .Values.ingress.extraTls "context" $) | nindent 4 }} - {{- end }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/init-scripts-configmap.yaml b/charts/keycloak/keycloak/templates/init-scripts-configmap.yaml deleted file mode 100644 index a758d40..0000000 --- a/charts/keycloak/keycloak/templates/init-scripts-configmap.yaml +++ /dev/null @@ -1,19 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and .Values.initdbScripts (not .Values.initdbScriptsConfigMap) }} -apiVersion: v1 -kind: ConfigMap -metadata: - name: {{ printf "%s-init-scripts" (include "common.names.fullname" .) }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -data: -{{- include "common.tplvalues.render" (dict "value" .Values.initdbScripts "context" .) | nindent 2 }} -{{ end }} diff --git a/charts/keycloak/keycloak/templates/keycloak-config-cli-configmap.yaml b/charts/keycloak/keycloak/templates/keycloak-config-cli-configmap.yaml deleted file mode 100644 index bba17b7..0000000 --- a/charts/keycloak/keycloak/templates/keycloak-config-cli-configmap.yaml +++ /dev/null @@ -1,23 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if (include "keycloak.keycloakConfigCli.createConfigmap" .) }} -apiVersion: v1 -kind: ConfigMap -metadata: - name: {{ include "keycloak.keycloakConfigCli.configmapName" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak-config-cli -data: - {{- range $fileName, $fileContent := .Values.keycloakConfigCli.configuration }} - {{- if $fileContent }} - {{ $fileName }}: | - {{- include "common.tplvalues.render" (dict "value" $fileContent "context" $) | nindent 4 }} - {{- else }} - {{- ($.Files.Glob $fileName).AsConfig | nindent 2 }} - {{- end }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/keycloak-config-cli-job.yaml b/charts/keycloak/keycloak/templates/keycloak-config-cli-job.yaml deleted file mode 100644 index 3a78854..0000000 --- a/charts/keycloak/keycloak/templates/keycloak-config-cli-job.yaml +++ /dev/null @@ -1,138 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.keycloakConfigCli.enabled }} -apiVersion: batch/v1 -kind: Job -metadata: - name: {{ printf "%s-keycloak-config-cli" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak-config-cli - {{- if or .Values.keycloakConfigCli.annotations .Values.commonAnnotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.keycloakConfigCli.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -spec: - backoffLimit: {{ .Values.keycloakConfigCli.backoffLimit }} - {{- if .Values.keycloakConfigCli.cleanupAfterFinished.enabled }} - ttlSecondsAfterFinished: {{ .Values.keycloakConfigCli.cleanupAfterFinished.seconds }} - {{- end }} - template: - metadata: - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.keycloakConfigCli.podLabels .Values.commonLabels ) "context" . ) }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $podLabels "context" $ ) | nindent 8 }} - app.kubernetes.io/component: keycloak-config-cli - annotations: - {{- if (include "keycloak.keycloakConfigCli.createConfigmap" .) }} - checksum/configuration: {{ include (print $.Template.BasePath "/keycloak-config-cli-configmap.yaml") . | sha256sum }} - {{- end }} - {{- if .Values.keycloakConfigCli.podAnnotations }} - {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.podAnnotations "context" $) | nindent 8 }} - {{- end }} - spec: - serviceAccountName: {{ template "keycloak.serviceAccountName" . }} - {{- include "keycloak.imagePullSecrets" . | nindent 6 }} - restartPolicy: Never - {{- if .Values.keycloakConfigCli.podSecurityContext.enabled }} - securityContext: {{- include "common.compatibility.renderSecurityContext" (dict "secContext" .Values.keycloakConfigCli.podSecurityContext "context" $) | nindent 8 }} - {{- end }} - automountServiceAccountToken: {{ .Values.keycloakConfigCli.automountServiceAccountToken }} - {{- if .Values.keycloakConfigCli.hostAliases }} - hostAliases: {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.hostAliases "context" $) | nindent 8 }} - {{- end }} - {{- if .Values.keycloakConfigCli.nodeSelector }} - nodeSelector: {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.nodeSelector "context" $) | nindent 8 }} - {{- end }} - {{- if .Values.keycloakConfigCli.podTolerations }} - tolerations: {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.podTolerations "context" .) | nindent 8 }} - {{- end }} - {{- if .Values.keycloakConfigCli.initContainers }} - initContainers: - {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.initContainers "context" $) | nindent 8 }} - {{- end }} - containers: - - name: keycloak-config-cli - image: {{ template "keycloak.keycloakConfigCli.image" . }} - imagePullPolicy: {{ .Values.keycloakConfigCli.image.pullPolicy }} - {{- if .Values.keycloakConfigCli.command }} - command: {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.command "context" $) | nindent 12 }} - {{- else }} - command: - - java - - -jar - - /opt/bitnami/keycloak-config-cli/keycloak-config-cli.jar - {{- end }} - {{- if .Values.keycloakConfigCli.args }} - args: {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.args "context" $) | nindent 12 }} - {{- end }} - {{- if .Values.keycloakConfigCli.containerSecurityContext.enabled }} - securityContext: {{- include "common.compatibility.renderSecurityContext" (dict "secContext" .Values.keycloakConfigCli.containerSecurityContext "context" $) | nindent 12 }} - {{- end }} - env: - - name: KEYCLOAK_URL - value: {{ printf "http://%s-headless:%d%s" (include "common.names.fullname" .) (.Values.containerPorts.http | int) (.Values.httpRelativePath) }} - - name: KEYCLOAK_USER - value: {{ .Values.auth.adminUser | quote }} - - name: KEYCLOAK_PASSWORD - valueFrom: - secretKeyRef: - name: {{ include "keycloak.secretName" . }} - key: {{ include "keycloak.secretKey" . }} - {{- if or .Values.keycloakConfigCli.configuration .Values.keycloakConfigCli.existingConfigmap }} - - name: IMPORT_FILES_LOCATIONS - value: /config/* - {{- end }} - - name: KEYCLOAK_AVAILABILITYCHECK_ENABLED - value: "true" - {{- if .Values.keycloakConfigCli.extraEnvVars }} - {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.extraEnvVars "context" $) | nindent 12 }} - {{- end }} - {{- if or .Values.keycloakConfigCli.extraEnvVarsCM .Values.keycloakConfigCli.extraEnvVarsSecret }} - envFrom: - {{- if .Values.keycloakConfigCli.extraEnvVarsCM }} - - configMapRef: - name: {{ include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.extraEnvVarsCM "context" $) }} - {{- end }} - {{- if .Values.keycloakConfigCli.extraEnvVarsSecret }} - - secretRef: - name: {{ include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.extraEnvVarsSecret "context" $) }} - {{- end }} - {{- end }} - {{- if or .Values.keycloakConfigCli.configuration .Values.keycloakConfigCli.existingConfigmap .Values.keycloakConfigCli.extraVolumeMounts }} - volumeMounts: - - name: empty-dir - mountPath: /tmp - subPath: tmp-dir - {{- if or .Values.keycloakConfigCli.configuration .Values.keycloakConfigCli.existingConfigmap }} - - name: config-volume - mountPath: /config - {{- end }} - {{- if .Values.keycloakConfigCli.extraVolumeMounts }} - {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.extraVolumeMounts "context" $) | nindent 12 }} - {{- end }} - {{- end }} - {{- if .Values.keycloakConfigCli.resources }} - resources: {{- toYaml .Values.keycloakConfigCli.resources | nindent 12 }} - {{- else if ne .Values.keycloakConfigCli.resourcesPreset "none" }} - resources: {{- include "common.resources.preset" (dict "type" .Values.keycloakConfigCli.resourcesPreset) | nindent 12 }} - {{- end }} - {{- if .Values.keycloakConfigCli.sidecars }} - {{- include "common.tplvalues.render" ( dict "value" .Values.keycloakConfigCli.sidecars "context" $) | nindent 8 }} - {{- end }} - {{- if or .Values.keycloakConfigCli.configuration .Values.keycloakConfigCli.existingConfigmap .Values.keycloakConfigCli.extraVolumes }} - volumes: - - name: empty-dir - emptyDir: {} - {{- if or .Values.keycloakConfigCli.configuration .Values.keycloakConfigCli.existingConfigmap }} - - name: config-volume - configMap: - name: {{ include "keycloak.keycloakConfigCli.configmapName" . }} - {{- end }} - {{- if .Values.keycloakConfigCli.extraVolumes }} - {{- include "common.tplvalues.render" (dict "value" .Values.keycloakConfigCli.extraVolumes "context" $) | nindent 8 }} - {{- end }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/metrics-service.yaml b/charts/keycloak/keycloak/templates/metrics-service.yaml deleted file mode 100644 index 8987b17..0000000 --- a/charts/keycloak/keycloak/templates/metrics-service.yaml +++ /dev/null @@ -1,41 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.metrics.enabled }} -apiVersion: v1 -kind: Service -metadata: - name: {{ printf "%s-metrics" (include "common.names.fullname" .) }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: metrics - {{- if or .Values.metrics.service.annotations .Values.commonAnnotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.metrics.service.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -spec: - type: ClusterIP - ports: - - name: metrics - port: {{ .Values.metrics.service.ports.metrics }} - protocol: TCP - targetPort: {{ .Values.containerPorts.metrics }} - - name: http - port: {{ .Values.metrics.service.ports.http }} - protocol: TCP - targetPort: {{ .Values.containerPorts.http }} - {{- if .Values.tls.enabled }} - - name: https - port: {{ .Values.metrics.service.ports.https }} - protocol: TCP - targetPort: {{ .Values.containerPorts.https }} - {{- end }} - {{- if .Values.metrics.service.extraPorts }} - {{- include "common.tplvalues.render" (dict "value" .Values.metrics.service.extraPorts "context" $) | nindent 4 }} - {{- end }} - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.podLabels .Values.commonLabels ) "context" . ) }} - selector: {{- include "common.labels.matchLabels" ( dict "customLabels" $podLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak -{{- end }} diff --git a/charts/keycloak/keycloak/templates/networkpolicy.yaml b/charts/keycloak/keycloak/templates/networkpolicy.yaml deleted file mode 100644 index ffb5828..0000000 --- a/charts/keycloak/keycloak/templates/networkpolicy.yaml +++ /dev/null @@ -1,102 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.networkPolicy.enabled }} -kind: NetworkPolicy -apiVersion: {{ include "common.capabilities.networkPolicy.apiVersion" . }} -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -spec: - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.podLabels .Values.commonLabels ) "context" . ) }} - podSelector: - matchLabels: {{- include "common.labels.matchLabels" ( dict "customLabels" $podLabels "context" $ ) | nindent 6 }} - app.kubernetes.io/component: keycloak - policyTypes: - - Ingress - - Egress - {{- if .Values.networkPolicy.allowExternalEgress }} - egress: - - {} - {{- else }} - egress: - - ports: - # Allow dns resolution - - port: 53 - protocol: UDP - - port: 53 - protocol: TCP - {{- range $port := .Values.networkPolicy.kubeAPIServerPorts }} - - port: {{ $port }} - {{- end }} - # Allow connection to PostgreSQL - - ports: - - port: {{ include "keycloak.databasePort" . | trimAll "\"" | int }} - {{- if .Values.postgresql.enabled }} - to: - - podSelector: - matchLabels: - app.kubernetes.io/name: postgresql - app.kubernetes.io/instance: {{ .Release.Name }} - {{- end }} - # Allow connection to other keycloak nodes - - ports: - {{- /* Constant in code: https://github.com/keycloak/keycloak/blob/ce8e925c1ad9bf7a3180d1496e181aeea0ab5f8a/operator/src/main/java/org/keycloak/operator/Constants.java#L60 */}} - - port: 7800 - - port: {{ .Values.containerPorts.http }} - {{- if .Values.tls.enabled }} - - port: {{ .Values.containerPorts.https }} - {{- end }} - to: - - podSelector: - matchLabels: {{- include "common.labels.matchLabels" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 14 }} - app.kubernetes.io/component: keycloak - {{- if .Values.networkPolicy.extraEgress }} - {{- include "common.tplvalues.render" ( dict "value" .Values.networkPolicy.extraEgress "context" $ ) | nindent 4 }} - {{- end }} - {{- end }} - ingress: - - ports: - {{- /* Constant in code: https://github.com/keycloak/keycloak/blob/ce8e925c1ad9bf7a3180d1496e181aeea0ab5f8a/operator/src/main/java/org/keycloak/operator/Constants.java#L60 */}} - - port: 7800 - {{- if and (.Values.metrics.enabled) (not (eq (.Values.containerPorts.http | int) (.Values.containerPorts.metrics | int) )) }} - - port: {{ .Values.containerPorts.metrics }} # metrics and health - {{- end }} - - port: {{ .Values.containerPorts.http }} - {{- if .Values.tls.enabled }} - - port: {{ .Values.containerPorts.https }} - {{- end }} - {{- if not .Values.networkPolicy.allowExternal }} - from: - - podSelector: - matchLabels: {{- include "common.labels.matchLabels" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 14 }} - - podSelector: - matchLabels: - {{ template "common.names.fullname" . }}-client: "true" - {{- if .Values.networkPolicy.ingressNSMatchLabels }} - - namespaceSelector: - matchLabels: - {{- range $key, $value := .Values.networkPolicy.ingressNSMatchLabels }} - {{ $key | quote }}: {{ $value | quote }} - {{- end }} - {{- if .Values.networkPolicy.ingressNSPodMatchLabels }} - podSelector: - matchLabels: - {{- range $key, $value := .Values.networkPolicy.ingressNSPodMatchLabels }} - {{ $key | quote }}: {{ $value | quote }} - {{- end }} - {{- end }} - {{- end }} - {{- end }} - {{- $extraIngress := coalesce .Values.networkPolicy.additionalRules .Values.networkPolicy.extraIngress }} - {{- if $extraIngress }} - {{- include "common.tplvalues.render" ( dict "value" $extraIngress "context" $ ) | nindent 4 }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/pdb.yaml b/charts/keycloak/keycloak/templates/pdb.yaml deleted file mode 100644 index 653b953..0000000 --- a/charts/keycloak/keycloak/templates/pdb.yaml +++ /dev/null @@ -1,28 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.pdb.create }} -apiVersion: {{ include "common.capabilities.policy.apiVersion" . }} -kind: PodDisruptionBudget -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -spec: - {{- if .Values.pdb.minAvailable }} - minAvailable: {{ .Values.pdb.minAvailable }} - {{- end }} - {{- if or .Values.pdb.maxUnavailable ( not .Values.pdb.minAvailable ) }} - maxUnavailable: {{ .Values.pdb.maxUnavailable | default 1 }} - {{- end }} - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.podLabels .Values.commonLabels ) "context" . ) }} - selector: - matchLabels: {{- include "common.labels.matchLabels" ( dict "customLabels" $podLabels "context" $ ) | nindent 6 }} - app.kubernetes.io/component: keycloak -{{- end }} diff --git a/charts/keycloak/keycloak/templates/prometheusrule.yaml b/charts/keycloak/keycloak/templates/prometheusrule.yaml deleted file mode 100644 index 2792392..0000000 --- a/charts/keycloak/keycloak/templates/prometheusrule.yaml +++ /dev/null @@ -1,20 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and .Values.metrics.enabled .Values.metrics.prometheusRule.enabled .Values.metrics.prometheusRule.groups}} -apiVersion: monitoring.coreos.com/v1 -kind: PrometheusRule -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ default (include "common.names.namespace" .) .Values.metrics.prometheusRule.namespace }} - {{- $labels := include "common.tplvalues.merge" ( dict "values" ( list .Values.metrics.prometheusRule.labels .Values.commonLabels ) "context" . ) }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $labels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -spec: - groups: {{- include "common.tplvalues.render" (dict "value" .Values.metrics.prometheusRule.groups "context" .) | nindent 4 }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/role.yaml b/charts/keycloak/keycloak/templates/role.yaml deleted file mode 100644 index e913b15..0000000 --- a/charts/keycloak/keycloak/templates/role.yaml +++ /dev/null @@ -1,28 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and .Values.serviceAccount.create .Values.rbac.create }} -kind: Role -apiVersion: {{ include "common.capabilities.rbac.apiVersion" . }} -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -rules: - {{- if .Values.rbac.rules }} - {{- include "common.tplvalues.render" ( dict "value" .Values.rbac.rules "context" $ ) | nindent 2 }} - {{- end }} - - apiGroups: - - "" - resources: - - pods - verbs: - - get - - list -{{- end }} diff --git a/charts/keycloak/keycloak/templates/rolebinding.yaml b/charts/keycloak/keycloak/templates/rolebinding.yaml deleted file mode 100644 index c954da8..0000000 --- a/charts/keycloak/keycloak/templates/rolebinding.yaml +++ /dev/null @@ -1,25 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and .Values.serviceAccount.create .Values.rbac.create }} -kind: RoleBinding -apiVersion: {{ include "common.capabilities.rbac.apiVersion" . }} -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -roleRef: - apiGroup: rbac.authorization.k8s.io - kind: Role - name: {{ template "common.names.fullname" . }} -subjects: - - kind: ServiceAccount - name: {{ template "keycloak.serviceAccountName" . }} - namespace: {{ include "common.names.namespace" . | quote }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/secret-external-db.yaml b/charts/keycloak/keycloak/templates/secret-external-db.yaml deleted file mode 100644 index 0ff5367..0000000 --- a/charts/keycloak/keycloak/templates/secret-external-db.yaml +++ /dev/null @@ -1,19 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and (not .Values.postgresql.enabled) (not .Values.externalDatabase.existingSecret) (not .Values.postgresql.existingSecret) }} -apiVersion: v1 -kind: Secret -metadata: - name: {{ printf "%s-externaldb" .Release.Name }} - namespace: {{ .Release.Namespace | quote }} - labels: {{- include "common.labels.standard" (dict "customLabels" .Values.commonLabels "context" $) | nindent 4 }} - {{- if or .Values.externalDatabase.annotations .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.merge" (dict "values" (list .Values.externalDatabase.annotations .Values.commonAnnotations) "context" $) | nindent 4 }} - {{- end }} -type: Opaque -data: - db-password: {{ include "common.secrets.passwords.manage" (dict "secret" (printf "%s-externaldb" .Release.Name) "key" "db-password" "length" 10 "providedValues" (list "externalDatabase.password") "context" $) }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/secrets.yaml b/charts/keycloak/keycloak/templates/secrets.yaml deleted file mode 100644 index f1b9025..0000000 --- a/charts/keycloak/keycloak/templates/secrets.yaml +++ /dev/null @@ -1,20 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if not .Values.auth.existingSecret }} -apiVersion: v1 -kind: Secret -metadata: - name: {{ printf "%s" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" (dict "customLabels" .Values.commonLabels "context" $) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if or .Values.auth.annotations .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.merge" (dict "values" (list .Values.auth.annotations .Values.commonAnnotations) "context" $) | nindent 4 }} - {{- end }} -type: Opaque -data: - admin-password: {{ include "common.secrets.passwords.manage" (dict "secret" (printf "%s" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-") "key" "admin-password" "length" 10 "providedValues" (list "auth.adminPassword") "context" $) }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/service.yaml b/charts/keycloak/keycloak/templates/service.yaml deleted file mode 100644 index dec9cb5..0000000 --- a/charts/keycloak/keycloak/templates/service.yaml +++ /dev/null @@ -1,65 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -apiVersion: v1 -kind: Service -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if or .Values.service.annotations .Values.commonAnnotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.service.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -spec: - type: {{ .Values.service.type }} - {{- if and .Values.service.clusterIP (eq .Values.service.type "ClusterIP") }} - clusterIP: {{ .Values.service.clusterIP }} - {{- end }} - {{- if or (eq .Values.service.type "LoadBalancer") (eq .Values.service.type "NodePort") }} - externalTrafficPolicy: {{ .Values.service.externalTrafficPolicy | quote }} - {{- end }} - {{- if and (eq .Values.service.type "LoadBalancer") (not (empty .Values.service.loadBalancerSourceRanges)) }} - loadBalancerSourceRanges: {{ .Values.service.loadBalancerSourceRanges }} - {{- end }} - {{- if and (eq .Values.service.type "LoadBalancer") (not (empty .Values.service.loadBalancerIP)) }} - loadBalancerIP: {{ .Values.service.loadBalancerIP }} - {{- end }} - {{- if .Values.service.sessionAffinity }} - sessionAffinity: {{ .Values.service.sessionAffinity }} - {{- end }} - {{- if .Values.service.sessionAffinityConfig }} - sessionAffinityConfig: {{- include "common.tplvalues.render" (dict "value" .Values.service.sessionAffinityConfig "context" $) | nindent 4 }} - {{- end }} - ports: - {{- if .Values.service.http.enabled }} - - name: http - port: {{ coalesce .Values.service.ports.http .Values.service.port }} - protocol: TCP - targetPort: http - {{- if (and (or (eq .Values.service.type "NodePort") (eq .Values.service.type "LoadBalancer")) (not (empty .Values.service.nodePorts.http))) }} - nodePort: {{ .Values.service.nodePorts.http }} - {{- else if eq .Values.service.type "ClusterIP" }} - nodePort: null - {{- end }} - {{- end }} - {{- if .Values.tls.enabled }} - - name: https - port: {{ coalesce .Values.service.ports.https .Values.service.httpsPort }} - protocol: TCP - targetPort: https - {{- if (and (or (eq .Values.service.type "NodePort") (eq .Values.service.type "LoadBalancer")) (not (empty .Values.service.nodePorts.https))) }} - nodePort: {{ .Values.service.nodePorts.https }} - {{- else if eq .Values.service.type "ClusterIP" }} - nodePort: null - {{- end }} - {{- end }} - {{- if .Values.service.extraPorts }} - {{- include "common.tplvalues.render" (dict "value" .Values.service.extraPorts "context" $) | nindent 4 }} - {{- end }} - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.podLabels .Values.commonLabels ) "context" . ) }} - selector: {{- include "common.labels.matchLabels" ( dict "customLabels" $podLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak diff --git a/charts/keycloak/keycloak/templates/serviceaccount.yaml b/charts/keycloak/keycloak/templates/serviceaccount.yaml deleted file mode 100644 index 467e14b..0000000 --- a/charts/keycloak/keycloak/templates/serviceaccount.yaml +++ /dev/null @@ -1,22 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.serviceAccount.create }} -apiVersion: v1 -kind: ServiceAccount -metadata: - name: {{ template "keycloak.serviceAccountName" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.serviceAccount.extraLabels }} - {{- include "common.tplvalues.render" (dict "value" .Values.serviceAccount.extraLabels "context" $) | nindent 4 }} - {{- end }} - {{- if or .Values.serviceAccount.annotations .Values.commonAnnotations }} - {{- $annotations := include "common.tplvalues.merge" ( dict "values" ( list .Values.serviceAccount.annotations .Values.commonAnnotations ) "context" . ) }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $annotations "context" $) | nindent 4 }} - {{- end }} -automountServiceAccountToken: {{ .Values.serviceAccount.automountServiceAccountToken }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/servicemonitor.yaml b/charts/keycloak/keycloak/templates/servicemonitor.yaml deleted file mode 100644 index a63d53e..0000000 --- a/charts/keycloak/keycloak/templates/servicemonitor.yaml +++ /dev/null @@ -1,58 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and .Values.metrics.enabled .Values.metrics.serviceMonitor.enabled }} -apiVersion: monitoring.coreos.com/v1 -kind: ServiceMonitor -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ default (include "common.names.namespace" .) .Values.metrics.serviceMonitor.namespace }} - {{- $labels := include "common.tplvalues.merge" ( dict "values" ( list .Values.metrics.serviceMonitor.labels .Values.commonLabels ) "context" . ) }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $labels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -spec: - {{- if .Values.metrics.serviceMonitor.jobLabel }} - jobLabel: {{ .Values.metrics.serviceMonitor.jobLabel }} - {{- end }} - endpoints: - {{- $defaultEndpoint := pick .Values.metrics.serviceMonitor "port" "scheme" "tlsConfig" "interval" "scrapeTimeout" "relabelings" "metricRelabelings" "honorLabels" }} - {{- $endpoints := ternary (.Values.metrics.serviceMonitor.endpoints) (list (dict "path" .Values.metrics.serviceMonitor.path)) (empty .Values.metrics.serviceMonitor.path) }} - {{- range $endpoints }} - {{- $endpoint := merge . $defaultEndpoint }} - - port: {{ $endpoint.port | quote }} - scheme: {{ $endpoint.scheme | quote }} - {{- if $endpoint.tlsConfig }} - tlsConfig: {{- include "common.tplvalues.render" ( dict "value" $endpoint.tlsConfig "context" $) | nindent 8 }} - {{- end }} - path: {{ include "common.tplvalues.render" ( dict "value" $endpoint.path "context" $) }} - {{- if $endpoint.interval }} - interval: {{ $endpoint.interval }} - {{- end }} - {{- if $endpoint.scrapeTimeout }} - scrapeTimeout: {{ $endpoint.scrapeTimeout }} - {{- end }} - {{- if $endpoint.relabelings }} - relabelings: {{- include "common.tplvalues.render" ( dict "value" $endpoint.relabelings "context" $) | nindent 6 }} - {{- end }} - {{- if $endpoint.metricRelabelings }} - metricRelabelings: {{- include "common.tplvalues.render" ( dict "value" $endpoint.metricRelabelings "context" $) | nindent 6 }} - {{- end }} - {{- if $endpoint.honorLabels }} - honorLabels: {{ $endpoint.honorLabels }} - {{- end }} - {{- end }} - namespaceSelector: - matchNames: - - {{ include "common.names.namespace" . | quote }} - selector: - matchLabels: {{- include "common.labels.matchLabels" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 6 }} - {{- if .Values.metrics.serviceMonitor.selector }} - {{- include "common.tplvalues.render" (dict "value" .Values.metrics.serviceMonitor.selector "context" $) | nindent 6 }} - {{- end }} - app.kubernetes.io/component: metrics -{{- end }} diff --git a/charts/keycloak/keycloak/templates/statefulset.yaml b/charts/keycloak/keycloak/templates/statefulset.yaml deleted file mode 100644 index b15f980..0000000 --- a/charts/keycloak/keycloak/templates/statefulset.yaml +++ /dev/null @@ -1,371 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -apiVersion: {{ include "common.capabilities.statefulset.apiVersion" . }} -kind: StatefulSet -metadata: - name: {{ template "common.names.fullname" . }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if or .Values.statefulsetAnnotations .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.merge" ( dict "values" ( list .Values.statefulsetAnnotations .Values.commonAnnotations ) "context" $ ) | nindent 4 }} - {{- end }} -spec: - {{- if not .Values.autoscaling.enabled }} - replicas: {{ .Values.replicaCount }} - {{- end }} - revisionHistoryLimit: {{ .Values.revisionHistoryLimitCount }} - podManagementPolicy: {{ .Values.podManagementPolicy }} - serviceName: {{ printf "%s-headless" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" }} - updateStrategy: - {{- include "common.tplvalues.render" (dict "value" .Values.updateStrategy "context" $ ) | nindent 4 }} - {{- if .Values.minReadySeconds }} - minReadySeconds: {{ .Values.minReadySeconds }} - {{- end }} - {{- $podLabels := include "common.tplvalues.merge" ( dict "values" ( list .Values.podLabels .Values.commonLabels ) "context" . ) }} - selector: - matchLabels: {{- include "common.labels.matchLabels" ( dict "customLabels" $podLabels "context" $ ) | nindent 6 }} - app.kubernetes.io/component: keycloak - template: - metadata: - annotations: - checksum/configmap-env-vars: {{ include (print $.Template.BasePath "/configmap-env-vars.yaml") . | sha256sum }} - {{- if not .Values.auth.existingSecret }} - checksum/secrets: {{ include (print $.Template.BasePath "/secrets.yaml") . | sha256sum }} - {{- end }} - {{- if (include "keycloak.createConfigmap" .) }} - checksum/configuration: {{ include (print $.Template.BasePath "/configmap.yaml") . | sha256sum }} - {{- end }} - {{- if .Values.podAnnotations }} - {{- include "common.tplvalues.render" (dict "value" .Values.podAnnotations "context" $) | nindent 8 }} - {{- end }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $podLabels "context" $ ) | nindent 8 }} - app.kubernetes.io/component: keycloak - spec: - serviceAccountName: {{ template "keycloak.serviceAccountName" . }} - {{- include "keycloak.imagePullSecrets" . | nindent 6 }} - automountServiceAccountToken: {{ .Values.automountServiceAccountToken }} - {{- if .Values.hostAliases }} - hostAliases: {{- include "common.tplvalues.render" (dict "value" .Values.hostAliases "context" $) | nindent 8 }} - {{- end }} - {{- if .Values.affinity }} - affinity: {{- include "common.tplvalues.render" ( dict "value" .Values.affinity "context" $) | nindent 8 }} - {{- else }} - affinity: - podAffinity: {{- include "common.affinities.pods" (dict "type" .Values.podAffinityPreset "customLabels" $podLabels "context" $) | nindent 10 }} - podAntiAffinity: {{- include "common.affinities.pods" (dict "type" .Values.podAntiAffinityPreset "customLabels" $podLabels "context" $) | nindent 10 }} - nodeAffinity: {{- include "common.affinities.nodes" (dict "type" .Values.nodeAffinityPreset.type "key" .Values.nodeAffinityPreset.key "values" .Values.nodeAffinityPreset.values) | nindent 10 }} - {{- end }} - {{- if .Values.nodeSelector }} - nodeSelector: {{- include "common.tplvalues.render" ( dict "value" .Values.nodeSelector "context" $) | nindent 8 }} - {{- end }} - {{- if .Values.tolerations }} - tolerations: {{- include "common.tplvalues.render" (dict "value" .Values.tolerations "context" .) | nindent 8 }} - {{- end }} - {{- if .Values.topologySpreadConstraints }} - topologySpreadConstraints: {{- include "common.tplvalues.render" (dict "value" .Values.topologySpreadConstraints "context" .) | nindent 8 }} - {{- end }} - {{- if .Values.priorityClassName }} - priorityClassName: {{ .Values.priorityClassName | quote }} - {{- end }} - {{- if .Values.schedulerName }} - schedulerName: {{ .Values.schedulerName }} - {{- end }} - {{- if .Values.podSecurityContext.enabled }} - securityContext: {{- include "common.compatibility.renderSecurityContext" (dict "secContext" .Values.podSecurityContext "context" $) | nindent 8 }} - {{- end }} - {{- if .Values.dnsPolicy }} - dnsPolicy: {{ .Values.dnsPolicy }} - {{- end }} - {{- if .Values.dnsConfig }} - dnsConfig: {{- include "common.tplvalues.render" (dict "value" .Values.dnsConfig "context" .) | nindent 8 }} - {{- end }} - {{- if semverCompare ">= 1.13" (include "common.capabilities.kubeVersion" .) }} - enableServiceLinks: {{ .Values.enableServiceLinks }} - {{- end }} - {{- if .Values.terminationGracePeriodSeconds }} - terminationGracePeriodSeconds: {{ .Values.terminationGracePeriodSeconds }} - {{- end }} - {{- if or .Values.enableDefaultInitContainers .Values.initContainers }} - initContainers: - {{- if .Values.enableDefaultInitContainers }} - - name: prepare-write-dirs - image: {{ template "keycloak.image" . }} - imagePullPolicy: {{ .Values.image.pullPolicy }} - command: - - /bin/bash - args: - - -ec - - | - . /opt/bitnami/scripts/liblog.sh - - info "Copying writable dirs to empty dir" - # In order to not break the application functionality we need to make some - # directories writable, so we need to copy it to an empty dir volume - cp -r --preserve=mode /opt/bitnami/keycloak/lib/quarkus /emptydir/app-quarkus-dir - cp -r --preserve=mode /opt/bitnami/keycloak/data /emptydir/app-data-dir - cp -r --preserve=mode /opt/bitnami/keycloak/providers /emptydir/app-providers-dir - info "Copy operation completed" - {{- if .Values.containerSecurityContext.enabled }} - securityContext: {{- include "common.compatibility.renderSecurityContext" (dict "secContext" .Values.containerSecurityContext "context" $) | nindent 12 }} - {{- end }} - {{- if .Values.resources }} - resources: {{- toYaml .Values.resources | nindent 12 }} - {{- else if ne .Values.resourcesPreset "none" }} - resources: {{- include "common.resources.preset" (dict "type" .Values.resourcesPreset) | nindent 12 }} - {{- end }} - volumeMounts: - - name: empty-dir - mountPath: /emptydir - {{- end }} - {{- if .Values.initContainers }} - {{- include "common.tplvalues.render" (dict "value" .Values.initContainers "context" $) | nindent 8 }} - {{- end }} - {{- end }} - containers: - - name: keycloak - image: {{ template "keycloak.image" . }} - imagePullPolicy: {{ .Values.image.pullPolicy }} - {{- if .Values.lifecycleHooks }} - lifecycle: {{- include "common.tplvalues.render" (dict "value" .Values.lifecycleHooks "context" $) | nindent 12 }} - {{- end }} - {{- if .Values.containerSecurityContext.enabled }} - securityContext: {{- include "common.compatibility.renderSecurityContext" (dict "secContext" .Values.containerSecurityContext "context" $) | nindent 12 }} - {{- end }} - {{- if .Values.diagnosticMode.enabled }} - command: {{- include "common.tplvalues.render" (dict "value" .Values.diagnosticMode.command "context" $) | nindent 12 }} - {{- else if .Values.command }} - command: {{- include "common.tplvalues.render" (dict "value" .Values.command "context" $) | nindent 12 }} - {{- end }} - {{- if .Values.diagnosticMode.enabled }} - args: {{- include "common.tplvalues.render" (dict "value" .Values.diagnosticMode.args "context" $) | nindent 12 }} - {{- else if .Values.args }} - args: {{- include "common.tplvalues.render" (dict "value" .Values.args "context" $) | nindent 12 }} - {{- end }} - env: - - name: KUBERNETES_NAMESPACE - valueFrom: - fieldRef: - apiVersion: v1 - fieldPath: metadata.namespace - - name: BITNAMI_DEBUG - value: {{ ternary "true" "false" .Values.image.debug | quote }} - - name: KEYCLOAK_ADMIN_PASSWORD - valueFrom: - secretKeyRef: - name: {{ include "keycloak.secretName" . }} - key: {{ include "keycloak.secretKey" . }} - - name: KEYCLOAK_DATABASE_PASSWORD - valueFrom: - secretKeyRef: - name: {{ include "keycloak.databaseSecretName" . }} - key: {{ include "keycloak.databaseSecretPasswordKey" . }} - {{- if .Values.externalDatabase.existingSecretHostKey }} - - name: KEYCLOAK_DATABASE_HOST - valueFrom: - secretKeyRef: - name: {{ include "keycloak.databaseSecretName" . }} - key: {{ include "keycloak.databaseSecretHostKey" . }} - {{- end }} - {{- if .Values.externalDatabase.existingSecretPortKey }} - - name: KEYCLOAK_DATABASE_PORT - valueFrom: - secretKeyRef: - name: {{ include "keycloak.databaseSecretName" . }} - key: {{ include "keycloak.databaseSecretPortKey" . }} - {{- end }} - {{- if .Values.externalDatabase.existingSecretUserKey }} - - name: KEYCLOAK_DATABASE_USER - valueFrom: - secretKeyRef: - name: {{ include "keycloak.databaseSecretName" . }} - key: {{ include "keycloak.databaseSecretUserKey" . }} - {{- end }} - {{- if .Values.externalDatabase.existingSecretDatabaseKey }} - - name: KEYCLOAK_DATABASE_NAME - valueFrom: - secretKeyRef: - name: {{ include "keycloak.databaseSecretName" . }} - key: {{ include "keycloak.databaseSecretDatabaseKey" . }} - {{- end }} - {{- if and .Values.tls.enabled (or .Values.tls.keystorePassword .Values.tls.passwordsSecret) }} - - name: KEYCLOAK_HTTPS_KEY_STORE_PASSWORD - valueFrom: - secretKeyRef: - name: {{ include "keycloak.tlsPasswordsSecretName" . }} - key: "tls-keystore-password" - {{- end }} - {{- if and .Values.tls.enabled (or .Values.tls.truststorePassword .Values.tls.passwordsSecret) }} - - name: KEYCLOAK_HTTPS_TRUST_STORE_PASSWORD - valueFrom: - secretKeyRef: - name: {{ include "keycloak.tlsPasswordsSecretName" . }} - key: "tls-truststore-password" - {{- end }} - {{- if and .Values.spi.existingSecret (or .Values.spi.truststorePassword .Values.spi.passwordsSecret) }} - - name: KEYCLOAK_SPI_TRUSTSTORE_PASSWORD - valueFrom: - secretKeyRef: - name: {{ include "keycloak.spiPasswordsSecretName" . }} - key: "spi-truststore-password" - {{- end }} - - name: KEYCLOAK_HTTP_RELATIVE_PATH - value: {{ .Values.httpRelativePath | quote }} - {{- if .Values.extraStartupArgs }} - - name: KEYCLOAK_EXTRA_ARGS - value: {{ .Values.extraStartupArgs | quote }} - {{- end }} - {{- if .Values.adminRealm }} - - name: KC_SPI_ADMIN_REALM - value: "{{ .Values.adminRealm }}" - {{- end }} - {{- if .Values.extraEnvVars }} - {{- include "common.tplvalues.render" (dict "value" .Values.extraEnvVars "context" $) | nindent 12 }} - {{- end }} - envFrom: - - configMapRef: - name: {{ printf "%s-env-vars" (include "common.names.fullname" .) }} - {{- if .Values.extraEnvVarsCM }} - - configMapRef: - name: {{ include "common.tplvalues.render" (dict "value" .Values.extraEnvVarsCM "context" $) }} - {{- end }} - {{- if .Values.extraEnvVarsSecret }} - - secretRef: - name: {{ include "common.tplvalues.render" (dict "value" .Values.extraEnvVarsSecret "context" $) }} - {{- end }} - {{- if .Values.resources }} - resources: {{- toYaml .Values.resources | nindent 12 }} - {{- else if ne .Values.resourcesPreset "none" }} - resources: {{- include "common.resources.preset" (dict "type" .Values.resourcesPreset) | nindent 12 }} - {{- end }} - ports: - - name: http - containerPort: {{ .Values.containerPorts.http }} - protocol: TCP - {{- if .Values.tls.enabled }} - - name: https - containerPort: {{ .Values.containerPorts.https }} - protocol: TCP - {{- end }} - {{- if and (.Values.metrics.enabled) (not (eq (.Values.containerPorts.http | int) (.Values.containerPorts.metrics | int) )) }} - - name: metrics - containerPort: {{ .Values.containerPorts.metrics }} - protocol: TCP - {{- end}} - {{- /* Constant in code: https://github.com/keycloak/keycloak/blob/ce8e925c1ad9bf7a3180d1496e181aeea0ab5f8a/operator/src/main/java/org/keycloak/operator/Constants.java#L60 */}} - - name: discovery - containerPort: 7800 - {{- if .Values.extraContainerPorts }} - {{- include "common.tplvalues.render" (dict "value" .Values.extraContainerPorts "context" $) | nindent 12 }} - {{- end }} - {{- if not .Values.diagnosticMode.enabled }} - {{- if .Values.customStartupProbe }} - startupProbe: {{- include "common.tplvalues.render" (dict "value" .Values.customStartupProbe "context" $) | nindent 12 }} - {{- else if .Values.startupProbe.enabled }} - startupProbe: {{- omit .Values.startupProbe "enabled" | toYaml | nindent 12 }} - httpGet: - path: {{ .Values.httpRelativePath }} - port: http - {{- end }} - {{- if .Values.customLivenessProbe }} - livenessProbe: {{- include "common.tplvalues.render" (dict "value" .Values.customLivenessProbe "context" $) | nindent 12 }} - {{- else if .Values.livenessProbe.enabled }} - livenessProbe: {{- omit .Values.livenessProbe "enabled" | toYaml | nindent 12 }} - tcpSocket: - port: http - {{- end }} - {{- if .Values.customReadinessProbe }} - readinessProbe: {{- include "common.tplvalues.render" (dict "value" .Values.customReadinessProbe "context" $) | nindent 12 }} - {{- else if .Values.readinessProbe.enabled }} - readinessProbe: {{- omit .Values.readinessProbe "enabled" | toYaml | nindent 12 }} - httpGet: - path: {{ .Values.httpRelativePath }}realms/{{ .Values.adminRealm | default "master" }} - port: http - {{- end }} - {{- end }} - volumeMounts: - - name: empty-dir - mountPath: /tmp - subPath: tmp-dir - - name: empty-dir - mountPath: /bitnami/keycloak - subPath: app-volume-dir - - name: empty-dir - mountPath: /opt/bitnami/keycloak/conf - subPath: app-conf-dir - - name: empty-dir - mountPath: /opt/bitnami/keycloak/lib/quarkus - subPath: app-quarkus-dir - - name: empty-dir - mountPath: /opt/bitnami/keycloak/data - subPath: app-data-dir - - name: empty-dir - mountPath: /opt/bitnami/keycloak/providers - subPath: app-providers-dir - {{- if or .Values.configuration .Values.existingConfigmap }} - - name: keycloak-config - mountPath: /bitnami/keycloak/conf/keycloak.conf - subPath: keycloak.conf - {{- end }} - {{- if .Values.tls.enabled }} - - name: certificates - mountPath: /opt/bitnami/keycloak/certs - readOnly: true - {{- end }} - {{- if .Values.customCaExistingSecret }} - - name: custom-ca - mountPath: /opt/bitnami/keycloak/custom-ca - readOnly: true - {{- end }} - {{- if .Values.spi.existingSecret }} - - name: spi-certificates - mountPath: /opt/bitnami/keycloak/spi-certs - readOnly: true - {{- end }} - {{- if or .Values.initdbScriptsConfigMap .Values.initdbScripts }} - - name: custom-init-scripts - mountPath: /docker-entrypoint-initdb.d - {{- end }} - {{- if .Values.extraVolumeMounts }} - {{- include "common.tplvalues.render" (dict "value" .Values.extraVolumeMounts "context" $) | nindent 12 }} - {{- end }} - {{- if .Values.sidecars }} - {{- include "common.tplvalues.render" ( dict "value" .Values.sidecars "context" $) | nindent 8 }} - {{- end }} - volumes: - - name: empty-dir - emptyDir: {} - {{- if or .Values.configuration .Values.existingConfigmap }} - - name: keycloak-config - configMap: - name: {{ include "keycloak.configmapName" . }} - {{- end }} - {{- if .Values.tls.enabled }} - - name: certificates - secret: - secretName: {{ include "keycloak.tlsSecretName" . }} - defaultMode: 420 - {{- end }} - {{- if .Values.customCaExistingSecret }} - - name: custom-ca - secret: - secretName: {{ .Values.customCaExistingSecret }} - defaultMode: 420 - {{- end }} - {{- if .Values.spi.existingSecret }} - - name: spi-certificates - secret: - secretName: {{ .Values.spi.existingSecret }} - defaultMode: 420 - {{- end }} - {{- if or .Values.initdbScriptsConfigMap .Values.initdbScripts }} - - name: custom-init-scripts - configMap: - name: {{ include "keycloak.initdbScriptsCM" . }} - {{- end }} - {{- if .Values.extraVolumes }} - {{- include "common.tplvalues.render" (dict "value" .Values.extraVolumes "context" $) | nindent 8 }} - {{- end }} diff --git a/charts/keycloak/keycloak/templates/tls-pass-secret.yaml b/charts/keycloak/keycloak/templates/tls-pass-secret.yaml deleted file mode 100644 index cedcab5..0000000 --- a/charts/keycloak/keycloak/templates/tls-pass-secret.yaml +++ /dev/null @@ -1,43 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if and (or .Values.tls.keystorePassword .Values.tls.truststorePassword) (not .Values.tls.passwordsSecret) }} -apiVersion: v1 -kind: Secret -metadata: - name: {{ printf "%s-tls-passwords" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -type: Opaque -data: - {{- if .Values.tls.keystorePassword }} - tls-keystore-password: {{ .Values.tls.keystorePassword | b64enc | quote }} - {{- end }} - {{- if .Values.tls.truststorePassword }} - tls-truststore-password: {{ .Values.tls.truststorePassword | b64enc | quote }} - {{- end }} ---- -{{- end }} -{{- if and .Values.spi.truststorePassword (not .Values.spi.passwordsSecret) }} -apiVersion: v1 -kind: Secret -metadata: - name: {{ printf "%s-spi-passwords" (include "common.names.fullname" .) | trunc 63 | trimSuffix "-" }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -type: Opaque -data: - {{- if .Values.spi.truststorePassword }} - spi-truststore-password: {{ .Values.spi.truststorePassword | b64enc | quote }} - {{- end }} -{{- end }} diff --git a/charts/keycloak/keycloak/templates/tls-secret.yaml b/charts/keycloak/keycloak/templates/tls-secret.yaml deleted file mode 100644 index 91e0647..0000000 --- a/charts/keycloak/keycloak/templates/tls-secret.yaml +++ /dev/null @@ -1,71 +0,0 @@ -{{- /* -Copyright Broadcom, Inc. All Rights Reserved. -SPDX-License-Identifier: APACHE-2.0 -*/}} - -{{- if .Values.ingress.enabled }} -{{- if .Values.ingress.secrets }} -{{- range .Values.ingress.secrets }} -apiVersion: v1 -kind: Secret -metadata: - name: {{ include "common.tplvalues.render" ( dict "value" .name "context" $ ) }} - namespace: {{ include "common.names.namespace" $ | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" $.Values.commonLabels "context" $ ) | nindent 4 }} - {{- if $.Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" $.Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -type: kubernetes.io/tls -data: - tls.crt: {{ include "common.tplvalues.render" ( dict "value" .certificate "context" $ ) | b64enc }} - tls.key: {{ include "common.tplvalues.render" ( dict "value" .key "context" $ ) | b64enc }} ---- -{{- end }} -{{- end }} -{{- if and .Values.ingress.tls .Values.ingress.selfSigned }} -{{- $secretName := printf "%s-tls" .Values.ingress.hostname }} -{{- $ca := genCA "keycloak-ca" 365 }} -{{- $cert := genSignedCert (tpl .Values.ingress.hostname .) nil (list (tpl .Values.ingress.hostname .)) 365 $ca }} -apiVersion: v1 -kind: Secret -metadata: - name: {{ $secretName }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -type: kubernetes.io/tls -data: - tls.crt: {{ include "common.secrets.lookup" (dict "secret" $secretName "key" "tls.crt" "defaultValue" $cert.Cert "context" $) }} - tls.key: {{ include "common.secrets.lookup" (dict "secret" $secretName "key" "tls.key" "defaultValue" $cert.Key "context" $) }} - ca.crt: {{ include "common.secrets.lookup" (dict "secret" $secretName "key" "ca.crt" "defaultValue" $ca.Cert "context" $) }} -{{- end }} -{{- end }} -{{- if (include "keycloak.createTlsSecret" $) }} -{{- $secretName := printf "%s-crt" (include "common.names.fullname" .) }} -{{- $ca := genCA "keycloak-ca" 365 }} -{{- $releaseNamespace := include "common.names.namespace" . }} -{{- $clusterDomain := .Values.clusterDomain }} ---- -apiVersion: v1 -kind: Secret -metadata: - name: {{ $secretName }} - namespace: {{ include "common.names.namespace" . | quote }} - labels: {{- include "common.labels.standard" ( dict "customLabels" .Values.commonLabels "context" $ ) | nindent 4 }} - app.kubernetes.io/component: keycloak - {{- if .Values.commonAnnotations }} - annotations: {{- include "common.tplvalues.render" ( dict "value" .Values.commonAnnotations "context" $ ) | nindent 4 }} - {{- end }} -type: Opaque -data: - {{- $replicaCount := int .Values.replicaCount }} - {{- $svcName := include "common.names.fullname" . }} - {{- $altNames := list (printf "%s.%s.svc.%s" $svcName $releaseNamespace $clusterDomain) (printf "%s.%s" $svcName $releaseNamespace) $svcName }} - {{- $cert := genSignedCert $svcName nil $altNames 365 $ca }} - tls.crt: {{ include "common.secrets.lookup" (dict "secret" $secretName "key" "tls.crt" "defaultValue" $cert.Cert "context" $) }} - tls.key: {{ include "common.secrets.lookup" (dict "secret" $secretName "key" "tls.key" "defaultValue" $cert.Key "context" $) }} - ca.crt: {{ include "common.secrets.lookup" (dict "secret" $secretName "key" "ca.crt" "defaultValue" $ca.Cert "context" $) }} -{{- end }} - diff --git a/charts/keycloak/keycloak/values.yaml b/charts/keycloak/keycloak/values.yaml deleted file mode 100644 index 1a3adbb..0000000 --- a/charts/keycloak/keycloak/values.yaml +++ /dev/null @@ -1,1383 +0,0 @@ -# Copyright Broadcom, Inc. All Rights Reserved. -# SPDX-License-Identifier: APACHE-2.0 - -## @section Global parameters -## Global Docker image parameters -## Please, note that this will override the image parameters, including dependencies, configured to use the global value -## Current available global Docker image parameters: imageRegistry, imagePullSecrets and storageClass -## - -## @param global.imageRegistry Global Docker image registry -## @param global.imagePullSecrets Global Docker registry secret names as an array -## @param global.defaultStorageClass Global default StorageClass for Persistent Volume(s) -## @param global.storageClass DEPRECATED: use global.defaultStorageClass instead -## -global: - imageRegistry: "" - ## E.g. - ## imagePullSecrets: - ## - myRegistryKeySecretName - ## - imagePullSecrets: [] - defaultStorageClass: "" - storageClass: "" - ## Compatibility adaptations for Kubernetes platforms - ## - compatibility: - ## Compatibility adaptations for Openshift - ## - openshift: - ## @param global.compatibility.openshift.adaptSecurityContext Adapt the securityContext sections of the deployment to make them compatible with Openshift restricted-v2 SCC: remove runAsUser, runAsGroup and fsGroup and let the platform use their allowed default IDs. Possible values: auto (apply if the detected running cluster is Openshift), force (perform the adaptation always), disabled (do not perform adaptation) - ## - adaptSecurityContext: auto -## @section Common parameters -## - -## @param kubeVersion Force target Kubernetes version (using Helm capabilities if not set) -## -kubeVersion: "" -## @param nameOverride String to partially override common.names.fullname -## -nameOverride: "" -## @param fullnameOverride String to fully override common.names.fullname -## -fullnameOverride: "" -## @param namespaceOverride String to fully override common.names.namespace -## -namespaceOverride: "" -## @param commonLabels Labels to add to all deployed objects -## -commonLabels: {} -## @param enableServiceLinks If set to false, disable Kubernetes service links in the pod spec -## Ref: https://kubernetes.io/docs/tutorials/services/connect-applications-service/#accessing-the-service -## -enableServiceLinks: true -## @param commonAnnotations Annotations to add to all deployed objects -## -commonAnnotations: {} -## @param dnsPolicy DNS Policy for pod -## ref: https://kubernetes.io/docs/concepts/services-networking/dns-pod-service/ -## E.g. -## dnsPolicy: ClusterFirst -dnsPolicy: "" -## @param dnsConfig DNS Configuration pod -## ref: https://kubernetes.io/docs/concepts/services-networking/dns-pod-service/ -## E.g. -## dnsConfig: -## options: -## - name: ndots -## value: "4" -dnsConfig: {} -## @param clusterDomain Default Kubernetes cluster domain -## -clusterDomain: cluster.local -## @param extraDeploy Array of extra objects to deploy with the release -## -extraDeploy: [] -## Enable diagnostic mode in the statefulset -## -diagnosticMode: - ## @param diagnosticMode.enabled Enable diagnostic mode (all probes will be disabled and the command will be overridden) - ## - enabled: false - ## @param diagnosticMode.command Command to override all containers in the the statefulset - ## - command: - - sleep - ## @param diagnosticMode.args Args to override all containers in the the statefulset - ## - args: - - infinity -## @section Keycloak parameters - -## Bitnami Keycloak image version -## ref: https://hub.docker.com/r/bitnami/keycloak/tags/ -## @param image.registry [default: REGISTRY_NAME] Keycloak image registry -## @param image.repository [default: REPOSITORY_NAME/keycloak] Keycloak image repository -## @skip image.tag Keycloak image tag (immutable tags are recommended) -## @param image.digest Keycloak image digest in the way sha256:aa.... Please note this parameter, if set, will override the tag -## @param image.pullPolicy Keycloak image pull policy -## @param image.pullSecrets Specify docker-registry secret names as an array -## @param image.debug Specify if debug logs should be enabled -## -image: - registry: docker.io - repository: bitnami/keycloak - tag: 26.0.6-debian-12-r0 - digest: "" - ## Specify a imagePullPolicy - ## ref: https://kubernetes.io/docs/concepts/containers/images/#pre-pulled-images - ## - pullPolicy: IfNotPresent - ## Optionally specify an array of imagePullSecrets. - ## Secrets must be manually created in the namespace. - ## ref: https://kubernetes.io/docs/tasks/configure-pod-container/pull-image-private-registry/ - ## Example: - ## pullSecrets: - ## - myRegistryKeySecretName - ## - pullSecrets: [] - ## Set to true if you would like to see extra information on logs - ## - debug: false -## Keycloak authentication parameters -## ref: https://github.com/bitnami/containers/tree/main/bitnami/keycloak#admin-credentials -## -auth: - ## @param auth.adminUser Keycloak administrator user - ## - adminUser: user - ## @param auth.adminPassword Keycloak administrator password for the new user - ## - adminPassword: "" - ## @param auth.existingSecret Existing secret containing Keycloak admin password - ## - existingSecret: "" - ## @param auth.passwordSecretKey Key where the Keycloak admin password is being stored inside the existing secret. - ## - passwordSecretKey: "" - ## @param auth.annotations Additional custom annotations for Keycloak auth secret object - ## - annotations: {} -## Custom Certificates -## @param customCaExistingSecret Name of the secret containing the Keycloak custom CA certificates. The secret will be mounted as a directory and configured using KC_TRUSTSTORE_PATHS. -## https://www.keycloak.org/server/keycloak-truststore -## Could be created like this: kubectl create secret generic secretName --from-file=./certificateToMerge.pem -customCaExistingSecret: "" -## HTTPS settings -## ref: https://github.com/bitnami/containers/tree/main/bitnami/keycloak#tls-encryption -## -tls: - ## @param tls.enabled Enable TLS encryption. Required for HTTPs traffic. - ## - enabled: false - ## @param tls.autoGenerated Generate automatically self-signed TLS certificates. Currently only supports PEM certificates - ## - autoGenerated: false - ## @param tls.existingSecret Existing secret containing the TLS certificates per Keycloak replica - ## Create this secret following the steps below: - ## 1) Generate your truststore and keystore files (more info at https://www.keycloak.org/docs/latest/server_installation/#_setting_up_ssl) - ## 2) Rename your truststore to `keycloak.truststore.jks` or use a different name overwriting the value 'tls.truststoreFilename'. - ## 3) Rename your keystores to `keycloak.keystore.jks` or use a different name overwriting the value 'tls.keystoreFilename'. - ## 4) Run the command below where SECRET_NAME is the name of the secret you want to create: - ## kubectl create secret generic SECRET_NAME --from-file=./keycloak.truststore.jks --from-file=./keycloak.keystore.jks - ## NOTE: If usePem enabled, make sure the PEM key and cert are named 'tls.key' and 'tls.crt' respectively. - ## - existingSecret: "" - ## @param tls.usePem Use PEM certificates as input instead of PKS12/JKS stores - ## If "true", the Keycloak chart will look for the files tls.key and tls.crt inside the secret provided with 'existingSecret'. - ## - usePem: false - ## @param tls.truststoreFilename Truststore filename inside the existing secret - ## - truststoreFilename: "keycloak.truststore.jks" - ## @param tls.keystoreFilename Keystore filename inside the existing secret - ## - keystoreFilename: "keycloak.keystore.jks" - ## @param tls.keystorePassword Password to access the keystore when it's password-protected - ## - keystorePassword: "" - ## @param tls.truststorePassword Password to access the truststore when it's password-protected - ## - truststorePassword: "" - ## @param tls.passwordsSecret Secret containing the Keystore and Truststore passwords. - ## The secret must have "tls-keystore-password" and "tls-truststore-password" keys for the keystore and truststore respectively. - ## - passwordsSecret: "" -## SPI TLS settings -## ref: https://www.keycloak.org/server/keycloak-truststore -## -spi: - ## @param spi.existingSecret Existing secret containing the Keycloak truststore for SPI connection over HTTPS/TLS - ## Create this secret following the steps below: - ## 1) Rename your truststore to `keycloak-spi.truststore.jks` or use a different name overwriting the value 'spi.truststoreFilename'. - ## 2) Run the command below where SECRET_NAME is the name of the secret you want to create: - ## kubectl create secret generic SECRET_NAME --from-file=./keycloak-spi.truststore.jks --from-file=./keycloak.keystore.jks - ## - existingSecret: "" - ## @param spi.truststorePassword Password to access the truststore when it's password-protected - ## - truststorePassword: "" - ## @param spi.truststoreFilename Truststore filename inside the existing secret - ## - truststoreFilename: "keycloak-spi.truststore.jks" - ## @param spi.passwordsSecret Secret containing the SPI Truststore passwords. - ## The secret must have "spi-truststore-password" key. - ## - passwordsSecret: "" - ## @param spi.hostnameVerificationPolicy Verify the hostname of the server's certificate. Allowed values: "ANY", "WILDCARD", "STRICT". - ## - hostnameVerificationPolicy: "" -## @param adminRealm Name of the admin realm -## -adminRealm: "master" -## @param production Run Keycloak in production mode. TLS configuration is required except when using proxy=edge. -## -production: false -## @param proxyHeaders Set Keycloak proxy headers -## -proxyHeaders: "" -## @param proxy reverse Proxy mode edge, reencrypt, passthrough or none -## DEPRECATED: use proxyHeaders instead -## ref: https://www.keycloak.org/server/reverseproxy -## -proxy: "" -## @param httpRelativePath Set the path relative to '/' for serving resources. Useful if you are migrating from older version which were using '/auth/' -## ref: https://www.keycloak.org/migration/migrating-to-quarkus#_default_context_path_changed -## -httpRelativePath: "/" -## Keycloak Service Discovery settings -## ref: https://github.com/bitnami/containers/tree/main/bitnami/keycloak#cluster-configuration -## -## @param configuration Keycloak Configuration. Auto-generated based on other parameters when not specified -## Specify content for keycloak.conf -## NOTE: This will override configuring Keycloak based on environment variables (including those set by the chart) -## The keycloak.conf is auto-generated based on other parameters when this parameter is not specified -## -## Example: -## configuration: |- -## foo: bar -## baz: -## -configuration: "" -## @param existingConfigmap Name of existing ConfigMap with Keycloak configuration -## NOTE: When it's set the configuration parameter is ignored -## -existingConfigmap: "" -## @param extraStartupArgs Extra default startup args -## -extraStartupArgs: "" -## @param enableDefaultInitContainers Deploy default init containers -## Disable this parameter could be helpful for 3rd party images e.g native Keycloak image. -## -enableDefaultInitContainers: true -## @param initdbScripts Dictionary of initdb scripts -## Specify dictionary of scripts to be run at first boot -## ref: https://github.com/bitnami/containers/tree/main/bitnami/keycloak#initializing-a-new-instance -## Example: -## initdbScripts: -## my_init_script.sh: | -## #!/bin/bash -## echo "Do something." -## -initdbScripts: {} -## @param initdbScriptsConfigMap ConfigMap with the initdb scripts (Note: Overrides `initdbScripts`) -## -initdbScriptsConfigMap: "" -## @param command Override default container command (useful when using custom images) -## -command: [] -## @param args Override default container args (useful when using custom images) -## -args: [] -## @param extraEnvVars Extra environment variables to be set on Keycloak container -## Example: -## extraEnvVars: -## - name: FOO -## value: "bar" -## -extraEnvVars: [] -## @param extraEnvVarsCM Name of existing ConfigMap containing extra env vars -## -extraEnvVarsCM: "" -## @param extraEnvVarsSecret Name of existing Secret containing extra env vars -## -extraEnvVarsSecret: "" -## @section Keycloak statefulset parameters - -## @param replicaCount Number of Keycloak replicas to deploy -## -replicaCount: 1 -## @param revisionHistoryLimitCount Number of controller revisions to keep -## -revisionHistoryLimitCount: 10 -## @param containerPorts.http Keycloak HTTP container port -## @param containerPorts.https Keycloak HTTPS container port -## @param containerPorts.metrics Keycloak metrics container port -## -containerPorts: - http: 8080 - https: 8443 - metrics: 9000 -## @param extraContainerPorts Optionally specify extra list of additional port-mappings for Keycloak container -## -extraContainerPorts: [] -## @param statefulsetAnnotations Optionally add extra annotations on the statefulset resource -statefulsetAnnotations: {} -## -## Keycloak pods' SecurityContext -## ref: https://kubernetes.io/docs/tasks/configure-pod-container/security-context/#set-the-security-context-for-a-pod -## @param podSecurityContext.enabled Enabled Keycloak pods' Security Context -## @param podSecurityContext.fsGroupChangePolicy Set filesystem group change policy -## @param podSecurityContext.sysctls Set kernel settings using the sysctl interface -## @param podSecurityContext.supplementalGroups Set filesystem extra groups -## @param podSecurityContext.fsGroup Set Keycloak pod's Security Context fsGroup -## -podSecurityContext: - enabled: true - fsGroupChangePolicy: Always - sysctls: [] - supplementalGroups: [] - fsGroup: 1001 -## Keycloak containers' Security Context -## ref: https://kubernetes.io/docs/tasks/configure-pod-container/security-context/#set-the-security-context-for-a-container -## @param containerSecurityContext.enabled Enabled containers' Security Context -## @param containerSecurityContext.seLinuxOptions [object,nullable] Set SELinux options in container -## @param containerSecurityContext.runAsUser Set containers' Security Context runAsUser -## @param containerSecurityContext.runAsGroup Set containers' Security Context runAsGroup -## @param containerSecurityContext.runAsNonRoot Set container's Security Context runAsNonRoot -## @param containerSecurityContext.privileged Set container's Security Context privileged -## @param containerSecurityContext.readOnlyRootFilesystem Set container's Security Context readOnlyRootFilesystem -## @param containerSecurityContext.allowPrivilegeEscalation Set container's Security Context allowPrivilegeEscalation -## @param containerSecurityContext.capabilities.drop List of capabilities to be dropped -## @param containerSecurityContext.seccompProfile.type Set container's Security Context seccomp profile -## -containerSecurityContext: - enabled: true - seLinuxOptions: {} - runAsUser: 1001 - runAsGroup: 1001 - runAsNonRoot: true - privileged: false - readOnlyRootFilesystem: true - allowPrivilegeEscalation: false - capabilities: - drop: ["ALL"] - seccompProfile: - type: "RuntimeDefault" -## Keycloak resource requests and limits -## ref: https://kubernetes.io/docs/concepts/configuration/manage-compute-resources-container/ -## @param resourcesPreset Set container resources according to one common preset (allowed values: none, nano, micro, small, medium, large, xlarge, 2xlarge). This is ignored if resources is set (resources is recommended for production). -## More information: https://github.com/bitnami/charts/blob/main/bitnami/common/templates/_resources.tpl#L15 -## -resourcesPreset: "small" -## @param resources Set container requests and limits for different resources like CPU or memory (essential for production workloads) -## Example: -## resources: -## requests: -## cpu: 2 -## memory: 512Mi -## limits: -## cpu: 3 -## memory: 1024Mi -## -resources: {} -## Configure extra options for Keycloak containers' liveness, readiness and startup probes -## ref: https://kubernetes.io/docs/tasks/configure-pod-container/configure-liveness-readiness-startup-probes/#configure-probes -## @param livenessProbe.enabled Enable livenessProbe on Keycloak containers -## @param livenessProbe.initialDelaySeconds Initial delay seconds for livenessProbe -## @param livenessProbe.periodSeconds Period seconds for livenessProbe -## @param livenessProbe.timeoutSeconds Timeout seconds for livenessProbe -## @param livenessProbe.failureThreshold Failure threshold for livenessProbe -## @param livenessProbe.successThreshold Success threshold for livenessProbe -## -livenessProbe: - enabled: true - initialDelaySeconds: 300 - periodSeconds: 1 - timeoutSeconds: 5 - failureThreshold: 3 - successThreshold: 1 -## @param readinessProbe.enabled Enable readinessProbe on Keycloak containers -## @param readinessProbe.initialDelaySeconds Initial delay seconds for readinessProbe -## @param readinessProbe.periodSeconds Period seconds for readinessProbe -## @param readinessProbe.timeoutSeconds Timeout seconds for readinessProbe -## @param readinessProbe.failureThreshold Failure threshold for readinessProbe -## @param readinessProbe.successThreshold Success threshold for readinessProbe -## -readinessProbe: - enabled: true - initialDelaySeconds: 30 - periodSeconds: 10 - timeoutSeconds: 1 - failureThreshold: 3 - successThreshold: 1 -## When enabling this, make sure to set initialDelaySeconds to 0 for livenessProbe and readinessProbe -## @param startupProbe.enabled Enable startupProbe on Keycloak containers -## @param startupProbe.initialDelaySeconds Initial delay seconds for startupProbe -## @param startupProbe.periodSeconds Period seconds for startupProbe -## @param startupProbe.timeoutSeconds Timeout seconds for startupProbe -## @param startupProbe.failureThreshold Failure threshold for startupProbe -## @param startupProbe.successThreshold Success threshold for startupProbe -## -startupProbe: - enabled: false - initialDelaySeconds: 30 - periodSeconds: 5 - timeoutSeconds: 1 - failureThreshold: 60 - successThreshold: 1 -## @param customLivenessProbe Custom Liveness probes for Keycloak -## -customLivenessProbe: {} -## @param customReadinessProbe Custom Rediness probes Keycloak -## -customReadinessProbe: {} -## @param customStartupProbe Custom Startup probes for Keycloak -## -customStartupProbe: {} -## @param lifecycleHooks LifecycleHooks to set additional configuration at startup -## -lifecycleHooks: {} -## @param automountServiceAccountToken Mount Service Account token in pod -## -automountServiceAccountToken: true -## @param hostAliases Deployment pod host aliases -## https://kubernetes.io/docs/concepts/services-networking/add-entries-to-pod-etc-hosts-with-host-aliases/ -## -hostAliases: [] -## @param podLabels Extra labels for Keycloak pods -## ref: https://kubernetes.io/docs/concepts/overview/working-with-objects/labels/ -## -podLabels: {} -## @param podAnnotations Annotations for Keycloak pods -## ref: https://kubernetes.io/docs/concepts/overview/working-with-objects/annotations/ -## -podAnnotations: {} -## @param podAffinityPreset Pod affinity preset. Ignored if `affinity` is set. Allowed values: `soft` or `hard` -## ref: https://kubernetes.io/docs/concepts/scheduling-eviction/assign-pod-node/#inter-pod-affinity-and-anti-affinity -## -podAffinityPreset: "" -## @param podAntiAffinityPreset Pod anti-affinity preset. Ignored if `affinity` is set. Allowed values: `soft` or `hard` -## Ref: https://kubernetes.io/docs/concepts/scheduling-eviction/assign-pod-node/#inter-pod-affinity-and-anti-affinity -## -podAntiAffinityPreset: soft -## Node affinity preset -## Ref: https://kubernetes.io/docs/concepts/scheduling-eviction/assign-pod-node/#node-affinity -## -nodeAffinityPreset: - ## @param nodeAffinityPreset.type Node affinity preset type. Ignored if `affinity` is set. Allowed values: `soft` or `hard` - ## - type: "" - ## @param nodeAffinityPreset.key Node label key to match. Ignored if `affinity` is set. - ## E.g. - ## key: "kubernetes.io/e2e-az-name" - ## - key: "" - ## @param nodeAffinityPreset.values Node label values to match. Ignored if `affinity` is set. - ## E.g. - ## values: - ## - e2e-az1 - ## - e2e-az2 - ## - values: [] -## @param affinity Affinity for pod assignment -## Ref: https://kubernetes.io/docs/concepts/configuration/assign-pod-node/#affinity-and-anti-affinity -## -affinity: {} -## @param nodeSelector Node labels for pod assignment -## ref: https://kubernetes.io/docs/concepts/scheduling-eviction/assign-pod-node/ -## -nodeSelector: {} -## @param tolerations Tolerations for pod assignment -## ref: https://kubernetes.io/docs/concepts/configuration/taint-and-toleration/ -## -tolerations: [] -## @param topologySpreadConstraints Topology Spread Constraints for pod assignment spread across your cluster among failure-domains. Evaluated as a template -## Ref: https://kubernetes.io/docs/concepts/workloads/pods/pod-topology-spread-constraints/#spread-constraints-for-pods -## -topologySpreadConstraints: [] -## @param podManagementPolicy Pod management policy for the Keycloak statefulset -## -podManagementPolicy: Parallel -## @param priorityClassName Keycloak pods' Priority Class Name -## ref: https://kubernetes.io/docs/concepts/configuration/pod-priority-preemption/ -## -priorityClassName: "" -## @param schedulerName Use an alternate scheduler, e.g. "stork". -## ref: https://kubernetes.io/docs/tasks/administer-cluster/configure-multiple-schedulers/ -## -schedulerName: "" -## @param terminationGracePeriodSeconds Seconds Keycloak pod needs to terminate gracefully -## ref: https://kubernetes.io/docs/concepts/workloads/pods/pod/#termination-of-pods -## -terminationGracePeriodSeconds: "" -## @param updateStrategy.type Keycloak statefulset strategy type -## @param updateStrategy.rollingUpdate Keycloak statefulset rolling update configuration parameters -## ref: https://kubernetes.io/docs/concepts/workloads/controllers/statefulset/#update-strategies -## -updateStrategy: - type: RollingUpdate - rollingUpdate: {} -## @param minReadySeconds How many seconds a pod needs to be ready before killing the next, during update -## -minReadySeconds: 0 -## @param extraVolumes Optionally specify extra list of additional volumes for Keycloak pods -## -extraVolumes: [] -## @param extraVolumeMounts Optionally specify extra list of additional volumeMounts for Keycloak container(s) -## -extraVolumeMounts: [] -## @param initContainers Add additional init containers to the Keycloak pods -## Example: -## initContainers: -## - name: your-image-name -## image: your-image -## imagePullPolicy: Always -## ports: -## - name: portname -## containerPort: 1234 -## -initContainers: [] -## @param sidecars Add additional sidecar containers to the Keycloak pods -## Example: -## sidecars: -## - name: your-image-name -## image: your-image -## imagePullPolicy: Always -## ports: -## - name: portname -## containerPort: 1234 -## -sidecars: [] -## @section Exposure parameters -## - -## Service configuration -## -service: - ## @param service.type Kubernetes service type - ## - type: ClusterIP - ## @param service.http.enabled Enable http port on service - ## - http: - enabled: true - ## @param service.ports.http Keycloak service HTTP port - ## @param service.ports.https Keycloak service HTTPS port - ## - ports: - http: 80 - https: 443 - ## @param service.nodePorts [object] Specify the nodePort values for the LoadBalancer and NodePort service types. - ## ref: https://kubernetes.io/docs/concepts/services-networking/service/#type-nodeport - ## - nodePorts: - http: "" - https: "" - ## @param service.sessionAffinity Control where client requests go, to the same pod or round-robin - ## Values: ClientIP or None - ## ref: https://kubernetes.io/docs/concepts/services-networking/service/ - ## - sessionAffinity: None - ## @param service.sessionAffinityConfig Additional settings for the sessionAffinity - ## sessionAffinityConfig: - ## clientIP: - ## timeoutSeconds: 300 - ## - sessionAffinityConfig: {} - ## @param service.clusterIP Keycloak service clusterIP IP - ## e.g: - ## clusterIP: None - ## - clusterIP: "" - ## @param service.loadBalancerIP loadBalancerIP for the SuiteCRM Service (optional, cloud specific) - ## ref: https://kubernetes.io/docs/concepts/services-networking/service/#type-loadbalancer - ## - loadBalancerIP: "" - ## @param service.loadBalancerSourceRanges Address that are allowed when service is LoadBalancer - ## https://kubernetes.io/docs/tasks/access-application-cluster/configure-cloud-provider-firewall/#restrict-access-for-loadbalancer-service - ## Example: - ## loadBalancerSourceRanges: - ## - 10.10.10.0/24 - ## - loadBalancerSourceRanges: [] - ## @param service.externalTrafficPolicy Enable client source IP preservation - ## ref https://kubernetes.io/docs/tasks/access-application-cluster/create-external-load-balancer/#preserving-the-client-source-ip - ## - externalTrafficPolicy: Cluster - ## @param service.annotations Additional custom annotations for Keycloak service - ## - annotations: {} - ## @param service.extraPorts Extra port to expose on Keycloak service - ## - extraPorts: [] - # DEPRECATED service.extraHeadlessPorts will be removed in a future release, please use service.headless.extraPorts instead - ## @param service.extraHeadlessPorts Extra ports to expose on Keycloak headless service - ## - extraHeadlessPorts: [] - ## Headless service properties - ## - headless: - ## @param service.headless.annotations Annotations for the headless service. - ## - annotations: {} - ## @param service.headless.extraPorts Extra ports to expose on Keycloak headless service - ## - extraPorts: [] -## Keycloak ingress parameters -## ref: https://kubernetes.io/docs/concepts/services-networking/ingress/ -## -ingress: - ## @param ingress.enabled Enable ingress record generation for Keycloak - ## - enabled: false - ## @param ingress.ingressClassName IngressClass that will be be used to implement the Ingress (Kubernetes 1.18+) - ## This is supported in Kubernetes 1.18+ and required if you have more than one IngressClass marked as the default for your cluster . - ## ref: https://kubernetes.io/blog/2020/04/02/improvements-to-the-ingress-api-in-kubernetes-1.18/ - ## - ingressClassName: "" - ## @param ingress.pathType Ingress path type - ## - pathType: ImplementationSpecific - ## @param ingress.apiVersion Force Ingress API version (automatically detected if not set) - ## - apiVersion: "" - ## @param ingress.controller The ingress controller type. Currently supports `default` and `gce` - ## leave as `default` for most ingress controllers. - ## set to `gce` if using the GCE ingress controller - ## - controller: default - ## @param ingress.hostname Default host for the ingress record (evaluated as template) - ## - hostname: keycloak.local - ## @param ingress.hostnameStrict Disables dynamically resolving the hostname from request headers. - ## Should always be set to true in production, unless your reverse proxy overwrites the Host header. - ## If enabled, the hostname option needs to be specified. - ## - hostnameStrict: false - ## @param ingress.path [string] Default path for the ingress record (evaluated as template) - ## - path: "{{ .Values.httpRelativePath }}" - ## @param ingress.servicePort Backend service port to use - ## Default is http. Alternative is https. - ## - servicePort: http - ## @param ingress.annotations [object] Additional annotations for the Ingress resource. To enable certificate autogeneration, place here your cert-manager annotations. - ## Use this parameter to set the required annotations for cert-manager, see - ## ref: https://cert-manager.io/docs/usage/ingress/#supported-annotations - ## e.g: - ## annotations: - ## kubernetes.io/ingress.class: nginx - ## cert-manager.io/cluster-issuer: cluster-issuer-name - ## - annotations: {} - ## @param ingress.labels Additional labels for the Ingress resource. - ## e.g: - ## labels: - ## app: keycloak - ## - labels: {} - ## @param ingress.tls Enable TLS configuration for the host defined at `ingress.hostname` parameter - ## TLS certificates will be retrieved from a TLS secret with name: `{{- printf "%s-tls" (tpl .Values.ingress.hostname .) }}` - ## You can: - ## - Use the `ingress.secrets` parameter to create this TLS secret - ## - Rely on cert-manager to create it by setting the corresponding annotations - ## - Rely on Helm to create self-signed certificates by setting `ingress.selfSigned=true` - ## - tls: false - ## @param ingress.selfSigned Create a TLS secret for this ingress record using self-signed certificates generated by Helm - ## - selfSigned: false - ## @param ingress.extraHosts An array with additional hostname(s) to be covered with the ingress record - ## e.g: - ## extraHosts: - ## - name: keycloak.local - ## path: / - ## - extraHosts: [] - ## @param ingress.extraPaths Any additional arbitrary paths that may need to be added to the ingress under the main host. - ## For example: The ALB ingress controller requires a special rule for handling SSL redirection. - ## extraPaths: - ## - path: /* - ## backend: - ## serviceName: ssl-redirect - ## servicePort: use-annotation - ## - extraPaths: [] - ## @param ingress.extraTls The tls configuration for additional hostnames to be covered with this ingress record. - ## see: https://kubernetes.io/docs/concepts/services-networking/ingress/#tls - ## extraTls: - ## - hosts: - ## - keycloak.local - ## secretName: keycloak.local-tls - ## - extraTls: [] - ## @param ingress.secrets If you're providing your own certificates, please use this to add the certificates as secrets - ## key and certificate should start with -----BEGIN CERTIFICATE----- or - ## -----BEGIN RSA PRIVATE KEY----- - ## - ## name should line up with a tlsSecret set further up - ## If you're using cert-manager, this is unneeded, as it will create the secret for you if it is not set - ## - ## It is also possible to create and manage the certificates outside of this helm chart - ## Please see README.md for more information - ## e.g: - ## - name: keycloak.local-tls - ## key: - ## certificate: - ## - secrets: [] - ## @param ingress.extraRules Additional rules to be covered with this ingress record - ## ref: https://kubernetes.io/docs/concepts/services-networking/ingress/#ingress-rules - ## e.g: - ## extraRules: - ## - host: keycloak.local - ## http: - ## path: / - ## backend: - ## service: - ## name: keycloak - ## port: - ## name: http - ## - extraRules: [] -## Keycloak admin ingress parameters -## ref: https://kubernetes.io/docs/user-guide/ingress/ -## -adminIngress: - ## @param adminIngress.enabled Enable admin ingress record generation for Keycloak - ## - enabled: false - ## @param adminIngress.ingressClassName IngressClass that will be be used to implement the Ingress (Kubernetes 1.18+) - ## This is supported in Kubernetes 1.18+ and required if you have more than one IngressClass marked as the default for your cluster . - ## ref: https://kubernetes.io/blog/2020/04/02/improvements-to-the-ingress-api-in-kubernetes-1.18/ - ## - ingressClassName: "" - ## @param adminIngress.pathType Ingress path type - ## - pathType: ImplementationSpecific - ## @param adminIngress.apiVersion Force Ingress API version (automatically detected if not set) - ## - apiVersion: "" - ## @param adminIngress.controller The ingress controller type. Currently supports `default` and `gce` - ## leave as `default` for most ingress controllers. - ## set to `gce` if using the GCE ingress controller - ## - controller: default - ## @param adminIngress.hostname Default host for the admin ingress record (evaluated as template) - ## - hostname: keycloak.local - ## @param adminIngress.path [string] Default path for the admin ingress record (evaluated as template) - ## - path: "{{ .Values.httpRelativePath }}" - ## @param adminIngress.servicePort Backend service port to use - ## Default is http. Alternative is https. - ## - servicePort: http - ## @param adminIngress.annotations [object] Additional annotations for the Ingress resource. To enable certificate autogeneration, place here your cert-manager annotations. - ## Use this parameter to set the required annotations for cert-manager, see - ## ref: https://cert-manager.io/docs/usage/ingress/#supported-annotations - ## e.g: - ## annotations: - ## kubernetes.io/ingress.class: nginx - ## cert-manager.io/cluster-issuer: cluster-issuer-name - ## - annotations: {} - ## @param adminIngress.labels Additional labels for the Ingress resource. - ## e.g: - ## labels: - ## app: keycloak - ## - labels: {} - ## @param adminIngress.tls Enable TLS configuration for the host defined at `adminIngress.hostname` parameter - ## TLS certificates will be retrieved from a TLS secret with name: `{{- printf "%s-tls" (tpl .Values.adminIngress.hostname .) }}` - ## You can: - ## - Use the `adminIngress.secrets` parameter to create this TLS secret - ## - Rely on cert-manager to create it by setting the corresponding annotations - ## - Rely on Helm to create self-signed certificates by setting `adminIngress.selfSigned=true` - ## - tls: false - ## @param adminIngress.selfSigned Create a TLS secret for this ingress record using self-signed certificates generated by Helm - ## - selfSigned: false - ## @param adminIngress.extraHosts An array with additional hostname(s) to be covered with the admin ingress record - ## e.g: - ## extraHosts: - ## - name: keycloak.local - ## path: / - ## - extraHosts: [] - ## @param adminIngress.extraPaths Any additional arbitrary paths that may need to be added to the admin ingress under the main host. - ## For example: The ALB ingress controller requires a special rule for handling SSL redirection. - ## extraPaths: - ## - path: /* - ## backend: - ## serviceName: ssl-redirect - ## servicePort: use-annotation - ## - extraPaths: [] - ## @param adminIngress.extraTls The tls configuration for additional hostnames to be covered with this ingress record. - ## see: https://kubernetes.io/docs/concepts/services-networking/ingress/#tls - ## extraTls: - ## - hosts: - ## - keycloak.local - ## secretName: keycloak.local-tls - ## - extraTls: [] - ## @param adminIngress.secrets If you're providing your own certificates, please use this to add the certificates as secrets - ## key and certificate should start with -----BEGIN CERTIFICATE----- or - ## -----BEGIN RSA PRIVATE KEY----- - ## - ## name should line up with a tlsSecret set further up - ## If you're using cert-manager, this is unneeded, as it will create the secret for you if it is not set - ## - ## It is also possible to create and manage the certificates outside of this helm chart - ## Please see README.md for more information - ## e.g: - ## - name: keycloak.local-tls - ## key: - ## certificate: - ## - secrets: [] - ## @param adminIngress.extraRules Additional rules to be covered with this ingress record - ## ref: https://kubernetes.io/docs/concepts/services-networking/ingress/#ingress-rules - ## e.g: - ## extraRules: - ## - host: keycloak.local - ## http: - ## path: / - ## backend: - ## service: - ## name: keycloak - ## port: - ## name: http - ## - extraRules: [] -## Network Policy configuration -## ref: https://kubernetes.io/docs/concepts/services-networking/network-policies/ -## -networkPolicy: - ## @param networkPolicy.enabled Specifies whether a NetworkPolicy should be created - ## - enabled: true - ## @param networkPolicy.allowExternal Don't require server label for connections - ## The Policy model to apply. When set to false, only pods with the correct - ## server label will have network access to the ports server is listening - ## on. When true, server will accept connections from any source - ## (with the correct destination port). - ## - allowExternal: true - ## @param networkPolicy.allowExternalEgress Allow the pod to access any range of port and all destinations. - ## - allowExternalEgress: true - ## @param networkPolicy.kubeAPIServerPorts [array] List of possible endpoints to kube-apiserver (limit to your cluster settings to increase security) - ## - kubeAPIServerPorts: [443, 6443, 8443] - ## @param networkPolicy.extraIngress [array] Add extra ingress rules to the NetworkPolicy - ## e.g: - ## extraIngress: - ## - ports: - ## - port: 1234 - ## from: - ## - podSelector: - ## - matchLabels: - ## - role: frontend - ## - podSelector: - ## - matchExpressions: - ## - key: role - ## operator: In - ## values: - ## - frontend - extraIngress: [] - ## @param networkPolicy.extraEgress [array] Add extra ingress rules to the NetworkPolicy - ## e.g: - ## extraEgress: - ## - ports: - ## - port: 1234 - ## to: - ## - podSelector: - ## - matchLabels: - ## - role: frontend - ## - podSelector: - ## - matchExpressions: - ## - key: role - ## operator: In - ## values: - ## - frontend - ## - extraEgress: [] - ## @param networkPolicy.ingressNSMatchLabels [object] Labels to match to allow traffic from other namespaces - ## @param networkPolicy.ingressNSPodMatchLabels [object] Pod labels to match to allow traffic from other namespaces - ## - ingressNSMatchLabels: {} - ingressNSPodMatchLabels: {} -## @section RBAC parameter -## Specifies whether a ServiceAccount should be created -## -serviceAccount: - ## @param serviceAccount.create Enable the creation of a ServiceAccount for Keycloak pods - ## - create: true - ## @param serviceAccount.name Name of the created ServiceAccount - ## If not set and create is true, a name is generated using the fullname template - ## - name: "" - ## @param serviceAccount.automountServiceAccountToken Auto-mount the service account token in the pod - ## - automountServiceAccountToken: false - ## @param serviceAccount.annotations Additional custom annotations for the ServiceAccount - ## - annotations: {} - ## @param serviceAccount.extraLabels Additional labels for the ServiceAccount - ## - extraLabels: {} -## Specifies whether RBAC resources should be created -## -rbac: - ## @param rbac.create Whether to create and use RBAC resources or not - ## - create: false - ## @param rbac.rules Custom RBAC rules - ## Example: - ## rules: - ## - apiGroups: - ## - "" - ## resources: - ## - pods - ## verbs: - ## - get - ## - list - ## - rules: [] -## @section Other parameters -## - -## Keycloak Pod Disruption Budget configuration -## ref: https://kubernetes.io/docs/tasks/run-application/configure-pdb/ -## -pdb: - ## @param pdb.create Enable/disable a Pod Disruption Budget creation - ## - create: true - ## @param pdb.minAvailable Minimum number/percentage of pods that should remain scheduled - ## - minAvailable: "" - ## @param pdb.maxUnavailable Maximum number/percentage of pods that may be made unavailable - ## - maxUnavailable: "" -## Keycloak Autoscaling configuration -## ref: https://kubernetes.io/docs/tasks/run-application/horizontal-pod-autoscale/ -## @param autoscaling.enabled Enable autoscaling for Keycloak -## @param autoscaling.minReplicas Minimum number of Keycloak replicas -## @param autoscaling.maxReplicas Maximum number of Keycloak replicas -## @param autoscaling.targetCPU Target CPU utilization percentage -## @param autoscaling.targetMemory Target Memory utilization percentage -## -autoscaling: - enabled: false - minReplicas: 1 - maxReplicas: 11 - targetCPU: "" - targetMemory: "" - ## HPA Scaling Behavior - ## ref: https://kubernetes.io/docs/tasks/run-application/horizontal-pod-autoscale/#configurable-scaling-behavior - ## - behavior: - ## HPA behavior when scaling up - ## @param autoscaling.behavior.scaleUp.stabilizationWindowSeconds The number of seconds for which past recommendations should be considered while scaling up - ## @param autoscaling.behavior.scaleUp.selectPolicy The priority of policies that the autoscaler will apply when scaling up - ## @param autoscaling.behavior.scaleUp.policies [array] HPA scaling policies when scaling up - ## e.g: - ## Policy to scale 20% of the pod in 60s - ## - type: Percent - ## value: 20 - ## periodSeconds: 60 - ## - scaleUp: - stabilizationWindowSeconds: 120 - selectPolicy: Max - policies: [] - ## HPA behavior when scaling down - ## @param autoscaling.behavior.scaleDown.stabilizationWindowSeconds The number of seconds for which past recommendations should be considered while scaling down - ## @param autoscaling.behavior.scaleDown.selectPolicy The priority of policies that the autoscaler will apply when scaling down - ## @param autoscaling.behavior.scaleDown.policies [array] HPA scaling policies when scaling down - ## e.g: - ## Policy to scale one pod in 300s - ## - type: Pods - ## value: 1 - ## periodSeconds: 300 - ## - scaleDown: - stabilizationWindowSeconds: 300 - selectPolicy: Max - policies: - - type: Pods - value: 1 - periodSeconds: 300 -## @section Metrics parameters -## - -## Metrics configuration -## -metrics: - ## @param metrics.enabled Enable exposing Keycloak statistics - ## ref: https://github.com/bitnami/containers/tree/main/bitnami/keycloak#enabling-statistics - ## - enabled: false - ## Keycloak metrics service parameters - ## - service: - ports: - ## @param metrics.service.ports.http Metrics service HTTP port - ## - http: 8080 - ## @param metrics.service.ports.https Metrics service HTTPS port - ## - https: 8443 - ## @param metrics.service.ports.metrics Metrics service Metrics port - ## - metrics: 9000 - ## @param metrics.service.annotations [object] Annotations for enabling prometheus to access the metrics endpoints - ## - annotations: - prometheus.io/scrape: "true" - prometheus.io/port: "{{ .Values.metrics.service.ports.metrics }}" - ## @param metrics.service.extraPorts [array] Add additional ports to the keycloak metrics service (i.e. admin port 9000) - ## - extraPorts: [] - ## Prometheus Operator ServiceMonitor configuration - ## - serviceMonitor: - ## @param metrics.serviceMonitor.enabled Create ServiceMonitor Resource for scraping metrics using PrometheusOperator - ## - enabled: false - ## @param metrics.serviceMonitor.port Metrics service HTTP port - ## - port: metrics - ## @param metrics.serviceMonitor.scheme Metrics service scheme - ## - scheme: http - ## @param metrics.serviceMonitor.tlsConfig Metrics service TLS configuration - ## - tlsConfig: {} - ## @param metrics.serviceMonitor.endpoints [array] The endpoint configuration of the ServiceMonitor. Path is mandatory. Port, scheme, tlsConfig, interval, timeout and labellings can be overwritten. - ## - endpoints: - - path: '{{ include "keycloak.httpPath" . }}metrics' - - path: '{{ include "keycloak.httpPath" . }}realms/{{ .Values.adminRealm }}/metrics' - port: http - ## @param metrics.serviceMonitor.path Metrics service HTTP path. Deprecated: Use @param metrics.serviceMonitor.endpoints instead - ## - path: "" - ## @param metrics.serviceMonitor.namespace Namespace which Prometheus is running in - ## - namespace: "" - ## @param metrics.serviceMonitor.interval Interval at which metrics should be scraped - ## - interval: 30s - ## @param metrics.serviceMonitor.scrapeTimeout Specify the timeout after which the scrape is ended - ## e.g: - ## scrapeTimeout: 30s - ## - scrapeTimeout: "" - ## @param metrics.serviceMonitor.labels Additional labels that can be used so ServiceMonitor will be discovered by Prometheus - ## - labels: {} - ## @param metrics.serviceMonitor.selector Prometheus instance selector labels - ## ref: https://github.com/bitnami/charts/tree/main/bitnami/prometheus-operator#prometheus-configuration - ## - selector: {} - ## @param metrics.serviceMonitor.relabelings RelabelConfigs to apply to samples before scraping - ## - relabelings: [] - ## @param metrics.serviceMonitor.metricRelabelings MetricRelabelConfigs to apply to samples before ingestion - ## - metricRelabelings: [] - ## @param metrics.serviceMonitor.honorLabels honorLabels chooses the metric's labels on collisions with target labels - ## - honorLabels: false - ## @param metrics.serviceMonitor.jobLabel The name of the label on the target service to use as the job name in prometheus. - ## - jobLabel: "" - ## Prometheus Operator alert rules configuration - ## - prometheusRule: - ## @param metrics.prometheusRule.enabled Create PrometheusRule Resource for scraping metrics using PrometheusOperator - ## - enabled: false - ## @param metrics.prometheusRule.namespace Namespace which Prometheus is running in - ## - namespace: "" - ## @param metrics.prometheusRule.labels Additional labels that can be used so PrometheusRule will be discovered by Prometheus - ## - labels: {} - ## @param metrics.prometheusRule.groups Groups, containing the alert rules. - ## Example: - ## groups: - ## - name: Keycloak - ## rules: - ## - alert: KeycloakInstanceNotAvailable - ## annotations: - ## message: "Keycloak instance in namespace {{ `{{` }} $labels.namespace {{ `}}` }} has not been available for the last 5 minutes." - ## expr: | - ## absent(kube_pod_status_ready{namespace="{{ include "common.names.namespace" . }}", condition="true"} * on (pod) kube_pod_labels{pod=~"{{ include "common.names.fullname" . }}-\\d+", namespace="{{ include "common.names.namespace" . }}"}) != 0 - ## for: 5m - ## labels: - ## severity: critical - groups: [] -## @section keycloak-config-cli parameters - -## Configuration for keycloak-config-cli -## ref: https://github.com/adorsys/keycloak-config-cli -## -keycloakConfigCli: - ## @param keycloakConfigCli.enabled Whether to enable keycloak-config-cli job - ## - enabled: false - ## Bitnami keycloak-config-cli image - ## ref: https://hub.docker.com/r/bitnami/keycloak-config-cli/tags/ - ## @param keycloakConfigCli.image.registry [default: REGISTRY_NAME] keycloak-config-cli container image registry - ## @param keycloakConfigCli.image.repository [default: REPOSITORY_NAME/keycloak-config-cli] keycloak-config-cli container image repository - ## @skip keycloakConfigCli.image.tag keycloak-config-cli container image tag - ## @param keycloakConfigCli.image.digest keycloak-config-cli container image digest in the way sha256:aa.... Please note this parameter, if set, will override the tag - ## @param keycloakConfigCli.image.pullPolicy keycloak-config-cli container image pull policy - ## @param keycloakConfigCli.image.pullSecrets keycloak-config-cli container image pull secrets - ## - image: - registry: docker.io - repository: bitnami/keycloak-config-cli - tag: 6.1.6-debian-12-r6 - digest: "" - ## Specify a imagePullPolicy - ## ref: https://kubernetes.io/docs/concepts/containers/images/#pre-pulled-images - ## - pullPolicy: IfNotPresent - ## Optionally specify an array of imagePullSecrets. - ## Secrets must be manually created in the namespace. - ## ref: https://kubernetes.io/docs/tasks/configure-pod-container/pull-image-private-registry/ - ## e.g: - ## pullSecrets: - ## - myRegistryKeySecretName - ## - pullSecrets: [] - ## @param keycloakConfigCli.annotations [object] Annotations for keycloak-config-cli job - ## ref: https://kubernetes.io/docs/concepts/overview/working-with-objects/annotations/ - ## - annotations: - helm.sh/hook: "post-install,post-upgrade,post-rollback" - helm.sh/hook-delete-policy: "hook-succeeded,before-hook-creation" - helm.sh/hook-weight: "5" - ## @param keycloakConfigCli.command Command for running the container (set to default if not set). Use array form - ## - command: [] - ## @param keycloakConfigCli.args Args for running the container (set to default if not set). Use array form - ## - args: [] - ## @param keycloakConfigCli.automountServiceAccountToken Mount Service Account token in pod - ## - automountServiceAccountToken: true - ## @param keycloakConfigCli.hostAliases Job pod host aliases - ## https://kubernetes.io/docs/concepts/services-networking/add-entries-to-pod-etc-hosts-with-host-aliases/ - ## - hostAliases: [] - ## Keycloak config CLI resource requests and limits - ## ref: https://kubernetes.io/docs/concepts/configuration/manage-compute-resources-container/ - ## @param keycloakConfigCli.resourcesPreset Set container resources according to one common preset (allowed values: none, nano, micro, small, medium, large, xlarge, 2xlarge). This is ignored if keycloakConfigCli.resources is set (keycloakConfigCli.resources is recommended for production). - ## More information: https://github.com/bitnami/charts/blob/main/bitnami/common/templates/_resources.tpl#L15 - ## - resourcesPreset: "small" - ## @param keycloakConfigCli.resources Set container requests and limits for different resources like CPU or memory (essential for production workloads) - ## Example: - ## resources: - ## requests: - ## cpu: 2 - ## memory: 512Mi - ## limits: - ## cpu: 3 - ## memory: 1024Mi - ## - resources: {} - ## keycloak-config-cli containers' Security Context - ## ref: https://kubernetes.io/docs/tasks/configure-pod-container/security-context/#set-the-security-context-for-a-container - ## @param keycloakConfigCli.containerSecurityContext.enabled Enabled keycloak-config-cli Security Context - ## @param keycloakConfigCli.containerSecurityContext.seLinuxOptions [object,nullable] Set SELinux options in container - ## @param keycloakConfigCli.containerSecurityContext.runAsUser Set keycloak-config-cli Security Context runAsUser - ## @param keycloakConfigCli.containerSecurityContext.runAsGroup Set keycloak-config-cli Security Context runAsGroup - ## @param keycloakConfigCli.containerSecurityContext.runAsNonRoot Set keycloak-config-cli Security Context runAsNonRoot - ## @param keycloakConfigCli.containerSecurityContext.privileged Set keycloak-config-cli Security Context privileged - ## @param keycloakConfigCli.containerSecurityContext.readOnlyRootFilesystem Set keycloak-config-cli Security Context readOnlyRootFilesystem - ## @param keycloakConfigCli.containerSecurityContext.allowPrivilegeEscalation Set keycloak-config-cli Security Context allowPrivilegeEscalation - ## @param keycloakConfigCli.containerSecurityContext.capabilities.drop List of capabilities to be dropped - ## @param keycloakConfigCli.containerSecurityContext.seccompProfile.type Set keycloak-config-cli Security Context seccomp profile - ## - containerSecurityContext: - enabled: true - seLinuxOptions: {} - runAsUser: 1001 - runAsGroup: 1001 - runAsNonRoot: true - privileged: false - readOnlyRootFilesystem: true - allowPrivilegeEscalation: false - capabilities: - drop: ["ALL"] - seccompProfile: - type: "RuntimeDefault" - ## keycloak-config-cli pods' Security Context - ## ref: https://kubernetes.io/docs/tasks/configure-pod-container/security-context/#set-the-security-context-for-a-pod - ## @param keycloakConfigCli.podSecurityContext.enabled Enabled keycloak-config-cli pods' Security Context - ## @param keycloakConfigCli.podSecurityContext.fsGroupChangePolicy Set filesystem group change policy - ## @param keycloakConfigCli.podSecurityContext.sysctls Set kernel settings using the sysctl interface - ## @param keycloakConfigCli.podSecurityContext.supplementalGroups Set filesystem extra groups - ## @param keycloakConfigCli.podSecurityContext.fsGroup Set keycloak-config-cli pod's Security Context fsGroup - ## - podSecurityContext: - enabled: true - fsGroupChangePolicy: Always - sysctls: [] - supplementalGroups: [] - fsGroup: 1001 - ## @param keycloakConfigCli.backoffLimit Number of retries before considering a Job as failed - ## ref: https://kubernetes.io/docs/concepts/workloads/controllers/job/#pod-backoff-failure-policy - ## - backoffLimit: 1 - ## @param keycloakConfigCli.podLabels Pod extra labels - ## ref: https://kubernetes.io/docs/concepts/overview/working-with-objects/labels/ - ## - podLabels: {} - ## @param keycloakConfigCli.podAnnotations Annotations for job pod - ## ref: https://kubernetes.io/docs/concepts/overview/working-with-objects/annotations/ - ## - podAnnotations: {} - ## @param keycloakConfigCli.extraEnvVars Additional environment variables to set - ## Example: - ## extraEnvVars: - ## - name: FOO - ## value: "bar" - ## - ## @param keycloakConfigCli.nodeSelector Node labels for pod assignment - ## ref: https://kubernetes.io/docs/concepts/scheduling-eviction/assign-pod-node/ - ## - nodeSelector: {} - ## - ## @param keycloakConfigCli.podTolerations Tolerations for job pod assignment - ## ref: https://kubernetes.io/docs/concepts/configuration/taint-and-toleration/ - ## - podTolerations: [] - extraEnvVars: [] - ## @param keycloakConfigCli.extraEnvVarsCM ConfigMap with extra environment variables - ## - extraEnvVarsCM: "" - ## @param keycloakConfigCli.extraEnvVarsSecret Secret with extra environment variables - ## - extraEnvVarsSecret: "" - ## @param keycloakConfigCli.extraVolumes Extra volumes to add to the job - ## - extraVolumes: [] - ## @param keycloakConfigCli.extraVolumeMounts Extra volume mounts to add to the container - ## - extraVolumeMounts: [] - ## @param keycloakConfigCli.initContainers Add additional init containers to the Keycloak config cli pod - ## Example: - ## initContainers: - ## - name: your-image-name - ## image: your-image - ## imagePullPolicy: Always - ## ports: - ## - name: portname - ## containerPort: 1234 - ## - initContainers: [] - ## @param keycloakConfigCli.sidecars Add additional sidecar containers to the Keycloak config cli pod - ## Example: - ## sidecars: - ## - name: your-image-name - ## image: your-image - ## imagePullPolicy: Always - ## ports: - ## - name: portname - ## containerPort: 1234 - ## - sidecars: [] - ## @param keycloakConfigCli.configuration keycloak-config-cli realms configuration - ## NOTE: nil keys will be considered files to import locally - ## Example: - ## configuration: - ## realm1.json: | - ## { - ## "realm": "realm1", - ## "clients": [] - ## } - ## realm2.yaml: | - ## realm: realm2 - ## clients: [] - ## - configuration: {} - ## @param keycloakConfigCli.existingConfigmap ConfigMap with keycloak-config-cli configuration - ## NOTE: This will override keycloakConfigCli.configuration - ## - existingConfigmap: "" - ## Automatic Cleanup for Finished Jobs - ## @param keycloakConfigCli.cleanupAfterFinished.enabled Enables Cleanup for Finished Jobs - ## @param keycloakConfigCli.cleanupAfterFinished.seconds Sets the value of ttlSecondsAfterFinished - ## ref: https://kubernetes.io/docs/concepts/workloads/controllers/ttlafterfinished/ - ## - cleanupAfterFinished: - enabled: false - seconds: 600 -## @section Database parameters - -## PostgreSQL chart configuration -## ref: https://github.com/bitnami/charts/blob/main/bitnami/postgresql/values.yaml -## @param postgresql.enabled Switch to enable or disable the PostgreSQL helm chart -## @param postgresql.auth.postgresPassword Password for the "postgres" admin user. Ignored if `auth.existingSecret` with key `postgres-password` is provided -## @param postgresql.auth.username Name for a custom user to create -## @param postgresql.auth.password Password for the custom user to create -## @param postgresql.auth.database Name for a custom database to create -## @param postgresql.auth.existingSecret Name of existing secret to use for PostgreSQL credentials -## @param postgresql.auth.secretKeys.userPasswordKey Name of key in existing secret to use for PostgreSQL credentials. Only used when `auth.existingSecret` is set. -## @param postgresql.architecture PostgreSQL architecture (`standalone` or `replication`) -## -postgresql: - enabled: true - auth: - postgresPassword: "" - username: bn_keycloak - password: "" - database: bitnami_keycloak - existingSecret: "" - secretKeys: - userPasswordKey: password - architecture: standalone -## External PostgreSQL configuration -## All of these values are only used when postgresql.enabled is set to false -## @param externalDatabase.host Database host -## @param externalDatabase.port Database port number -## @param externalDatabase.user Non-root username for Keycloak -## @param externalDatabase.password Password for the non-root username for Keycloak -## @param externalDatabase.database Keycloak database name -## @param externalDatabase.existingSecret Name of an existing secret resource containing the database credentials -## @param externalDatabase.existingSecretHostKey Name of an existing secret key containing the database host name -## @param externalDatabase.existingSecretPortKey Name of an existing secret key containing the database port -## @param externalDatabase.existingSecretUserKey Name of an existing secret key containing the database user -## @param externalDatabase.existingSecretDatabaseKey Name of an existing secret key containing the database name -## @param externalDatabase.existingSecretPasswordKey Name of an existing secret key containing the database credentials -## @param externalDatabase.annotations Additional custom annotations for external database secret object -## -externalDatabase: - host: "" - port: 5432 - user: bn_keycloak - database: bitnami_keycloak - password: "" - existingSecret: "" - existingSecretHostKey: "" - existingSecretPortKey: "" - existingSecretUserKey: "" - existingSecretDatabaseKey: "" - existingSecretPasswordKey: "" - annotations: {} -## @section Keycloak Cache parameters - -## Keycloak cache configuration -## ref: https://www.keycloak.org/server/caching -## @param cache.enabled Switch to enable or disable the keycloak distributed cache for kubernetes. -## NOTE: Set to false to use 'local' cache (only supported when replicaCount=1). -## @param cache.stackName Set infinispan cache stack to use -## @param cache.stackFile Set infinispan cache stack filename to use -## -cache: - enabled: true - stackName: kubernetes - stackFile: "" -## @section Keycloak Logging parameters - -## Keycloak logging configuration -## ref: https://www.keycloak.org/server/logging -## @param logging.output Alternates between the default log output format or json format -## @param logging.level Allowed values as documented: FATAL, ERROR, WARN, INFO, DEBUG, TRACE, ALL, OFF -## -logging: - output: default - level: INFO diff --git a/charts/keycloak/values-overrides.yaml b/charts/keycloak/values-overrides.yaml deleted file mode 100644 index c80e06c..0000000 --- a/charts/keycloak/values-overrides.yaml +++ /dev/null @@ -1,50 +0,0 @@ -fullnameOverride: keycloak -namespaceOverride: futureporn - -postgresql: - enabled: false - -externalDatabase: - host: postgresql-primary.futureporn.svc.cluster.local - user: postgres - existingSecret: postgresql - port: 5432 - database: keycloak - - -logging: - level: INFO # INFO is default - -service: - type: LoadBalancer - http: - enabled: true - ports: - http: 8080 - annotations: - external-dns.alpha.kubernetes.io/hostname: keycloak.fp.sbtp.xyz - -global: - defaultStorageClass: standard - -proxy: edge - - # curl -o /emptydir/app-providers-dir/patreon-provider.jar -Ls https://github.com/insanity54/keycloak-patreon-provider/releases/download/$tag/keycloak-patreon-provider-$tag.jar - #curl -H "X-Pinggy-No-Screen: 1" -o /emptydir/app-providers-dir/patreon-provider.jar -Ls http://a.free.pinggy.link/keycloak-patreon-provider-$tag.jar -initContainers: - - name: keycloak-patreon-provider-installer - image: alpine/curl:latest - imagePullPolicy: IfNotPresent - command: - - sh - - -c - - | - set -e - tag=1.3.0-SNAPSHOT - echo "Downloading $tag" - curl --max-time 60 -o /emptydir/app-providers-dir/patreon-provider.jar -Ls https://github.com/insanity54/keycloak-patreon-provider/releases/download/$tag/keycloak-patreon-provider-$tag.jar - chown 1001:1001 /emptydir/app-providers-dir/patreon-provider.jar - echo "Download completed with exit code $?" - volumeMounts: - - name: empty-dir - mountPath: /emptydir diff --git a/config/deploy.yml b/config/deploy.yml new file mode 100644 index 0000000..dab1ca1 --- /dev/null +++ b/config/deploy.yml @@ -0,0 +1,108 @@ + + +# Name of your application. Used to uniquely configure containers. +service: futureporn + +# Name of the container image. +image: futureporn/bright + +# Deploy to these servers. +servers: + web: + - 194.163.140.228 + # job: + # hosts: + # - 192.168.0.1 + # cmd: bin/jobs + +# Enable SSL auto certification via Let's Encrypt and allow for multiple apps on a single web server. +# Remove this section when using multiple web servers and ensure you terminate SSL at your load balancer. +# +# Note: If using Cloudflare, set encryption mode in SSL/TLS setting to "Full" to enable CF-to-app encryption. +proxy: + ssl: true + host: app.example.com + # Proxy connects to your container on port 80 by default. + # app_port: 3000 + +# Credentials for your image host. +registry: + # Specify the registry server, if you're not using Docker Hub + # server: registry.digitalocean.com / ghcr.io / ... + server: gitea.futureporn.net + username: cj_clippy + + # Always use an access token rather than real password (pulled from .kamal/secrets). + password: + - KAMAL_REGISTRY_PASSWORD + +# Configure builder setup. +builder: + arch: amd64 + context: ../ + dockerfile: ./dockerfiles/bright.dockerfile + # Pass in additional build args needed for your Dockerfile. + # args: + # RUBY_VERSION: <%= File.read('.ruby-version').strip %> + + + +# Inject ENV variables into containers (secrets come from .kamal/secrets). +# +# env: +# clear: +# DB_HOST: 192.168.0.2 +# secret: +# - RAILS_MASTER_KEY + +# Aliases are triggered with "bin/kamal ". You can overwrite arguments on invocation: +# "bin/kamal logs -r job" will tail logs from the first server in the job section. +# +# aliases: +# shell: app exec --interactive --reuse "bash" + +# Use a different ssh user than root +# +# ssh: +# user: app + +# Use a persistent storage volume. +# +# volumes: +# - "app_storage:/app/storage" + +# Bridge fingerprinted assets, like JS and CSS, between versions to avoid +# hitting 404 on in-flight requests. Combines all files from new and old +# version inside the asset_path. +# +# asset_path: /app/public/assets + +# Configure rolling deploys by setting a wait time between batches of restarts. +# +# boot: +# limit: 10 # Can also specify as a percentage of total hosts, such as "25%" +# wait: 2 + +# Use accessory services (secrets come from .kamal/secrets). +# +# accessories: +# db: +# image: mysql:8.0 +# host: 192.168.0.2 +# port: 3306 +# env: +# clear: +# MYSQL_ROOT_HOST: '%' +# secret: +# - MYSQL_ROOT_PASSWORD +# files: +# - config/mysql/production.cnf:/etc/mysql/my.cnf +# - db/production.sql:/docker-entrypoint-initdb.d/setup.sql +# directories: +# - data:/var/lib/mysql +# redis: +# image: valkey/valkey:8 +# host: 192.168.0.2 +# port: 6379 +# directories: +# - data:/data diff --git a/contrib/superstreamer b/contrib/superstreamer new file mode 160000 index 0000000..9e868ac --- /dev/null +++ b/contrib/superstreamer @@ -0,0 +1 @@ +Subproject commit 9e868acede851f396b3db98fb9799ab4bf712b02 diff --git a/devbox.json b/devbox.json index 64e3454..400c5a8 100644 --- a/devbox.json +++ b/devbox.json @@ -13,7 +13,9 @@ "python310@latest", "python310Packages.pip@latest", "vips@latest", - "kubefwd@latest" + "hcloud@latest", + "ruby@latest", + "doppler@latest" ], "env": { "DEVBOX_COREPACK_ENABLED": "true", diff --git a/devbox.lock b/devbox.lock index 174b2ce..cc30d9e 100644 --- a/devbox.lock +++ b/devbox.lock @@ -97,6 +97,54 @@ } } }, + "doppler@latest": { + "last_modified": "2024-12-23T21:10:33Z", + "resolved": "github:NixOS/nixpkgs/de1864217bfa9b5845f465e771e0ecb48b30e02d#doppler", + "source": "devbox-search", + "version": "3.71.0", + "systems": { + "aarch64-darwin": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/6820wwrx8r525zq48bpv295wssiad4s1-doppler-3.71.0", + "default": true + } + ], + "store_path": "/nix/store/6820wwrx8r525zq48bpv295wssiad4s1-doppler-3.71.0" + }, + "aarch64-linux": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/lz24rlrrazcwfhz2kn5dszjwdcasvivw-doppler-3.71.0", + "default": true + } + ], + "store_path": "/nix/store/lz24rlrrazcwfhz2kn5dszjwdcasvivw-doppler-3.71.0" + }, + "x86_64-darwin": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/k908q0cadca9p70jrfr2lcrfclpr343n-doppler-3.71.0", + "default": true + } + ], + "store_path": "/nix/store/k908q0cadca9p70jrfr2lcrfclpr343n-doppler-3.71.0" + }, + "x86_64-linux": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/0vsjlajvmzg816sfphg5mswv4ply20ys-doppler-3.71.0", + "default": true + } + ], + "store_path": "/nix/store/0vsjlajvmzg816sfphg5mswv4ply20ys-doppler-3.71.0" + } + } + }, "ffmpeg@latest": { "last_modified": "2024-07-24T00:53:51Z", "resolved": "github:NixOS/nixpkgs/4f02464258baaf54992debfd010a7a3662a25536#ffmpeg", @@ -245,6 +293,54 @@ } } }, + "hcloud@latest": { + "last_modified": "2024-12-23T21:10:33Z", + "resolved": "github:NixOS/nixpkgs/de1864217bfa9b5845f465e771e0ecb48b30e02d#hcloud", + "source": "devbox-search", + "version": "1.49.0", + "systems": { + "aarch64-darwin": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/wf8q3kml6c2clgp9l3djnlcbmfph4vnn-hcloud-1.49.0", + "default": true + } + ], + "store_path": "/nix/store/wf8q3kml6c2clgp9l3djnlcbmfph4vnn-hcloud-1.49.0" + }, + "aarch64-linux": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/68crkxrn8nfrzsb5n2ri8w6v4bbg4w3m-hcloud-1.49.0", + "default": true + } + ], + "store_path": "/nix/store/68crkxrn8nfrzsb5n2ri8w6v4bbg4w3m-hcloud-1.49.0" + }, + "x86_64-darwin": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/pjbjhza0bfvz29arl2h6c94bgs7ldf7c-hcloud-1.49.0", + "default": true + } + ], + "store_path": "/nix/store/pjbjhza0bfvz29arl2h6c94bgs7ldf7c-hcloud-1.49.0" + }, + "x86_64-linux": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/5q2ws8lrgkrfpm9b8r2s0h5i7d7c4bnx-hcloud-1.49.0", + "default": true + } + ], + "store_path": "/nix/store/5q2ws8lrgkrfpm9b8r2s0h5i7d7c4bnx-hcloud-1.49.0" + } + } + }, "k9s@latest": { "last_modified": "2024-07-20T09:11:00Z", "resolved": "github:NixOS/nixpkgs/6e14bbce7bea6c4efd7adfa88a40dac750d80100#k9s", @@ -377,54 +473,6 @@ } } }, - "kubefwd@latest": { - "last_modified": "2024-10-13T23:44:06Z", - "resolved": "github:NixOS/nixpkgs/d4f247e89f6e10120f911e2e2d2254a050d0f732#kubefwd", - "source": "devbox-search", - "version": "1.22.5", - "systems": { - "aarch64-darwin": { - "outputs": [ - { - "name": "out", - "path": "/nix/store/sq746gibrmkw13dlnbn7ybfl5hpdj3gx-kubefwd-1.22.5", - "default": true - } - ], - "store_path": "/nix/store/sq746gibrmkw13dlnbn7ybfl5hpdj3gx-kubefwd-1.22.5" - }, - "aarch64-linux": { - "outputs": [ - { - "name": "out", - "path": "/nix/store/yydhb67m0n5pwhfkhmqw50x7bihhpss6-kubefwd-1.22.5", - "default": true - } - ], - "store_path": "/nix/store/yydhb67m0n5pwhfkhmqw50x7bihhpss6-kubefwd-1.22.5" - }, - "x86_64-darwin": { - "outputs": [ - { - "name": "out", - "path": "/nix/store/50xiwkb0lqn680m38w3jagrh4z696y92-kubefwd-1.22.5", - "default": true - } - ], - "store_path": "/nix/store/50xiwkb0lqn680m38w3jagrh4z696y92-kubefwd-1.22.5" - }, - "x86_64-linux": { - "outputs": [ - { - "name": "out", - "path": "/nix/store/hh52q0fm8437y32v3ssih45n770fysaf-kubefwd-1.22.5", - "default": true - } - ], - "store_path": "/nix/store/hh52q0fm8437y32v3ssih45n770fysaf-kubefwd-1.22.5" - } - } - }, "kubernetes-helm@latest": { "last_modified": "2024-07-20T09:11:00Z", "resolved": "github:NixOS/nixpkgs/6e14bbce7bea6c4efd7adfa88a40dac750d80100#kubernetes-helm", @@ -680,6 +728,71 @@ } } }, + "ruby@latest": { + "last_modified": "2024-12-27T03:08:00Z", + "plugin_version": "0.0.2", + "resolved": "github:NixOS/nixpkgs/7cc0bff31a3a705d3ac4fdceb030a17239412210#ruby_3_4", + "source": "devbox-search", + "version": "3.4.1", + "systems": { + "aarch64-darwin": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/qaxayv9z27mqdg3k0f8wn74yhv5vdw7d-ruby-3.4.1", + "default": true + }, + { + "name": "devdoc", + "path": "/nix/store/9g35v966nxpgkjax0vifgyd7aq85qp0j-ruby-3.4.1-devdoc" + } + ], + "store_path": "/nix/store/qaxayv9z27mqdg3k0f8wn74yhv5vdw7d-ruby-3.4.1" + }, + "aarch64-linux": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/8ylfvxsav4kkk858ving6hf281a1vqs5-ruby-3.4.1", + "default": true + }, + { + "name": "devdoc", + "path": "/nix/store/lzy6z85s93llj1kvmcdky8r1n7m9shxl-ruby-3.4.1-devdoc" + } + ], + "store_path": "/nix/store/8ylfvxsav4kkk858ving6hf281a1vqs5-ruby-3.4.1" + }, + "x86_64-darwin": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/y9v3710alwdz99blk4whgp0jif8j5zsg-ruby-3.4.1", + "default": true + }, + { + "name": "devdoc", + "path": "/nix/store/a9a0dxkd3ih6jyi0vj77n16hj9rj4y7s-ruby-3.4.1-devdoc" + } + ], + "store_path": "/nix/store/y9v3710alwdz99blk4whgp0jif8j5zsg-ruby-3.4.1" + }, + "x86_64-linux": { + "outputs": [ + { + "name": "out", + "path": "/nix/store/lmfq7mn710jknr40ik46yf759jras0s3-ruby-3.4.1", + "default": true + }, + { + "name": "devdoc", + "path": "/nix/store/4jx1cvll34y0kg2hp1p5w0im45ba7x53-ruby-3.4.1-devdoc" + } + ], + "store_path": "/nix/store/lmfq7mn710jknr40ik46yf759jras0s3-ruby-3.4.1" + } + } + }, "tilt@latest": { "last_modified": "2024-07-15T21:47:20Z", "resolved": "github:NixOS/nixpkgs/b2c1f10bfbb3f617ea8e8669ac13f3f56ceb2ea2#tilt", diff --git a/dockerfiles/artisan.dockerfile b/dockerfiles/artisan.dockerfile new file mode 100644 index 0000000..afbade9 --- /dev/null +++ b/dockerfiles/artisan.dockerfile @@ -0,0 +1,28 @@ +## Important! Build context is the ROOT of the project. +## this keeps the door open for future possibility of shared code between pnpm workspace packages + + +FROM oven/bun:1 AS base +RUN apt-get update && apt-get install -y \ + curl + +RUN mkdir -p /tmp/dev +WORKDIR /tmp/dev +COPY ./contrib/superstreamer . +RUN ls -la + +# Install ffmpeg, ffprobe +RUN bun run install-bin + + +FROM oven/bun:1 AS install +RUN bun install +RUN bun run test +RUN bun run build +USER bun +EXPOSE 7991/tcp +WORKDIR /tmp/dev/packages/artisan +RUN ls -la ./dist +ENTRYPOINT [ "bun", "run", "./dist/index.js" ] + + diff --git a/dockerfiles/bright.dockerfile b/dockerfiles/bright.dockerfile new file mode 100644 index 0000000..89f04b6 --- /dev/null +++ b/dockerfiles/bright.dockerfile @@ -0,0 +1,111 @@ +## 2024-12-26 -- file created using `mix phx.gen.release --docker` + + + + + +# Find eligible builder and runner images on Docker Hub. We use Ubuntu/Debian +# instead of Alpine to avoid DNS resolution issues in production. +# +# https://hub.docker.com/r/hexpm/elixir/tags?page=1&name=ubuntu +# https://hub.docker.com/_/ubuntu?tab=tags +# +# This file is based on these images: +# +# - https://hub.docker.com/r/hexpm/elixir/tags - for the build image +# - https://hub.docker.com/_/debian?tab=tags&page=1&name=bullseye-20241202-slim - for the release image +# - https://pkgs.org/ - resource for finding needed packages +# - Ex: hexpm/elixir:1.17.3-erlang-27.1.2-debian-bullseye-20241202-slim +# +ARG ELIXIR_VERSION=1.17.3 +ARG OTP_VERSION=27.1.2 +ARG DEBIAN_VERSION=bullseye-20241202-slim + +ARG BUILDER_IMAGE="hexpm/elixir:${ELIXIR_VERSION}-erlang-${OTP_VERSION}-debian-${DEBIAN_VERSION}" +ARG RUNNER_IMAGE="debian:${DEBIAN_VERSION}" + + + + + + + + + +FROM ${BUILDER_IMAGE} AS dev + +# install build dependencies +RUN apt-get update -y && apt-get install -y build-essential git inotify-tools \ + && apt-get clean && rm -f /var/lib/apt/lists/*_* + +# prepare build dir +WORKDIR /app + +# install hex + rebar +RUN mix local.hex --force && \ + mix local.rebar --force + +# set build ENV +ENV MIX_ENV="dev" + +# install mix dependencies +COPY ./services/bright/mix.exs ./services/bright/mix.lock ./ +RUN mix deps.get --only $MIX_ENV +RUN mkdir config + +# copy compile-time config files before we compile dependencies +# to ensure any relevant config change will trigger the dependencies +# to be re-compiled. +COPY ./services/bright/config/config.exs ./services/bright/config/${MIX_ENV}.exs config/ + +COPY ./services/bright/priv priv + +COPY ./services/bright/lib lib + +COPY ./services/bright/assets assets + +COPY ./services/bright/test test + +CMD ["mix", "phx.server"] + + + + + + + + + + +# # start a new build stage so that the final image will only contain +# # the compiled release and other runtime necessities +# FROM ${RUNNER_IMAGE} + +# RUN apt-get update -y && \ +# apt-get install -y libstdc++6 openssl libncurses5 locales ca-certificates \ +# && apt-get clean && rm -f /var/lib/apt/lists/*_* + +# # Set the locale +# RUN sed -i '/en_US.UTF-8/s/^# //g' /etc/locale.gen && locale-gen + +# ENV LANG en_US.UTF-8 +# ENV LANGUAGE en_US:en +# ENV LC_ALL en_US.UTF-8 + +# WORKDIR "/app" +# RUN chown nobody /app + +# # set runner ENV +# ENV MIX_ENV="prod" + +# # Only copy the final release from the build stage +# COPY --from=builder --chown=nobody:root /app/_build/${MIX_ENV}/rel/bright ./ + +# USER nobody + +# # If using an environment that doesn't automatically reap zombie processes, it is +# # advised to add an init process such as tini via `apt-get install` +# # above and adding an entrypoint. See https://github.com/krallin/tini for details +# # ENTRYPOINT ["/tini", "--"] + +# CMD ["/app/bin/server"] diff --git a/dockerfiles/htmx.dockerfile b/dockerfiles/htmx.dockerfile new file mode 100644 index 0000000..ab876c5 --- /dev/null +++ b/dockerfiles/htmx.dockerfile @@ -0,0 +1,41 @@ +## Important! Build context is the ROOT of the project. +## this keeps the door open for future possibility of shared code between pnpm workspace packages + +# use the official Bun image +# see all versions at https://hub.docker.com/r/oven/bun/tags +FROM oven/bun:1 AS base +WORKDIR /usr/src/app + +# install dependencies into temp directory +# this will cache them and speed up future builds +FROM base AS install +RUN mkdir -p /temp/dev +COPY ./services/htmx/package.json ./services/htmx/bun.lockb /temp/dev/ +RUN cd /temp/dev && bun install --frozen-lockfile + +# install with --production (exclude devDependencies) +RUN mkdir -p /temp/prod +COPY ./services/htmx/package.json ./services/htmx/bun.lockb /temp/prod/ +RUN cd /temp/prod && bun install --frozen-lockfile --production + +# copy node_modules from temp directory +# then copy all (non-ignored) project files into the image +FROM base AS prerelease +COPY --from=install /temp/dev/node_modules node_modules +COPY . . + +# [optional] tests & build +ENV NODE_ENV=production +RUN bun test +RUN bun run build + +# copy production dependencies and source code into final image +FROM base AS release +COPY --from=install /temp/prod/node_modules node_modules +COPY --from=prerelease /usr/src/app/index.ts . +COPY --from=prerelease /usr/src/app/package.json . + +# run the app +USER bun +EXPOSE 7991/tcp +ENTRYPOINT [ "bun", "run", "index.ts" ] \ No newline at end of file diff --git a/packages/do-nothing/README.md b/packages/do-nothing/README.md new file mode 100644 index 0000000..f2864dd --- /dev/null +++ b/packages/do-nothing/README.md @@ -0,0 +1,9 @@ +## do-nothing scripts + +### Motivation + +https://blog.danslimmon.com/2019/07/15/do-nothing-scripting-the-key-to-gradual-automation/ + +### Install ABS programming language + +bash <(curl https://www.abs-lang.org/installer.sh) \ No newline at end of file diff --git a/packages/do-nothing/publish.abs b/packages/do-nothing/publish.abs new file mode 100644 index 0000000..2159ea3 --- /dev/null +++ b/packages/do-nothing/publish.abs @@ -0,0 +1,43 @@ + +#! /usr/local/bin/abs + + +echo(" * Remux the .ts to .mp4 ") +echo(" [Press Enter When Complete...]") +_ = stdin() + + +echo(" * Temporarily serve the mp4 using `npx http-server ./serve` ") +echo(" [Press Enter When Complete...]") +_ = stdin() + + +echo(" * Generate a thumbnail ") +echo(" * Upload the .mp4 to Mux ") +echo(" * `IPFS add` the .mp4 ") +echo(" * Upload the .mp4 to Backblaze ") +echo(" [Press Enter When Complete...]") +_ = stdin() + + +echo(" * Create a B2 File (.mp4) in Strapi") +echo(" * Create a B2 File (thumbnail) in Strapi") +echo(" * Create a Mux asset in Strapi") +echo(" * Create a VOD in Strapi") +echo(" * Publish VOD") +echo(" [Press Enter When Complete...]") +_ = stdin() + + +echo(" * Notify Discord of new VOD") +echo(" [Press Enter When Complete...]") +_ = stdin() + + +echo(" * Backup the database") +echo(" [Press Enter When Complete...]") +_ = stdin() + + + + diff --git a/packages/types/src/index.ts b/packages/types/src/index.ts index db0c01c..d07db7a 100644 --- a/packages/types/src/index.ts +++ b/packages/types/src/index.ts @@ -297,28 +297,99 @@ export interface IPlatformNotificationResponse { } +export interface ITimestamp { + id: number; + time: number; +} + +export interface ITag { + id: number; + name: string; +} + +export interface IS3File { + id: number; + url: string; + key: string; + uploadId: string; + cdn_url: string; +} +export interface IS3FileResponse { + data: IS3File; + meta: IMeta; +} export interface IVod { id: number; - uuid: string; stream?: IStream; + published_at?: string; + uuid: string; + title?: string; + duration?: number; date: string; - date2: string; - mux_asset?: IMuxAsset; - vtuber?: IVtuber; - cuid?: string; - tag_vod_relations?: any; - video240Hash?: string; - videoSrcHash?: string; - timestamps?: any; - announce_title?: string; - announce_url?: string; - videoSrcB2?: any; - uploader: any; + date_2: string; + mux_asset: IMuxAsset; + thumbnail?: IS3File; + vtuber: IVtuber; + s3_file: IS3File; + tag_vod_relations: ITagVodRelation[]; + timestamps: ITimestamp[]; + ipfs_cid: string; + announce_title: string; + announce_url: string; + uploader: IUserResponse; note: string; } + +export interface IUser { + id: number; + username: string; + vanityLink?: string; + image: string; +} + +export interface IUserResponse { +data: IUser; +meta: IMeta; +} + + +export interface ITagVodRelation { + id: number; + tag: ITag | IToyTag + vod: IVod; + creator_id: number; + created_at: string; +} + + +export interface IToyTag extends ITag { + toy: IToy; +} + + +export interface IToy { + id: number; + tags: ITag[]; + linkTag: ITag[]; + make: string; + model: string; + aspectRatio: string; + image2: string; + +} + + +interface IToysListProps { + toys: IToy[]; + page: number; + pageSize: number; +} + + + export interface IStream { id: number; date: string; diff --git a/packages/utils/src/image.spec.ts b/packages/utils/src/image.spec.ts index 996ec4f..c5ec5f7 100644 --- a/packages/utils/src/image.spec.ts +++ b/packages/utils/src/image.spec.ts @@ -30,7 +30,7 @@ describe('image', function () { describe('getStoryboard', function () { this.timeout(1000*60*15) it('should accept a URL and return a path to image on disk', async function () { - const url = 'https://futureporn-b2.b-cdn.net/projektmelody-chaturbate-2024-12-10.mp4' + const url = 'http://38.242.193.246:8081/projektmelody-chaturbate-2025-01-09.mp4' const imagePath = await getStoryboard(url) expect(imagePath).to.match(/\.png/) }) diff --git a/scripts/k8s-secrets.sh b/scripts/k8s-secrets.sh index 4eadd70..ec2ad7a 100755 --- a/scripts/k8s-secrets.sh +++ b/scripts/k8s-secrets.sh @@ -42,35 +42,33 @@ EOF # --from-literal=b2Key=${UPPY_B2_KEY} \ # --from-literal=b2Secret=${UPPY_B2_SECRET}\ +kubectl --namespace futureporn delete secret superstreamer --ignore-not-found +kubectl --namespace futureporn create secret generic superstreamer \ +--from-literal=databaseUri=postgres://${POSTGRES_USER}:${POSTGRES_PASSWORD}@${POSTGRES_HOST}:${POSTGRES_PORT}/sprs \ +--from-literal=s3Endpoint=${S3_ENDPOINT} \ +--from-literal=s3Region=${S3_REGION} \ +--from-literal=s3AccessKey=${S3_ACCESS_KEY_ID} \ +--from-literal=s3SecretKey=${S3_SECRET_ACCESS_KEY} \ +--from-literal=s3Bucket=${S3_BUCKET_NAME} \ +--from-literal=publicS3Endpoint=${PUBLIC_S3_ENDPOINT} \ +--from-literal=superSecret=${SUPER_SECRET} \ +--from-literal=authToken=${SUPERSTREAMER_AUTH_TOKEN} + +kubectl --namespace futureporn delete secret bright --ignore-not-found +kubectl --namespace futureporn create secret generic bright \ +--from-literal=databaseUrl=postgres://${POSTGRES_USER}:${POSTGRES_PASSWORD}@${POSTGRES_HOST}:${POSTGRES_PORT}/bright \ +--from-literal=secretKeyBase=${BRIGHT_SECRET_KEY_BASE} + kubectl --namespace futureporn delete secret next --ignore-not-found kubectl --namespace futureporn create secret generic next \ --from-literal=nextAuthSecret=${NEXTAUTH_SECRET} -kubectl --namespace futureporn delete secret keycloak --ignore-not-found -kubectl --namespace futureporn create secret generic keycloak \ ---from-literal=adminPassword=${KEYCLOAK_ADMIN_PASSWORD} \ ---from-literal=clientId=${KEYCLOAK_CLIENT_ID} \ ---from-literal=clientSecret=${KEYCLOAK_CLIENT_SECRET} - kubectl --namespace futureporn delete secret traefik-dashboard-auth --ignore-not-found kubectl --namespace futureporn create secret generic traefik-dashboard-auth \ --type=kubernetes.io/basic-auth \ --from-literal=password=${TRAEFIK_DASHBOARD_PASSWORD} \ --from-literal=username=${TRAEFIK_DASHBOARD_USERNAME} -kubectl --namespace futureporn delete secret logto --ignore-not-found -kubectl --namespace futureporn create secret generic logto \ ---from-literal=postgresqlUri=${LOGTO_POSTGRESQL_URI} \ ---from-literal=cookieSecret=${LOGTO_COOKIE_SECRET} \ ---from-literal=appSecret=${LOGTO_APP_SECRET} \ ---from-literal=appId=${LOGTO_APP_ID} - -kubectl --namespace futureporn delete secret supertokens --ignore-not-found -kubectl --namespace futureporn create secret generic supertokens \ ---from-literal=apiKeys=${SUPERTOKENS_API_KEYS} \ ---from-literal=apiKey=${SUPERTOKENS_API_KEY} \ ---from-literal=postgresqlUri=${SUPERTOKENS_POSTGRESQL_URI} - kubectl --namespace futureporn delete secret patreon --ignore-not-found kubectl --namespace futureporn create secret generic patreon \ --from-literal=creatorAccessToken=${PATREON_CREATOR_ACCESS_TOKEN} \ @@ -78,16 +76,6 @@ kubectl --namespace futureporn create secret generic patreon \ --from-literal=clientId=${PATREON_CLIENT_ID} \ --from-literal=clientSecret=${PATREON_CLIENT_SECRET} -kubectl --namespace futureporn delete secret mariadb --ignore-not-found -kubectl --namespace futureporn create secret generic mariadb \ ---from-literal=mariadb-root-password=${MARIADB_ROOT_PASSWORD} \ ---from-literal=mariadb-password=${MARIADB_PASSWORD} \ ---from-literal=mariadb-replication-password=${MARIADB_REPLICATION_PASSWORD} - -kubectl --namespace futureporn delete secret externaldb --ignore-not-found -kubectl --namespace futureporn create secret generic externaldb \ ---from-literal=db-password=${MARIADB_PASSWORD} - kubectl --namespace futureporn delete secret chisel --ignore-not-found kubectl --namespace futureporn create secret generic chisel \ --from-literal=auth="${CHISEL_USERNAME}:${CHISEL_PASSWORD}" @@ -96,12 +84,6 @@ kubectl --namespace chisel-operator-system delete secret chisel --ignore-not-fou kubectl --namespace chisel-operator-system create secret generic chisel \ --from-literal=auth="${CHISEL_USERNAME}:${CHISEL_PASSWORD}" -kubectl --namespace futureporn delete secret ngrok --ignore-not-found -kubectl --namespace futureporn create secret generic ngrok \ ---from-literal=API_KEY=${NGROK_API_KEY} \ ---from-literal=AUTHTOKEN=${NGROK_AUTHTOKEN} \ ---from-literal=domain=${NGROK_DOMAIN} - kubectl --namespace futureporn delete secret bot --ignore-not-found kubectl --namespace futureporn create secret generic bot \ --from-literal=automationUserJwt=${AUTOMATION_USER_JWT} \ diff --git a/scripts/keycloak-seed.sh b/scripts/keycloak-seed.sh deleted file mode 100755 index 02268b7..0000000 --- a/scripts/keycloak-seed.sh +++ /dev/null @@ -1,4 +0,0 @@ -#!/bin/bash - -kubectl -n futureporn exec postgresql-primary-0 -- env PGPASSWORD=${POSTGRES_PASSWORD} psql -U postgres --command "CREATE DATABASE keycloak;" -echo "Done." \ No newline at end of file diff --git a/scripts/supertokens-seed.sh b/scripts/supertokens-seed.sh deleted file mode 100755 index be5966f..0000000 --- a/scripts/supertokens-seed.sh +++ /dev/null @@ -1,4 +0,0 @@ -#!/bin/bash - -kubectl -n futureporn exec postgresql-primary-0 -- env PGPASSWORD=${POSTGRES_PASSWORD} psql -U postgres --command "CREATE DATABASE supertokens;" -echo "Done." \ No newline at end of file diff --git a/services/bright/assets/css/app.css b/services/bright/assets/css/app.css deleted file mode 100644 index 433a06e..0000000 --- a/services/bright/assets/css/app.css +++ /dev/null @@ -1,7 +0,0 @@ -/* @import "tailwindcss/base"; -@import "tailwindcss/components"; -@import "tailwindcss/utilities"; */ - -@import "./bulma.min.css"; - -/* This file is for your main application CSS */ diff --git a/services/bright/assets/css/app.scss b/services/bright/assets/css/app.scss index 4e8cb6b..aa59c97 100644 --- a/services/bright/assets/css/app.scss +++ b/services/bright/assets/css/app.scss @@ -1,4 +1,3 @@ -/* This file is for your main application CSS */ -// @import "./phoenix.css"; + @import "bulma"; diff --git a/services/bright/assets/js/app.js b/services/bright/assets/js/app.js index d5e278a..3650eb4 100644 --- a/services/bright/assets/js/app.js +++ b/services/bright/assets/js/app.js @@ -21,11 +21,14 @@ import "phoenix_html" import {Socket} from "phoenix" import {LiveSocket} from "phoenix_live_view" import topbar from "../vendor/topbar" +import Hooks from './hooks/index.js' + let csrfToken = document.querySelector("meta[name='csrf-token']").getAttribute("content") let liveSocket = new LiveSocket("/live", Socket, { longPollFallbackMs: 2500, - params: {_csrf_token: csrfToken} + params: {_csrf_token: csrfToken}, + hooks: Hooks }) // Show progress bar on live navigation and form submits diff --git a/services/bright/assets/js/hooks/index.js b/services/bright/assets/js/hooks/index.js new file mode 100644 index 0000000..5709c05 --- /dev/null +++ b/services/bright/assets/js/hooks/index.js @@ -0,0 +1,7 @@ +import VideojsHook from "./videojs_hook.js" + +let Hooks = {} + +Hooks.VideojsHook = VideojsHook + +export default Hooks \ No newline at end of file diff --git a/services/bright/assets/js/hooks/videojs_hook.js b/services/bright/assets/js/hooks/videojs_hook.js new file mode 100644 index 0000000..8ca1636 --- /dev/null +++ b/services/bright/assets/js/hooks/videojs_hook.js @@ -0,0 +1,47 @@ +// @see https://hexdocs.pm/phoenix_live_view/js-interop.html#client-hooks-via-phx-hook + +const VideojsHook = { + + mounted() { + // var options = {}; + // // console.log('mounted() hook. looking for #video-player') + + // var player = videojs('player', options, function onPlayerReady() { + // // videojs.log('Your player is ready! (this is videojs_hook.js mounted() hook btw)'); + + + // // How about an event listener? + // this.on('ended', function() { + // videojs.log('Awww...over so soon?!'); + // }); + + + // }); + + // // player.hlsQualitySelector({ displayCurrentQuality: true }) + // // player.qualityLevels() + + // player.src({ + // src: 'https://fp-dev.b-cdn.net/package/cea2db20-1d89-4f8b-855f-d1c2e6ae2302/test2/master.m3u8', + // type: 'application/x-mpegURL', + // withCredentials: false + // }); + + + }, + + + beforeUpdate() {}, + + updated() { + console.log("VideojsHook updated"); + }, + + destroyed() {}, + + disconnected() {}, + + reconnected() {} +} + +export default VideojsHook \ No newline at end of file diff --git a/services/bright/assets/js/hooks/vidstack_hook.js b/services/bright/assets/js/hooks/vidstack_hook.js new file mode 100644 index 0000000..e1619b0 --- /dev/null +++ b/services/bright/assets/js/hooks/vidstack_hook.js @@ -0,0 +1,97 @@ +/* + Docs: https://hexdocs.pm/phoenix_live_view/js-interop.html#client-hooks + + Usage: when using phx-hook, a unique DOM ID must always be set. + +
+*/ + +// import 'vidstack/styles/defaults.css' +// import 'vidstack/styles/community-skin/video.css' + +// import { defineCustomElements } from 'vidstack/elements'; +// import { VidstackPlayer, VidstackPlayerLayout } from 'vidstack/global/player'; + +// import { VidstackPlayer } from 'vidstack' +// import { VidstackPlayer, VidstackPlayerLayout } from 'https://cdn.vidstack.io/player'; + + +// import { HlsFacade } from "../../vendor/superstreamer-player.js" +// import "../../vendor/player.js" + + + +const VidstackHook = { + // This function runs when the element has been added to the DOM and its server LiveView has finished mounting + mounted() { + // defineCustomElements(); + // let currentEl = this.el; + + // // console.log("VidstackHook mounted"); + // player = document.querySelector('media-player'); + console.log('hello!') + + + var video = document.getElementById('video'); + if (Hls.isSupported()) { + var hls = new Hls({ + debug: true, + }); + hls.loadSource('https://test-streams.mux.dev/x36xhzz/x36xhzz.m3u8'); + hls.attachMedia(video); + hls.on(Hls.Events.MEDIA_ATTACHED, function () { + video.muted = true; + video.play(); + }); + } + // hls.js is not supported on platforms that do not have Media Source Extensions (MSE) enabled. + // When the browser has built-in HLS support (check using `canPlayType`), we can provide an HLS manifest (i.e. .m3u8 URL) directly to the video element through the `src` property. + // This is using the built-in support of the plain video element, without using hls.js. + else if (video.canPlayType('application/vnd.apple.mpegurl')) { + video.src = 'https://test-streams.mux.dev/x36xhzz/x36xhzz.m3u8'; + video.addEventListener('canplay', function () { + video.play(); + }); + } + + + + + + + // console.log(player); + // console.log(defineCustomElements) + + // defineCustomElements() + + // VidstackPlayer.create({ + // target: '#media-player', + // title: 'Sprite Fight', + // src: 'https://files.vidstack.io/sprite-fight/hls/stream.m3u8', + // poster: 'https://files.vidstack.io/sprite-fight/poster.webp', + // layout: new VidstackPlayerLayout({ + // thumbnails: 'https://files.vidstack.io/sprite-fight/thumbnails.vtt', + // }), + // }); + }, + + // This function runs when the element is about to be updated in the DOM. Note: any call here must be synchronous as the operation cannot be deferred or cancelled. + beforeUpdate() {}, + + // This function runs when the element has been updated in the DOM by the server + updated() { + console.log("VidstackHook updated"); + }, + + // This function runs when the element has been removed from the page, either by a parent update, or by the parent being removed entirely + destroyed() {}, + + // This function runs when the element's parent LiveView has disconnected from the server + disconnected() {}, + + // This function runs when the element's parent LiveView has reconnected to the server + reconnected() {}, +}; + +export default VidstackHook; + diff --git a/services/bright/assets/tailwind.config.js b/services/bright/assets/tailwind.config.js deleted file mode 100644 index df37d6d..0000000 --- a/services/bright/assets/tailwind.config.js +++ /dev/null @@ -1,74 +0,0 @@ -// See the Tailwind configuration guide for advanced usage -// https://tailwindcss.com/docs/configuration - -const plugin = require("tailwindcss/plugin") -const fs = require("fs") -const path = require("path") - -module.exports = { - content: [ - "./js/**/*.js", - "../lib/bright_web.ex", - "../lib/bright_web/**/*.*ex" - ], - theme: { - extend: { - colors: { - brand: "#FD4F00", - } - }, - }, - plugins: [ - require("@tailwindcss/forms"), - // Allows prefixing tailwind classes with LiveView classes to add rules - // only when LiveView classes are applied, for example: - // - //
- // - plugin(({addVariant}) => addVariant("phx-click-loading", [".phx-click-loading&", ".phx-click-loading &"])), - plugin(({addVariant}) => addVariant("phx-submit-loading", [".phx-submit-loading&", ".phx-submit-loading &"])), - plugin(({addVariant}) => addVariant("phx-change-loading", [".phx-change-loading&", ".phx-change-loading &"])), - - // Embeds Heroicons (https://heroicons.com) into your app.css bundle - // See your `CoreComponents.icon/1` for more information. - // - plugin(function({matchComponents, theme}) { - let iconsDir = path.join(__dirname, "../deps/heroicons/optimized") - let values = {} - let icons = [ - ["", "/24/outline"], - ["-solid", "/24/solid"], - ["-mini", "/20/solid"], - ["-micro", "/16/solid"] - ] - icons.forEach(([suffix, dir]) => { - fs.readdirSync(path.join(iconsDir, dir)).forEach(file => { - let name = path.basename(file, ".svg") + suffix - values[name] = {name, fullPath: path.join(iconsDir, dir, file)} - }) - }) - matchComponents({ - "hero": ({name, fullPath}) => { - let content = fs.readFileSync(fullPath).toString().replace(/\r?\n|\r/g, "") - let size = theme("spacing.6") - if (name.endsWith("-mini")) { - size = theme("spacing.5") - } else if (name.endsWith("-micro")) { - size = theme("spacing.4") - } - return { - [`--hero-${name}`]: `url('data:image/svg+xml;utf8,${content}')`, - "-webkit-mask": `var(--hero-${name})`, - "mask": `var(--hero-${name})`, - "mask-repeat": "no-repeat", - "background-color": "currentColor", - "vertical-align": "middle", - "display": "inline-block", - "width": size, - "height": size - } - } - }, {values}) - }) - ] -} diff --git a/services/bright/assets/vendor/hls.js b/services/bright/assets/vendor/hls.js new file mode 100644 index 0000000..361d025 --- /dev/null +++ b/services/bright/assets/vendor/hls.js @@ -0,0 +1,29370 @@ +(function __HLS_WORKER_BUNDLE__(__IN_WORKER__){ +(function (global, factory) { + typeof exports === 'object' && typeof module !== 'undefined' ? module.exports = factory() : + typeof define === 'function' && define.amd ? define(factory) : + (global = typeof globalThis !== 'undefined' ? globalThis : global || self, global.Hls = factory()); +})(this, (function () { 'use strict'; + + function ownKeys(e, r) { + var t = Object.keys(e); + if (Object.getOwnPropertySymbols) { + var o = Object.getOwnPropertySymbols(e); + r && (o = o.filter(function (r) { + return Object.getOwnPropertyDescriptor(e, r).enumerable; + })), t.push.apply(t, o); + } + return t; + } + function _objectSpread2(e) { + for (var r = 1; r < arguments.length; r++) { + var t = null != arguments[r] ? arguments[r] : {}; + r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { + _defineProperty(e, r, t[r]); + }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { + Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); + }); + } + return e; + } + function _toPrimitive(t, r) { + if ("object" != typeof t || !t) return t; + var e = t[Symbol.toPrimitive]; + if (void 0 !== e) { + var i = e.call(t, r || "default"); + if ("object" != typeof i) return i; + throw new TypeError("@@toPrimitive must return a primitive value."); + } + return ("string" === r ? String : Number)(t); + } + function _toPropertyKey(t) { + var i = _toPrimitive(t, "string"); + return "symbol" == typeof i ? i : String(i); + } + function _defineProperties(target, props) { + for (var i = 0; i < props.length; i++) { + var descriptor = props[i]; + descriptor.enumerable = descriptor.enumerable || false; + descriptor.configurable = true; + if ("value" in descriptor) descriptor.writable = true; + Object.defineProperty(target, _toPropertyKey(descriptor.key), descriptor); + } + } + function _createClass(Constructor, protoProps, staticProps) { + if (protoProps) _defineProperties(Constructor.prototype, protoProps); + if (staticProps) _defineProperties(Constructor, staticProps); + Object.defineProperty(Constructor, "prototype", { + writable: false + }); + return Constructor; + } + function _defineProperty(obj, key, value) { + key = _toPropertyKey(key); + if (key in obj) { + Object.defineProperty(obj, key, { + value: value, + enumerable: true, + configurable: true, + writable: true + }); + } else { + obj[key] = value; + } + return obj; + } + function _extends() { + _extends = Object.assign ? Object.assign.bind() : function (target) { + for (var i = 1; i < arguments.length; i++) { + var source = arguments[i]; + for (var key in source) { + if (Object.prototype.hasOwnProperty.call(source, key)) { + target[key] = source[key]; + } + } + } + return target; + }; + return _extends.apply(this, arguments); + } + function _inheritsLoose(subClass, superClass) { + subClass.prototype = Object.create(superClass.prototype); + subClass.prototype.constructor = subClass; + _setPrototypeOf(subClass, superClass); + } + function _getPrototypeOf(o) { + _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) { + return o.__proto__ || Object.getPrototypeOf(o); + }; + return _getPrototypeOf(o); + } + function _setPrototypeOf(o, p) { + _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) { + o.__proto__ = p; + return o; + }; + return _setPrototypeOf(o, p); + } + function _isNativeReflectConstruct() { + if (typeof Reflect === "undefined" || !Reflect.construct) return false; + if (Reflect.construct.sham) return false; + if (typeof Proxy === "function") return true; + try { + Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); + return true; + } catch (e) { + return false; + } + } + function _construct(Parent, args, Class) { + if (_isNativeReflectConstruct()) { + _construct = Reflect.construct.bind(); + } else { + _construct = function _construct(Parent, args, Class) { + var a = [null]; + a.push.apply(a, args); + var Constructor = Function.bind.apply(Parent, a); + var instance = new Constructor(); + if (Class) _setPrototypeOf(instance, Class.prototype); + return instance; + }; + } + return _construct.apply(null, arguments); + } + function _isNativeFunction(fn) { + try { + return Function.toString.call(fn).indexOf("[native code]") !== -1; + } catch (e) { + return typeof fn === "function"; + } + } + function _wrapNativeSuper(Class) { + var _cache = typeof Map === "function" ? new Map() : undefined; + _wrapNativeSuper = function _wrapNativeSuper(Class) { + if (Class === null || !_isNativeFunction(Class)) return Class; + if (typeof Class !== "function") { + throw new TypeError("Super expression must either be null or a function"); + } + if (typeof _cache !== "undefined") { + if (_cache.has(Class)) return _cache.get(Class); + _cache.set(Class, Wrapper); + } + function Wrapper() { + return _construct(Class, arguments, _getPrototypeOf(this).constructor); + } + Wrapper.prototype = Object.create(Class.prototype, { + constructor: { + value: Wrapper, + enumerable: false, + writable: true, + configurable: true + } + }); + return _setPrototypeOf(Wrapper, Class); + }; + return _wrapNativeSuper(Class); + } + function _assertThisInitialized(self) { + if (self === void 0) { + throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); + } + return self; + } + function _unsupportedIterableToArray(o, minLen) { + if (!o) return; + if (typeof o === "string") return _arrayLikeToArray(o, minLen); + var n = Object.prototype.toString.call(o).slice(8, -1); + if (n === "Object" && o.constructor) n = o.constructor.name; + if (n === "Map" || n === "Set") return Array.from(o); + if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); + } + function _arrayLikeToArray(arr, len) { + if (len == null || len > arr.length) len = arr.length; + for (var i = 0, arr2 = new Array(len); i < len; i++) arr2[i] = arr[i]; + return arr2; + } + function _createForOfIteratorHelperLoose(o, allowArrayLike) { + var it = typeof Symbol !== "undefined" && o[Symbol.iterator] || o["@@iterator"]; + if (it) return (it = it.call(o)).next.bind(it); + if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === "number") { + if (it) o = it; + var i = 0; + return function () { + if (i >= o.length) return { + done: true + }; + return { + done: false, + value: o[i++] + }; + }; + } + throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); + } + + function getDefaultExportFromCjs (x) { + return x && x.__esModule && Object.prototype.hasOwnProperty.call(x, 'default') ? x['default'] : x; + } + + var urlToolkit = {exports: {}}; + + (function (module, exports) { + // see https://tools.ietf.org/html/rfc1808 + + (function (root) { + var URL_REGEX = + /^(?=((?:[a-zA-Z0-9+\-.]+:)?))\1(?=((?:\/\/[^\/?#]*)?))\2(?=((?:(?:[^?#\/]*\/)*[^;?#\/]*)?))\3((?:;[^?#]*)?)(\?[^#]*)?(#[^]*)?$/; + var FIRST_SEGMENT_REGEX = /^(?=([^\/?#]*))\1([^]*)$/; + var SLASH_DOT_REGEX = /(?:\/|^)\.(?=\/)/g; + var SLASH_DOT_DOT_REGEX = /(?:\/|^)\.\.\/(?!\.\.\/)[^\/]*(?=\/)/g; + + var URLToolkit = { + // If opts.alwaysNormalize is true then the path will always be normalized even when it starts with / or // + // E.g + // With opts.alwaysNormalize = false (default, spec compliant) + // http://a.com/b/cd + /e/f/../g => http://a.com/e/f/../g + // With opts.alwaysNormalize = true (not spec compliant) + // http://a.com/b/cd + /e/f/../g => http://a.com/e/g + buildAbsoluteURL: function (baseURL, relativeURL, opts) { + opts = opts || {}; + // remove any remaining space and CRLF + baseURL = baseURL.trim(); + relativeURL = relativeURL.trim(); + if (!relativeURL) { + // 2a) If the embedded URL is entirely empty, it inherits the + // entire base URL (i.e., is set equal to the base URL) + // and we are done. + if (!opts.alwaysNormalize) { + return baseURL; + } + var basePartsForNormalise = URLToolkit.parseURL(baseURL); + if (!basePartsForNormalise) { + throw new Error('Error trying to parse base URL.'); + } + basePartsForNormalise.path = URLToolkit.normalizePath( + basePartsForNormalise.path + ); + return URLToolkit.buildURLFromParts(basePartsForNormalise); + } + var relativeParts = URLToolkit.parseURL(relativeURL); + if (!relativeParts) { + throw new Error('Error trying to parse relative URL.'); + } + if (relativeParts.scheme) { + // 2b) If the embedded URL starts with a scheme name, it is + // interpreted as an absolute URL and we are done. + if (!opts.alwaysNormalize) { + return relativeURL; + } + relativeParts.path = URLToolkit.normalizePath(relativeParts.path); + return URLToolkit.buildURLFromParts(relativeParts); + } + var baseParts = URLToolkit.parseURL(baseURL); + if (!baseParts) { + throw new Error('Error trying to parse base URL.'); + } + if (!baseParts.netLoc && baseParts.path && baseParts.path[0] !== '/') { + // If netLoc missing and path doesn't start with '/', assume everthing before the first '/' is the netLoc + // This causes 'example.com/a' to be handled as '//example.com/a' instead of '/example.com/a' + var pathParts = FIRST_SEGMENT_REGEX.exec(baseParts.path); + baseParts.netLoc = pathParts[1]; + baseParts.path = pathParts[2]; + } + if (baseParts.netLoc && !baseParts.path) { + baseParts.path = '/'; + } + var builtParts = { + // 2c) Otherwise, the embedded URL inherits the scheme of + // the base URL. + scheme: baseParts.scheme, + netLoc: relativeParts.netLoc, + path: null, + params: relativeParts.params, + query: relativeParts.query, + fragment: relativeParts.fragment, + }; + if (!relativeParts.netLoc) { + // 3) If the embedded URL's is non-empty, we skip to + // Step 7. Otherwise, the embedded URL inherits the + // (if any) of the base URL. + builtParts.netLoc = baseParts.netLoc; + // 4) If the embedded URL path is preceded by a slash "/", the + // path is not relative and we skip to Step 7. + if (relativeParts.path[0] !== '/') { + if (!relativeParts.path) { + // 5) If the embedded URL path is empty (and not preceded by a + // slash), then the embedded URL inherits the base URL path + builtParts.path = baseParts.path; + // 5a) if the embedded URL's is non-empty, we skip to + // step 7; otherwise, it inherits the of the base + // URL (if any) and + if (!relativeParts.params) { + builtParts.params = baseParts.params; + // 5b) if the embedded URL's is non-empty, we skip to + // step 7; otherwise, it inherits the of the base + // URL (if any) and we skip to step 7. + if (!relativeParts.query) { + builtParts.query = baseParts.query; + } + } + } else { + // 6) The last segment of the base URL's path (anything + // following the rightmost slash "/", or the entire path if no + // slash is present) is removed and the embedded URL's path is + // appended in its place. + var baseURLPath = baseParts.path; + var newPath = + baseURLPath.substring(0, baseURLPath.lastIndexOf('/') + 1) + + relativeParts.path; + builtParts.path = URLToolkit.normalizePath(newPath); + } + } + } + if (builtParts.path === null) { + builtParts.path = opts.alwaysNormalize + ? URLToolkit.normalizePath(relativeParts.path) + : relativeParts.path; + } + return URLToolkit.buildURLFromParts(builtParts); + }, + parseURL: function (url) { + var parts = URL_REGEX.exec(url); + if (!parts) { + return null; + } + return { + scheme: parts[1] || '', + netLoc: parts[2] || '', + path: parts[3] || '', + params: parts[4] || '', + query: parts[5] || '', + fragment: parts[6] || '', + }; + }, + normalizePath: function (path) { + // The following operations are + // then applied, in order, to the new path: + // 6a) All occurrences of "./", where "." is a complete path + // segment, are removed. + // 6b) If the path ends with "." as a complete path segment, + // that "." is removed. + path = path.split('').reverse().join('').replace(SLASH_DOT_REGEX, ''); + // 6c) All occurrences of "/../", where is a + // complete path segment not equal to "..", are removed. + // Removal of these path segments is performed iteratively, + // removing the leftmost matching pattern on each iteration, + // until no matching pattern remains. + // 6d) If the path ends with "/..", where is a + // complete path segment not equal to "..", that + // "/.." is removed. + while ( + path.length !== (path = path.replace(SLASH_DOT_DOT_REGEX, '')).length + ) {} + return path.split('').reverse().join(''); + }, + buildURLFromParts: function (parts) { + return ( + parts.scheme + + parts.netLoc + + parts.path + + parts.params + + parts.query + + parts.fragment + ); + }, + }; + + module.exports = URLToolkit; + })(); + } (urlToolkit)); + + var urlToolkitExports = urlToolkit.exports; + + // https://caniuse.com/mdn-javascript_builtins_number_isfinite + var isFiniteNumber = Number.isFinite || function (value) { + return typeof value === 'number' && isFinite(value); + }; + + // https://caniuse.com/mdn-javascript_builtins_number_issafeinteger + var isSafeInteger = Number.isSafeInteger || function (value) { + return typeof value === 'number' && Math.abs(value) <= MAX_SAFE_INTEGER; + }; + var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || 9007199254740991; + + var Events = /*#__PURE__*/function (Events) { + Events["MEDIA_ATTACHING"] = "hlsMediaAttaching"; + Events["MEDIA_ATTACHED"] = "hlsMediaAttached"; + Events["MEDIA_DETACHING"] = "hlsMediaDetaching"; + Events["MEDIA_DETACHED"] = "hlsMediaDetached"; + Events["BUFFER_RESET"] = "hlsBufferReset"; + Events["BUFFER_CODECS"] = "hlsBufferCodecs"; + Events["BUFFER_CREATED"] = "hlsBufferCreated"; + Events["BUFFER_APPENDING"] = "hlsBufferAppending"; + Events["BUFFER_APPENDED"] = "hlsBufferAppended"; + Events["BUFFER_EOS"] = "hlsBufferEos"; + Events["BUFFER_FLUSHING"] = "hlsBufferFlushing"; + Events["BUFFER_FLUSHED"] = "hlsBufferFlushed"; + Events["MANIFEST_LOADING"] = "hlsManifestLoading"; + Events["MANIFEST_LOADED"] = "hlsManifestLoaded"; + Events["MANIFEST_PARSED"] = "hlsManifestParsed"; + Events["LEVEL_SWITCHING"] = "hlsLevelSwitching"; + Events["LEVEL_SWITCHED"] = "hlsLevelSwitched"; + Events["LEVEL_LOADING"] = "hlsLevelLoading"; + Events["LEVEL_LOADED"] = "hlsLevelLoaded"; + Events["LEVEL_UPDATED"] = "hlsLevelUpdated"; + Events["LEVEL_PTS_UPDATED"] = "hlsLevelPtsUpdated"; + Events["LEVELS_UPDATED"] = "hlsLevelsUpdated"; + Events["AUDIO_TRACKS_UPDATED"] = "hlsAudioTracksUpdated"; + Events["AUDIO_TRACK_SWITCHING"] = "hlsAudioTrackSwitching"; + Events["AUDIO_TRACK_SWITCHED"] = "hlsAudioTrackSwitched"; + Events["AUDIO_TRACK_LOADING"] = "hlsAudioTrackLoading"; + Events["AUDIO_TRACK_LOADED"] = "hlsAudioTrackLoaded"; + Events["SUBTITLE_TRACKS_UPDATED"] = "hlsSubtitleTracksUpdated"; + Events["SUBTITLE_TRACKS_CLEARED"] = "hlsSubtitleTracksCleared"; + Events["SUBTITLE_TRACK_SWITCH"] = "hlsSubtitleTrackSwitch"; + Events["SUBTITLE_TRACK_LOADING"] = "hlsSubtitleTrackLoading"; + Events["SUBTITLE_TRACK_LOADED"] = "hlsSubtitleTrackLoaded"; + Events["SUBTITLE_FRAG_PROCESSED"] = "hlsSubtitleFragProcessed"; + Events["CUES_PARSED"] = "hlsCuesParsed"; + Events["NON_NATIVE_TEXT_TRACKS_FOUND"] = "hlsNonNativeTextTracksFound"; + Events["INIT_PTS_FOUND"] = "hlsInitPtsFound"; + Events["FRAG_LOADING"] = "hlsFragLoading"; + Events["FRAG_LOAD_EMERGENCY_ABORTED"] = "hlsFragLoadEmergencyAborted"; + Events["FRAG_LOADED"] = "hlsFragLoaded"; + Events["FRAG_DECRYPTED"] = "hlsFragDecrypted"; + Events["FRAG_PARSING_INIT_SEGMENT"] = "hlsFragParsingInitSegment"; + Events["FRAG_PARSING_USERDATA"] = "hlsFragParsingUserdata"; + Events["FRAG_PARSING_METADATA"] = "hlsFragParsingMetadata"; + Events["FRAG_PARSED"] = "hlsFragParsed"; + Events["FRAG_BUFFERED"] = "hlsFragBuffered"; + Events["FRAG_CHANGED"] = "hlsFragChanged"; + Events["FPS_DROP"] = "hlsFpsDrop"; + Events["FPS_DROP_LEVEL_CAPPING"] = "hlsFpsDropLevelCapping"; + Events["MAX_AUTO_LEVEL_UPDATED"] = "hlsMaxAutoLevelUpdated"; + Events["ERROR"] = "hlsError"; + Events["DESTROYING"] = "hlsDestroying"; + Events["KEY_LOADING"] = "hlsKeyLoading"; + Events["KEY_LOADED"] = "hlsKeyLoaded"; + Events["LIVE_BACK_BUFFER_REACHED"] = "hlsLiveBackBufferReached"; + Events["BACK_BUFFER_REACHED"] = "hlsBackBufferReached"; + Events["STEERING_MANIFEST_LOADED"] = "hlsSteeringManifestLoaded"; + return Events; + }({}); + + /** + * Defines each Event type and payload by Event name. Used in {@link hls.js#HlsEventEmitter} to strongly type the event listener API. + */ + + var ErrorTypes = /*#__PURE__*/function (ErrorTypes) { + ErrorTypes["NETWORK_ERROR"] = "networkError"; + ErrorTypes["MEDIA_ERROR"] = "mediaError"; + ErrorTypes["KEY_SYSTEM_ERROR"] = "keySystemError"; + ErrorTypes["MUX_ERROR"] = "muxError"; + ErrorTypes["OTHER_ERROR"] = "otherError"; + return ErrorTypes; + }({}); + var ErrorDetails = /*#__PURE__*/function (ErrorDetails) { + ErrorDetails["KEY_SYSTEM_NO_KEYS"] = "keySystemNoKeys"; + ErrorDetails["KEY_SYSTEM_NO_ACCESS"] = "keySystemNoAccess"; + ErrorDetails["KEY_SYSTEM_NO_SESSION"] = "keySystemNoSession"; + ErrorDetails["KEY_SYSTEM_NO_CONFIGURED_LICENSE"] = "keySystemNoConfiguredLicense"; + ErrorDetails["KEY_SYSTEM_LICENSE_REQUEST_FAILED"] = "keySystemLicenseRequestFailed"; + ErrorDetails["KEY_SYSTEM_SERVER_CERTIFICATE_REQUEST_FAILED"] = "keySystemServerCertificateRequestFailed"; + ErrorDetails["KEY_SYSTEM_SERVER_CERTIFICATE_UPDATE_FAILED"] = "keySystemServerCertificateUpdateFailed"; + ErrorDetails["KEY_SYSTEM_SESSION_UPDATE_FAILED"] = "keySystemSessionUpdateFailed"; + ErrorDetails["KEY_SYSTEM_STATUS_OUTPUT_RESTRICTED"] = "keySystemStatusOutputRestricted"; + ErrorDetails["KEY_SYSTEM_STATUS_INTERNAL_ERROR"] = "keySystemStatusInternalError"; + ErrorDetails["MANIFEST_LOAD_ERROR"] = "manifestLoadError"; + ErrorDetails["MANIFEST_LOAD_TIMEOUT"] = "manifestLoadTimeOut"; + ErrorDetails["MANIFEST_PARSING_ERROR"] = "manifestParsingError"; + ErrorDetails["MANIFEST_INCOMPATIBLE_CODECS_ERROR"] = "manifestIncompatibleCodecsError"; + ErrorDetails["LEVEL_EMPTY_ERROR"] = "levelEmptyError"; + ErrorDetails["LEVEL_LOAD_ERROR"] = "levelLoadError"; + ErrorDetails["LEVEL_LOAD_TIMEOUT"] = "levelLoadTimeOut"; + ErrorDetails["LEVEL_PARSING_ERROR"] = "levelParsingError"; + ErrorDetails["LEVEL_SWITCH_ERROR"] = "levelSwitchError"; + ErrorDetails["AUDIO_TRACK_LOAD_ERROR"] = "audioTrackLoadError"; + ErrorDetails["AUDIO_TRACK_LOAD_TIMEOUT"] = "audioTrackLoadTimeOut"; + ErrorDetails["SUBTITLE_LOAD_ERROR"] = "subtitleTrackLoadError"; + ErrorDetails["SUBTITLE_TRACK_LOAD_TIMEOUT"] = "subtitleTrackLoadTimeOut"; + ErrorDetails["FRAG_LOAD_ERROR"] = "fragLoadError"; + ErrorDetails["FRAG_LOAD_TIMEOUT"] = "fragLoadTimeOut"; + ErrorDetails["FRAG_DECRYPT_ERROR"] = "fragDecryptError"; + ErrorDetails["FRAG_PARSING_ERROR"] = "fragParsingError"; + ErrorDetails["FRAG_GAP"] = "fragGap"; + ErrorDetails["REMUX_ALLOC_ERROR"] = "remuxAllocError"; + ErrorDetails["KEY_LOAD_ERROR"] = "keyLoadError"; + ErrorDetails["KEY_LOAD_TIMEOUT"] = "keyLoadTimeOut"; + ErrorDetails["BUFFER_ADD_CODEC_ERROR"] = "bufferAddCodecError"; + ErrorDetails["BUFFER_INCOMPATIBLE_CODECS_ERROR"] = "bufferIncompatibleCodecsError"; + ErrorDetails["BUFFER_APPEND_ERROR"] = "bufferAppendError"; + ErrorDetails["BUFFER_APPENDING_ERROR"] = "bufferAppendingError"; + ErrorDetails["BUFFER_STALLED_ERROR"] = "bufferStalledError"; + ErrorDetails["BUFFER_FULL_ERROR"] = "bufferFullError"; + ErrorDetails["BUFFER_SEEK_OVER_HOLE"] = "bufferSeekOverHole"; + ErrorDetails["BUFFER_NUDGE_ON_STALL"] = "bufferNudgeOnStall"; + ErrorDetails["INTERNAL_EXCEPTION"] = "internalException"; + ErrorDetails["INTERNAL_ABORTED"] = "aborted"; + ErrorDetails["UNKNOWN"] = "unknown"; + return ErrorDetails; + }({}); + + var noop = function noop() {}; + var fakeLogger = { + trace: noop, + debug: noop, + log: noop, + warn: noop, + info: noop, + error: noop + }; + var exportedLogger = fakeLogger; + + // let lastCallTime; + // function formatMsgWithTimeInfo(type, msg) { + // const now = Date.now(); + // const diff = lastCallTime ? '+' + (now - lastCallTime) : '0'; + // lastCallTime = now; + // msg = (new Date(now)).toISOString() + ' | [' + type + '] > ' + msg + ' ( ' + diff + ' ms )'; + // return msg; + // } + + function consolePrintFn(type) { + var func = self.console[type]; + if (func) { + return func.bind(self.console, "[" + type + "] >"); + } + return noop; + } + function exportLoggerFunctions(debugConfig) { + for (var _len = arguments.length, functions = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + functions[_key - 1] = arguments[_key]; + } + functions.forEach(function (type) { + exportedLogger[type] = debugConfig[type] ? debugConfig[type].bind(debugConfig) : consolePrintFn(type); + }); + } + function enableLogs(debugConfig, id) { + // check that console is available + if (typeof console === 'object' && debugConfig === true || typeof debugConfig === 'object') { + exportLoggerFunctions(debugConfig, + // Remove out from list here to hard-disable a log-level + // 'trace', + 'debug', 'log', 'info', 'warn', 'error'); + // Some browsers don't allow to use bind on console object anyway + // fallback to default if needed + try { + exportedLogger.log("Debug logs enabled for \"" + id + "\" in hls.js version " + "1.5.18"); + } catch (e) { + exportedLogger = fakeLogger; + } + } else { + exportedLogger = fakeLogger; + } + } + var logger = exportedLogger; + + var DECIMAL_RESOLUTION_REGEX = /^(\d+)x(\d+)$/; + var ATTR_LIST_REGEX = /(.+?)=(".*?"|.*?)(?:,|$)/g; + + // adapted from https://github.com/kanongil/node-m3u8parse/blob/master/attrlist.js + var AttrList = /*#__PURE__*/function () { + function AttrList(attrs) { + if (typeof attrs === 'string') { + attrs = AttrList.parseAttrList(attrs); + } + _extends(this, attrs); + } + var _proto = AttrList.prototype; + _proto.decimalInteger = function decimalInteger(attrName) { + var intValue = parseInt(this[attrName], 10); + if (intValue > Number.MAX_SAFE_INTEGER) { + return Infinity; + } + return intValue; + }; + _proto.hexadecimalInteger = function hexadecimalInteger(attrName) { + if (this[attrName]) { + var stringValue = (this[attrName] || '0x').slice(2); + stringValue = (stringValue.length & 1 ? '0' : '') + stringValue; + var value = new Uint8Array(stringValue.length / 2); + for (var i = 0; i < stringValue.length / 2; i++) { + value[i] = parseInt(stringValue.slice(i * 2, i * 2 + 2), 16); + } + return value; + } else { + return null; + } + }; + _proto.hexadecimalIntegerAsNumber = function hexadecimalIntegerAsNumber(attrName) { + var intValue = parseInt(this[attrName], 16); + if (intValue > Number.MAX_SAFE_INTEGER) { + return Infinity; + } + return intValue; + }; + _proto.decimalFloatingPoint = function decimalFloatingPoint(attrName) { + return parseFloat(this[attrName]); + }; + _proto.optionalFloat = function optionalFloat(attrName, defaultValue) { + var value = this[attrName]; + return value ? parseFloat(value) : defaultValue; + }; + _proto.enumeratedString = function enumeratedString(attrName) { + return this[attrName]; + }; + _proto.bool = function bool(attrName) { + return this[attrName] === 'YES'; + }; + _proto.decimalResolution = function decimalResolution(attrName) { + var res = DECIMAL_RESOLUTION_REGEX.exec(this[attrName]); + if (res === null) { + return undefined; + } + return { + width: parseInt(res[1], 10), + height: parseInt(res[2], 10) + }; + }; + AttrList.parseAttrList = function parseAttrList(input) { + var match; + var attrs = {}; + var quote = '"'; + ATTR_LIST_REGEX.lastIndex = 0; + while ((match = ATTR_LIST_REGEX.exec(input)) !== null) { + var value = match[2]; + if (value.indexOf(quote) === 0 && value.lastIndexOf(quote) === value.length - 1) { + value = value.slice(1, -1); + } + var name = match[1].trim(); + attrs[name] = value; + } + return attrs; + }; + _createClass(AttrList, [{ + key: "clientAttrs", + get: function get() { + return Object.keys(this).filter(function (attr) { + return attr.substring(0, 2) === 'X-'; + }); + } + }]); + return AttrList; + }(); + + // Avoid exporting const enum so that these values can be inlined + + function isDateRangeCueAttribute(attrName) { + return attrName !== "ID" && attrName !== "CLASS" && attrName !== "START-DATE" && attrName !== "DURATION" && attrName !== "END-DATE" && attrName !== "END-ON-NEXT"; + } + function isSCTE35Attribute(attrName) { + return attrName === "SCTE35-OUT" || attrName === "SCTE35-IN"; + } + var DateRange = /*#__PURE__*/function () { + function DateRange(dateRangeAttr, dateRangeWithSameId) { + this.attr = void 0; + this._startDate = void 0; + this._endDate = void 0; + this._badValueForSameId = void 0; + if (dateRangeWithSameId) { + var previousAttr = dateRangeWithSameId.attr; + for (var key in previousAttr) { + if (Object.prototype.hasOwnProperty.call(dateRangeAttr, key) && dateRangeAttr[key] !== previousAttr[key]) { + logger.warn("DATERANGE tag attribute: \"" + key + "\" does not match for tags with ID: \"" + dateRangeAttr.ID + "\""); + this._badValueForSameId = key; + break; + } + } + // Merge DateRange tags with the same ID + dateRangeAttr = _extends(new AttrList({}), previousAttr, dateRangeAttr); + } + this.attr = dateRangeAttr; + this._startDate = new Date(dateRangeAttr["START-DATE"]); + if ("END-DATE" in this.attr) { + var endDate = new Date(this.attr["END-DATE"]); + if (isFiniteNumber(endDate.getTime())) { + this._endDate = endDate; + } + } + } + _createClass(DateRange, [{ + key: "id", + get: function get() { + return this.attr.ID; + } + }, { + key: "class", + get: function get() { + return this.attr.CLASS; + } + }, { + key: "startDate", + get: function get() { + return this._startDate; + } + }, { + key: "endDate", + get: function get() { + if (this._endDate) { + return this._endDate; + } + var duration = this.duration; + if (duration !== null) { + return new Date(this._startDate.getTime() + duration * 1000); + } + return null; + } + }, { + key: "duration", + get: function get() { + if ("DURATION" in this.attr) { + var duration = this.attr.decimalFloatingPoint("DURATION"); + if (isFiniteNumber(duration)) { + return duration; + } + } else if (this._endDate) { + return (this._endDate.getTime() - this._startDate.getTime()) / 1000; + } + return null; + } + }, { + key: "plannedDuration", + get: function get() { + if ("PLANNED-DURATION" in this.attr) { + return this.attr.decimalFloatingPoint("PLANNED-DURATION"); + } + return null; + } + }, { + key: "endOnNext", + get: function get() { + return this.attr.bool("END-ON-NEXT"); + } + }, { + key: "isValid", + get: function get() { + return !!this.id && !this._badValueForSameId && isFiniteNumber(this.startDate.getTime()) && (this.duration === null || this.duration >= 0) && (!this.endOnNext || !!this.class); + } + }]); + return DateRange; + }(); + + var LoadStats = function LoadStats() { + this.aborted = false; + this.loaded = 0; + this.retry = 0; + this.total = 0; + this.chunkCount = 0; + this.bwEstimate = 0; + this.loading = { + start: 0, + first: 0, + end: 0 + }; + this.parsing = { + start: 0, + end: 0 + }; + this.buffering = { + start: 0, + first: 0, + end: 0 + }; + }; + + var ElementaryStreamTypes = { + AUDIO: "audio", + VIDEO: "video", + AUDIOVIDEO: "audiovideo" + }; + var BaseSegment = /*#__PURE__*/function () { + function BaseSegment(baseurl) { + var _this$elementaryStrea; + this._byteRange = null; + this._url = null; + // baseurl is the URL to the playlist + this.baseurl = void 0; + // relurl is the portion of the URL that comes from inside the playlist. + this.relurl = void 0; + // Holds the types of data this fragment supports + this.elementaryStreams = (_this$elementaryStrea = {}, _this$elementaryStrea[ElementaryStreamTypes.AUDIO] = null, _this$elementaryStrea[ElementaryStreamTypes.VIDEO] = null, _this$elementaryStrea[ElementaryStreamTypes.AUDIOVIDEO] = null, _this$elementaryStrea); + this.baseurl = baseurl; + } + + // setByteRange converts a EXT-X-BYTERANGE attribute into a two element array + var _proto = BaseSegment.prototype; + _proto.setByteRange = function setByteRange(value, previous) { + var params = value.split('@', 2); + var start; + if (params.length === 1) { + start = (previous == null ? void 0 : previous.byteRangeEndOffset) || 0; + } else { + start = parseInt(params[1]); + } + this._byteRange = [start, parseInt(params[0]) + start]; + }; + _createClass(BaseSegment, [{ + key: "byteRange", + get: function get() { + if (!this._byteRange) { + return []; + } + return this._byteRange; + } + }, { + key: "byteRangeStartOffset", + get: function get() { + return this.byteRange[0]; + } + }, { + key: "byteRangeEndOffset", + get: function get() { + return this.byteRange[1]; + } + }, { + key: "url", + get: function get() { + if (!this._url && this.baseurl && this.relurl) { + this._url = urlToolkitExports.buildAbsoluteURL(this.baseurl, this.relurl, { + alwaysNormalize: true + }); + } + return this._url || ''; + }, + set: function set(value) { + this._url = value; + } + }]); + return BaseSegment; + }(); + + /** + * Object representing parsed data from an HLS Segment. Found in {@link hls.js#LevelDetails.fragments}. + */ + var Fragment = /*#__PURE__*/function (_BaseSegment) { + _inheritsLoose(Fragment, _BaseSegment); + function Fragment(type, baseurl) { + var _this; + _this = _BaseSegment.call(this, baseurl) || this; + _this._decryptdata = null; + _this.rawProgramDateTime = null; + _this.programDateTime = null; + _this.tagList = []; + // EXTINF has to be present for a m3u8 to be considered valid + _this.duration = 0; + // sn notates the sequence number for a segment, and if set to a string can be 'initSegment' + _this.sn = 0; + // levelkeys are the EXT-X-KEY tags that apply to this segment for decryption + // core difference from the private field _decryptdata is the lack of the initialized IV + // _decryptdata will set the IV for this segment based on the segment number in the fragment + _this.levelkeys = void 0; + // A string representing the fragment type + _this.type = void 0; + // A reference to the loader. Set while the fragment is loading, and removed afterwards. Used to abort fragment loading + _this.loader = null; + // A reference to the key loader. Set while the key is loading, and removed afterwards. Used to abort key loading + _this.keyLoader = null; + // The level/track index to which the fragment belongs + _this.level = -1; + // The continuity counter of the fragment + _this.cc = 0; + // The starting Presentation Time Stamp (PTS) of the fragment. Set after transmux complete. + _this.startPTS = void 0; + // The ending Presentation Time Stamp (PTS) of the fragment. Set after transmux complete. + _this.endPTS = void 0; + // The starting Decode Time Stamp (DTS) of the fragment. Set after transmux complete. + _this.startDTS = void 0; + // The ending Decode Time Stamp (DTS) of the fragment. Set after transmux complete. + _this.endDTS = void 0; + // The start time of the fragment, as listed in the manifest. Updated after transmux complete. + _this.start = 0; + // Set by `updateFragPTSDTS` in level-helper + _this.deltaPTS = void 0; + // The maximum starting Presentation Time Stamp (audio/video PTS) of the fragment. Set after transmux complete. + _this.maxStartPTS = void 0; + // The minimum ending Presentation Time Stamp (audio/video PTS) of the fragment. Set after transmux complete. + _this.minEndPTS = void 0; + // Load/parse timing information + _this.stats = new LoadStats(); + // Init Segment bytes (unset for media segments) + _this.data = void 0; + // A flag indicating whether the segment was downloaded in order to test bitrate, and was not buffered + _this.bitrateTest = false; + // #EXTINF segment title + _this.title = null; + // The Media Initialization Section for this segment + _this.initSegment = null; + // Fragment is the last fragment in the media playlist + _this.endList = void 0; + // Fragment is marked by an EXT-X-GAP tag indicating that it does not contain media data and should not be loaded + _this.gap = void 0; + // Deprecated + _this.urlId = 0; + _this.type = type; + return _this; + } + var _proto2 = Fragment.prototype; + _proto2.setKeyFormat = function setKeyFormat(keyFormat) { + if (this.levelkeys) { + var _key = this.levelkeys[keyFormat]; + if (_key && !this._decryptdata) { + this._decryptdata = _key.getDecryptData(this.sn); + } + } + }; + _proto2.abortRequests = function abortRequests() { + var _this$loader, _this$keyLoader; + (_this$loader = this.loader) == null ? void 0 : _this$loader.abort(); + (_this$keyLoader = this.keyLoader) == null ? void 0 : _this$keyLoader.abort(); + }; + _proto2.setElementaryStreamInfo = function setElementaryStreamInfo(type, startPTS, endPTS, startDTS, endDTS, partial) { + if (partial === void 0) { + partial = false; + } + var elementaryStreams = this.elementaryStreams; + var info = elementaryStreams[type]; + if (!info) { + elementaryStreams[type] = { + startPTS: startPTS, + endPTS: endPTS, + startDTS: startDTS, + endDTS: endDTS, + partial: partial + }; + return; + } + info.startPTS = Math.min(info.startPTS, startPTS); + info.endPTS = Math.max(info.endPTS, endPTS); + info.startDTS = Math.min(info.startDTS, startDTS); + info.endDTS = Math.max(info.endDTS, endDTS); + }; + _proto2.clearElementaryStreamInfo = function clearElementaryStreamInfo() { + var elementaryStreams = this.elementaryStreams; + elementaryStreams[ElementaryStreamTypes.AUDIO] = null; + elementaryStreams[ElementaryStreamTypes.VIDEO] = null; + elementaryStreams[ElementaryStreamTypes.AUDIOVIDEO] = null; + }; + _createClass(Fragment, [{ + key: "decryptdata", + get: function get() { + var levelkeys = this.levelkeys; + if (!levelkeys && !this._decryptdata) { + return null; + } + if (!this._decryptdata && this.levelkeys && !this.levelkeys.NONE) { + var _key2 = this.levelkeys.identity; + if (_key2) { + this._decryptdata = _key2.getDecryptData(this.sn); + } else { + var keyFormats = Object.keys(this.levelkeys); + if (keyFormats.length === 1) { + return this._decryptdata = this.levelkeys[keyFormats[0]].getDecryptData(this.sn); + } + } + } + return this._decryptdata; + } + }, { + key: "end", + get: function get() { + return this.start + this.duration; + } + }, { + key: "endProgramDateTime", + get: function get() { + if (this.programDateTime === null) { + return null; + } + if (!isFiniteNumber(this.programDateTime)) { + return null; + } + var duration = !isFiniteNumber(this.duration) ? 0 : this.duration; + return this.programDateTime + duration * 1000; + } + }, { + key: "encrypted", + get: function get() { + var _this$_decryptdata; + // At the m3u8-parser level we need to add support for manifest signalled keyformats + // when we want the fragment to start reporting that it is encrypted. + // Currently, keyFormat will only be set for identity keys + if ((_this$_decryptdata = this._decryptdata) != null && _this$_decryptdata.encrypted) { + return true; + } else if (this.levelkeys) { + var keyFormats = Object.keys(this.levelkeys); + var len = keyFormats.length; + if (len > 1 || len === 1 && this.levelkeys[keyFormats[0]].encrypted) { + return true; + } + } + return false; + } + }]); + return Fragment; + }(BaseSegment); + + /** + * Object representing parsed data from an HLS Partial Segment. Found in {@link hls.js#LevelDetails.partList}. + */ + var Part = /*#__PURE__*/function (_BaseSegment2) { + _inheritsLoose(Part, _BaseSegment2); + function Part(partAttrs, frag, baseurl, index, previous) { + var _this2; + _this2 = _BaseSegment2.call(this, baseurl) || this; + _this2.fragOffset = 0; + _this2.duration = 0; + _this2.gap = false; + _this2.independent = false; + _this2.relurl = void 0; + _this2.fragment = void 0; + _this2.index = void 0; + _this2.stats = new LoadStats(); + _this2.duration = partAttrs.decimalFloatingPoint('DURATION'); + _this2.gap = partAttrs.bool('GAP'); + _this2.independent = partAttrs.bool('INDEPENDENT'); + _this2.relurl = partAttrs.enumeratedString('URI'); + _this2.fragment = frag; + _this2.index = index; + var byteRange = partAttrs.enumeratedString('BYTERANGE'); + if (byteRange) { + _this2.setByteRange(byteRange, previous); + } + if (previous) { + _this2.fragOffset = previous.fragOffset + previous.duration; + } + return _this2; + } + _createClass(Part, [{ + key: "start", + get: function get() { + return this.fragment.start + this.fragOffset; + } + }, { + key: "end", + get: function get() { + return this.start + this.duration; + } + }, { + key: "loaded", + get: function get() { + var elementaryStreams = this.elementaryStreams; + return !!(elementaryStreams.audio || elementaryStreams.video || elementaryStreams.audiovideo); + } + }]); + return Part; + }(BaseSegment); + + var DEFAULT_TARGET_DURATION = 10; + + /** + * Object representing parsed data from an HLS Media Playlist. Found in {@link hls.js#Level.details}. + */ + var LevelDetails = /*#__PURE__*/function () { + function LevelDetails(baseUrl) { + this.PTSKnown = false; + this.alignedSliding = false; + this.averagetargetduration = void 0; + this.endCC = 0; + this.endSN = 0; + this.fragments = void 0; + this.fragmentHint = void 0; + this.partList = null; + this.dateRanges = void 0; + this.live = true; + this.ageHeader = 0; + this.advancedDateTime = void 0; + this.updated = true; + this.advanced = true; + this.availabilityDelay = void 0; + // Manifest reload synchronization + this.misses = 0; + this.startCC = 0; + this.startSN = 0; + this.startTimeOffset = null; + this.targetduration = 0; + this.totalduration = 0; + this.type = null; + this.url = void 0; + this.m3u8 = ''; + this.version = null; + this.canBlockReload = false; + this.canSkipUntil = 0; + this.canSkipDateRanges = false; + this.skippedSegments = 0; + this.recentlyRemovedDateranges = void 0; + this.partHoldBack = 0; + this.holdBack = 0; + this.partTarget = 0; + this.preloadHint = void 0; + this.renditionReports = void 0; + this.tuneInGoal = 0; + this.deltaUpdateFailed = void 0; + this.driftStartTime = 0; + this.driftEndTime = 0; + this.driftStart = 0; + this.driftEnd = 0; + this.encryptedFragments = void 0; + this.playlistParsingError = null; + this.variableList = null; + this.hasVariableRefs = false; + this.fragments = []; + this.encryptedFragments = []; + this.dateRanges = {}; + this.url = baseUrl; + } + var _proto = LevelDetails.prototype; + _proto.reloaded = function reloaded(previous) { + if (!previous) { + this.advanced = true; + this.updated = true; + return; + } + var partSnDiff = this.lastPartSn - previous.lastPartSn; + var partIndexDiff = this.lastPartIndex - previous.lastPartIndex; + this.updated = this.endSN !== previous.endSN || !!partIndexDiff || !!partSnDiff || !this.live; + this.advanced = this.endSN > previous.endSN || partSnDiff > 0 || partSnDiff === 0 && partIndexDiff > 0; + if (this.updated || this.advanced) { + this.misses = Math.floor(previous.misses * 0.6); + } else { + this.misses = previous.misses + 1; + } + this.availabilityDelay = previous.availabilityDelay; + }; + _createClass(LevelDetails, [{ + key: "hasProgramDateTime", + get: function get() { + if (this.fragments.length) { + return isFiniteNumber(this.fragments[this.fragments.length - 1].programDateTime); + } + return false; + } + }, { + key: "levelTargetDuration", + get: function get() { + return this.averagetargetduration || this.targetduration || DEFAULT_TARGET_DURATION; + } + }, { + key: "drift", + get: function get() { + var runTime = this.driftEndTime - this.driftStartTime; + if (runTime > 0) { + var runDuration = this.driftEnd - this.driftStart; + return runDuration * 1000 / runTime; + } + return 1; + } + }, { + key: "edge", + get: function get() { + return this.partEnd || this.fragmentEnd; + } + }, { + key: "partEnd", + get: function get() { + var _this$partList; + if ((_this$partList = this.partList) != null && _this$partList.length) { + return this.partList[this.partList.length - 1].end; + } + return this.fragmentEnd; + } + }, { + key: "fragmentEnd", + get: function get() { + var _this$fragments; + if ((_this$fragments = this.fragments) != null && _this$fragments.length) { + return this.fragments[this.fragments.length - 1].end; + } + return 0; + } + }, { + key: "age", + get: function get() { + if (this.advancedDateTime) { + return Math.max(Date.now() - this.advancedDateTime, 0) / 1000; + } + return 0; + } + }, { + key: "lastPartIndex", + get: function get() { + var _this$partList2; + if ((_this$partList2 = this.partList) != null && _this$partList2.length) { + return this.partList[this.partList.length - 1].index; + } + return -1; + } + }, { + key: "lastPartSn", + get: function get() { + var _this$partList3; + if ((_this$partList3 = this.partList) != null && _this$partList3.length) { + return this.partList[this.partList.length - 1].fragment.sn; + } + return this.endSN; + } + }]); + return LevelDetails; + }(); + + function base64Decode(base64encodedStr) { + return Uint8Array.from(atob(base64encodedStr), function (c) { + return c.charCodeAt(0); + }); + } + + function getKeyIdBytes(str) { + var keyIdbytes = strToUtf8array(str).subarray(0, 16); + var paddedkeyIdbytes = new Uint8Array(16); + paddedkeyIdbytes.set(keyIdbytes, 16 - keyIdbytes.length); + return paddedkeyIdbytes; + } + function changeEndianness(keyId) { + var swap = function swap(array, from, to) { + var cur = array[from]; + array[from] = array[to]; + array[to] = cur; + }; + swap(keyId, 0, 3); + swap(keyId, 1, 2); + swap(keyId, 4, 5); + swap(keyId, 6, 7); + } + function convertDataUriToArrayBytes(uri) { + // data:[ + var colonsplit = uri.split(':'); + var keydata = null; + if (colonsplit[0] === 'data' && colonsplit.length === 2) { + var semicolonsplit = colonsplit[1].split(';'); + var commasplit = semicolonsplit[semicolonsplit.length - 1].split(','); + if (commasplit.length === 2) { + var isbase64 = commasplit[0] === 'base64'; + var data = commasplit[1]; + if (isbase64) { + semicolonsplit.splice(-1, 1); // remove from processing + keydata = base64Decode(data); + } else { + keydata = getKeyIdBytes(data); + } + } + } + return keydata; + } + function strToUtf8array(str) { + return Uint8Array.from(unescape(encodeURIComponent(str)), function (c) { + return c.charCodeAt(0); + }); + } + + /** returns `undefined` is `self` is missing, e.g. in node */ + var optionalSelf = typeof self !== 'undefined' ? self : undefined; + + /** + * @see https://developer.mozilla.org/en-US/docs/Web/API/Navigator/requestMediaKeySystemAccess + */ + var KeySystems = { + CLEARKEY: "org.w3.clearkey", + FAIRPLAY: "com.apple.fps", + PLAYREADY: "com.microsoft.playready", + WIDEVINE: "com.widevine.alpha" + }; + + // Playlist #EXT-X-KEY KEYFORMAT values + var KeySystemFormats = { + CLEARKEY: "org.w3.clearkey", + FAIRPLAY: "com.apple.streamingkeydelivery", + PLAYREADY: "com.microsoft.playready", + WIDEVINE: "urn:uuid:edef8ba9-79d6-4ace-a3c8-27dcd51d21ed" + }; + function keySystemFormatToKeySystemDomain(format) { + switch (format) { + case KeySystemFormats.FAIRPLAY: + return KeySystems.FAIRPLAY; + case KeySystemFormats.PLAYREADY: + return KeySystems.PLAYREADY; + case KeySystemFormats.WIDEVINE: + return KeySystems.WIDEVINE; + case KeySystemFormats.CLEARKEY: + return KeySystems.CLEARKEY; + } + } + + // System IDs for which we can extract a key ID from "encrypted" event PSSH + var KeySystemIds = { + CENC: "1077efecc0b24d02ace33c1e52e2fb4b", + CLEARKEY: "e2719d58a985b3c9781ab030af78d30e", + FAIRPLAY: "94ce86fb07ff4f43adb893d2fa968ca2", + PLAYREADY: "9a04f07998404286ab92e65be0885f95", + WIDEVINE: "edef8ba979d64acea3c827dcd51d21ed" + }; + function keySystemIdToKeySystemDomain(systemId) { + if (systemId === KeySystemIds.WIDEVINE) { + return KeySystems.WIDEVINE; + } else if (systemId === KeySystemIds.PLAYREADY) { + return KeySystems.PLAYREADY; + } else if (systemId === KeySystemIds.CENC || systemId === KeySystemIds.CLEARKEY) { + return KeySystems.CLEARKEY; + } + } + function keySystemDomainToKeySystemFormat(keySystem) { + switch (keySystem) { + case KeySystems.FAIRPLAY: + return KeySystemFormats.FAIRPLAY; + case KeySystems.PLAYREADY: + return KeySystemFormats.PLAYREADY; + case KeySystems.WIDEVINE: + return KeySystemFormats.WIDEVINE; + case KeySystems.CLEARKEY: + return KeySystemFormats.CLEARKEY; + } + } + function getKeySystemsForConfig(config) { + var drmSystems = config.drmSystems, + widevineLicenseUrl = config.widevineLicenseUrl; + var keySystemsToAttempt = drmSystems ? [KeySystems.FAIRPLAY, KeySystems.WIDEVINE, KeySystems.PLAYREADY, KeySystems.CLEARKEY].filter(function (keySystem) { + return !!drmSystems[keySystem]; + }) : []; + if (!keySystemsToAttempt[KeySystems.WIDEVINE] && widevineLicenseUrl) { + keySystemsToAttempt.push(KeySystems.WIDEVINE); + } + return keySystemsToAttempt; + } + var requestMediaKeySystemAccess = function (_optionalSelf$navigat) { + if (optionalSelf != null && (_optionalSelf$navigat = optionalSelf.navigator) != null && _optionalSelf$navigat.requestMediaKeySystemAccess) { + return self.navigator.requestMediaKeySystemAccess.bind(self.navigator); + } else { + return null; + } + }(); + + /** + * @see https://developer.mozilla.org/en-US/docs/Web/API/MediaKeySystemConfiguration + */ + function getSupportedMediaKeySystemConfigurations(keySystem, audioCodecs, videoCodecs, drmSystemOptions) { + var initDataTypes; + switch (keySystem) { + case KeySystems.FAIRPLAY: + initDataTypes = ['cenc', 'sinf']; + break; + case KeySystems.WIDEVINE: + case KeySystems.PLAYREADY: + initDataTypes = ['cenc']; + break; + case KeySystems.CLEARKEY: + initDataTypes = ['cenc', 'keyids']; + break; + default: + throw new Error("Unknown key-system: " + keySystem); + } + return createMediaKeySystemConfigurations(initDataTypes, audioCodecs, videoCodecs, drmSystemOptions); + } + function createMediaKeySystemConfigurations(initDataTypes, audioCodecs, videoCodecs, drmSystemOptions) { + var baseConfig = { + initDataTypes: initDataTypes, + persistentState: drmSystemOptions.persistentState || 'optional', + distinctiveIdentifier: drmSystemOptions.distinctiveIdentifier || 'optional', + sessionTypes: drmSystemOptions.sessionTypes || [drmSystemOptions.sessionType || 'temporary'], + audioCapabilities: audioCodecs.map(function (codec) { + return { + contentType: "audio/mp4; codecs=\"" + codec + "\"", + robustness: drmSystemOptions.audioRobustness || '', + encryptionScheme: drmSystemOptions.audioEncryptionScheme || null + }; + }), + videoCapabilities: videoCodecs.map(function (codec) { + return { + contentType: "video/mp4; codecs=\"" + codec + "\"", + robustness: drmSystemOptions.videoRobustness || '', + encryptionScheme: drmSystemOptions.videoEncryptionScheme || null + }; + }) + }; + return [baseConfig]; + } + + function sliceUint8(array, start, end) { + // @ts-expect-error This polyfills IE11 usage of Uint8Array slice. + // It always exists in the TypeScript definition so fails, but it fails at runtime on IE11. + return Uint8Array.prototype.slice ? array.slice(start, end) : new Uint8Array(Array.prototype.slice.call(array, start, end)); + } + + // breaking up those two types in order to clarify what is happening in the decoding path. + + /** + * Returns true if an ID3 header can be found at offset in data + * @param data - The data to search + * @param offset - The offset at which to start searching + */ + var isHeader$2 = function isHeader(data, offset) { + /* + * http://id3.org/id3v2.3.0 + * [0] = 'I' + * [1] = 'D' + * [2] = '3' + * [3,4] = {Version} + * [5] = {Flags} + * [6-9] = {ID3 Size} + * + * An ID3v2 tag can be detected with the following pattern: + * $49 44 33 yy yy xx zz zz zz zz + * Where yy is less than $FF, xx is the 'flags' byte and zz is less than $80 + */ + if (offset + 10 <= data.length) { + // look for 'ID3' identifier + if (data[offset] === 0x49 && data[offset + 1] === 0x44 && data[offset + 2] === 0x33) { + // check version is within range + if (data[offset + 3] < 0xff && data[offset + 4] < 0xff) { + // check size is within range + if (data[offset + 6] < 0x80 && data[offset + 7] < 0x80 && data[offset + 8] < 0x80 && data[offset + 9] < 0x80) { + return true; + } + } + } + } + return false; + }; + + /** + * Returns true if an ID3 footer can be found at offset in data + * @param data - The data to search + * @param offset - The offset at which to start searching + */ + var isFooter = function isFooter(data, offset) { + /* + * The footer is a copy of the header, but with a different identifier + */ + if (offset + 10 <= data.length) { + // look for '3DI' identifier + if (data[offset] === 0x33 && data[offset + 1] === 0x44 && data[offset + 2] === 0x49) { + // check version is within range + if (data[offset + 3] < 0xff && data[offset + 4] < 0xff) { + // check size is within range + if (data[offset + 6] < 0x80 && data[offset + 7] < 0x80 && data[offset + 8] < 0x80 && data[offset + 9] < 0x80) { + return true; + } + } + } + } + return false; + }; + + /** + * Returns any adjacent ID3 tags found in data starting at offset, as one block of data + * @param data - The data to search in + * @param offset - The offset at which to start searching + * @returns the block of data containing any ID3 tags found + * or *undefined* if no header is found at the starting offset + */ + var getID3Data = function getID3Data(data, offset) { + var front = offset; + var length = 0; + while (isHeader$2(data, offset)) { + // ID3 header is 10 bytes + length += 10; + var size = readSize(data, offset + 6); + length += size; + if (isFooter(data, offset + 10)) { + // ID3 footer is 10 bytes + length += 10; + } + offset += length; + } + if (length > 0) { + return data.subarray(front, front + length); + } + return undefined; + }; + var readSize = function readSize(data, offset) { + var size = 0; + size = (data[offset] & 0x7f) << 21; + size |= (data[offset + 1] & 0x7f) << 14; + size |= (data[offset + 2] & 0x7f) << 7; + size |= data[offset + 3] & 0x7f; + return size; + }; + var canParse$2 = function canParse(data, offset) { + return isHeader$2(data, offset) && readSize(data, offset + 6) + 10 <= data.length - offset; + }; + + /** + * Searches for the Elementary Stream timestamp found in the ID3 data chunk + * @param data - Block of data containing one or more ID3 tags + */ + var getTimeStamp = function getTimeStamp(data) { + var frames = getID3Frames(data); + for (var i = 0; i < frames.length; i++) { + var frame = frames[i]; + if (isTimeStampFrame(frame)) { + return readTimeStamp(frame); + } + } + return undefined; + }; + + /** + * Returns true if the ID3 frame is an Elementary Stream timestamp frame + */ + var isTimeStampFrame = function isTimeStampFrame(frame) { + return frame && frame.key === 'PRIV' && frame.info === 'com.apple.streaming.transportStreamTimestamp'; + }; + var getFrameData = function getFrameData(data) { + /* + Frame ID $xx xx xx xx (four characters) + Size $xx xx xx xx + Flags $xx xx + */ + var type = String.fromCharCode(data[0], data[1], data[2], data[3]); + var size = readSize(data, 4); + + // skip frame id, size, and flags + var offset = 10; + return { + type: type, + size: size, + data: data.subarray(offset, offset + size) + }; + }; + + /** + * Returns an array of ID3 frames found in all the ID3 tags in the id3Data + * @param id3Data - The ID3 data containing one or more ID3 tags + */ + var getID3Frames = function getID3Frames(id3Data) { + var offset = 0; + var frames = []; + while (isHeader$2(id3Data, offset)) { + var size = readSize(id3Data, offset + 6); + // skip past ID3 header + offset += 10; + var end = offset + size; + // loop through frames in the ID3 tag + while (offset + 8 < end) { + var frameData = getFrameData(id3Data.subarray(offset)); + var frame = decodeFrame(frameData); + if (frame) { + frames.push(frame); + } + + // skip frame header and frame data + offset += frameData.size + 10; + } + if (isFooter(id3Data, offset)) { + offset += 10; + } + } + return frames; + }; + var decodeFrame = function decodeFrame(frame) { + if (frame.type === 'PRIV') { + return decodePrivFrame(frame); + } else if (frame.type[0] === 'W') { + return decodeURLFrame(frame); + } + return decodeTextFrame(frame); + }; + var decodePrivFrame = function decodePrivFrame(frame) { + /* + Format: \0 + */ + if (frame.size < 2) { + return undefined; + } + var owner = utf8ArrayToStr(frame.data, true); + var privateData = new Uint8Array(frame.data.subarray(owner.length + 1)); + return { + key: frame.type, + info: owner, + data: privateData.buffer + }; + }; + var decodeTextFrame = function decodeTextFrame(frame) { + if (frame.size < 2) { + return undefined; + } + if (frame.type === 'TXXX') { + /* + Format: + [0] = {Text Encoding} + [1-?] = {Description}\0{Value} + */ + var index = 1; + var description = utf8ArrayToStr(frame.data.subarray(index), true); + index += description.length + 1; + var value = utf8ArrayToStr(frame.data.subarray(index)); + return { + key: frame.type, + info: description, + data: value + }; + } + /* + Format: + [0] = {Text Encoding} + [1-?] = {Value} + */ + var text = utf8ArrayToStr(frame.data.subarray(1)); + return { + key: frame.type, + data: text + }; + }; + var decodeURLFrame = function decodeURLFrame(frame) { + if (frame.type === 'WXXX') { + /* + Format: + [0] = {Text Encoding} + [1-?] = {Description}\0{URL} + */ + if (frame.size < 2) { + return undefined; + } + var index = 1; + var description = utf8ArrayToStr(frame.data.subarray(index), true); + index += description.length + 1; + var value = utf8ArrayToStr(frame.data.subarray(index)); + return { + key: frame.type, + info: description, + data: value + }; + } + /* + Format: + [0-?] = {URL} + */ + var url = utf8ArrayToStr(frame.data); + return { + key: frame.type, + data: url + }; + }; + var readTimeStamp = function readTimeStamp(timeStampFrame) { + if (timeStampFrame.data.byteLength === 8) { + var data = new Uint8Array(timeStampFrame.data); + // timestamp is 33 bit expressed as a big-endian eight-octet number, + // with the upper 31 bits set to zero. + var pts33Bit = data[3] & 0x1; + var timestamp = (data[4] << 23) + (data[5] << 15) + (data[6] << 7) + data[7]; + timestamp /= 45; + if (pts33Bit) { + timestamp += 47721858.84; + } // 2^32 / 90 + + return Math.round(timestamp); + } + return undefined; + }; + + // http://stackoverflow.com/questions/8936984/uint8array-to-string-in-javascript/22373197 + // http://www.onicos.com/staff/iz/amuse/javascript/expert/utf.txt + /* utf.js - UTF-8 <=> UTF-16 convertion + * + * Copyright (C) 1999 Masanao Izumo + * Version: 1.0 + * LastModified: Dec 25 1999 + * This library is free. You can redistribute it and/or modify it. + */ + var utf8ArrayToStr = function utf8ArrayToStr(array, exitOnNull) { + if (exitOnNull === void 0) { + exitOnNull = false; + } + var decoder = getTextDecoder(); + if (decoder) { + var decoded = decoder.decode(array); + if (exitOnNull) { + // grab up to the first null + var idx = decoded.indexOf('\0'); + return idx !== -1 ? decoded.substring(0, idx) : decoded; + } + + // remove any null characters + return decoded.replace(/\0/g, ''); + } + var len = array.length; + var c; + var char2; + var char3; + var out = ''; + var i = 0; + while (i < len) { + c = array[i++]; + if (c === 0x00 && exitOnNull) { + return out; + } else if (c === 0x00 || c === 0x03) { + // If the character is 3 (END_OF_TEXT) or 0 (NULL) then skip it + continue; + } + switch (c >> 4) { + case 0: + case 1: + case 2: + case 3: + case 4: + case 5: + case 6: + case 7: + // 0xxxxxxx + out += String.fromCharCode(c); + break; + case 12: + case 13: + // 110x xxxx 10xx xxxx + char2 = array[i++]; + out += String.fromCharCode((c & 0x1f) << 6 | char2 & 0x3f); + break; + case 14: + // 1110 xxxx 10xx xxxx 10xx xxxx + char2 = array[i++]; + char3 = array[i++]; + out += String.fromCharCode((c & 0x0f) << 12 | (char2 & 0x3f) << 6 | (char3 & 0x3f) << 0); + break; + } + } + return out; + }; + var decoder; + function getTextDecoder() { + // On Play Station 4, TextDecoder is defined but partially implemented. + // Manual decoding option is preferable + if (navigator.userAgent.includes('PlayStation 4')) { + return; + } + if (!decoder && typeof self.TextDecoder !== 'undefined') { + decoder = new self.TextDecoder('utf-8'); + } + return decoder; + } + + /** + * hex dump helper class + */ + + var Hex = { + hexDump: function hexDump(array) { + var str = ''; + for (var i = 0; i < array.length; i++) { + var h = array[i].toString(16); + if (h.length < 2) { + h = '0' + h; + } + str += h; + } + return str; + } + }; + + var UINT32_MAX$1 = Math.pow(2, 32) - 1; + var push = [].push; + + // We are using fixed track IDs for driving the MP4 remuxer + // instead of following the TS PIDs. + // There is no reason not to do this and some browsers/SourceBuffer-demuxers + // may not like if there are TrackID "switches" + // See https://github.com/video-dev/hls.js/issues/1331 + // Here we are mapping our internal track types to constant MP4 track IDs + // With MSE currently one can only have one track of each, and we are muxing + // whatever video/audio rendition in them. + var RemuxerTrackIdConfig = { + video: 1, + audio: 2, + id3: 3, + text: 4 + }; + function bin2str(data) { + return String.fromCharCode.apply(null, data); + } + function readUint16(buffer, offset) { + var val = buffer[offset] << 8 | buffer[offset + 1]; + return val < 0 ? 65536 + val : val; + } + function readUint32(buffer, offset) { + var val = readSint32(buffer, offset); + return val < 0 ? 4294967296 + val : val; + } + function readUint64(buffer, offset) { + var result = readUint32(buffer, offset); + result *= Math.pow(2, 32); + result += readUint32(buffer, offset + 4); + return result; + } + function readSint32(buffer, offset) { + return buffer[offset] << 24 | buffer[offset + 1] << 16 | buffer[offset + 2] << 8 | buffer[offset + 3]; + } + function writeUint32(buffer, offset, value) { + buffer[offset] = value >> 24; + buffer[offset + 1] = value >> 16 & 0xff; + buffer[offset + 2] = value >> 8 & 0xff; + buffer[offset + 3] = value & 0xff; + } + + // Find "moof" box + function hasMoofData(data) { + var end = data.byteLength; + for (var i = 0; i < end;) { + var size = readUint32(data, i); + if (size > 8 && data[i + 4] === 0x6d && data[i + 5] === 0x6f && data[i + 6] === 0x6f && data[i + 7] === 0x66) { + return true; + } + i = size > 1 ? i + size : end; + } + return false; + } + + // Find the data for a box specified by its path + function findBox(data, path) { + var results = []; + if (!path.length) { + // short-circuit the search for empty paths + return results; + } + var end = data.byteLength; + for (var i = 0; i < end;) { + var size = readUint32(data, i); + var type = bin2str(data.subarray(i + 4, i + 8)); + var endbox = size > 1 ? i + size : end; + if (type === path[0]) { + if (path.length === 1) { + // this is the end of the path and we've found the box we were + // looking for + results.push(data.subarray(i + 8, endbox)); + } else { + // recursively search for the next box along the path + var subresults = findBox(data.subarray(i + 8, endbox), path.slice(1)); + if (subresults.length) { + push.apply(results, subresults); + } + } + } + i = endbox; + } + + // we've finished searching all of data + return results; + } + function parseSegmentIndex(sidx) { + var references = []; + var version = sidx[0]; + + // set initial offset, we skip the reference ID (not needed) + var index = 8; + var timescale = readUint32(sidx, index); + index += 4; + var earliestPresentationTime = 0; + var firstOffset = 0; + if (version === 0) { + earliestPresentationTime = readUint32(sidx, index); + firstOffset = readUint32(sidx, index + 4); + index += 8; + } else { + earliestPresentationTime = readUint64(sidx, index); + firstOffset = readUint64(sidx, index + 8); + index += 16; + } + + // skip reserved + index += 2; + var startByte = sidx.length + firstOffset; + var referencesCount = readUint16(sidx, index); + index += 2; + for (var i = 0; i < referencesCount; i++) { + var referenceIndex = index; + var referenceInfo = readUint32(sidx, referenceIndex); + referenceIndex += 4; + var referenceSize = referenceInfo & 0x7fffffff; + var referenceType = (referenceInfo & 0x80000000) >>> 31; + if (referenceType === 1) { + logger.warn('SIDX has hierarchical references (not supported)'); + return null; + } + var subsegmentDuration = readUint32(sidx, referenceIndex); + referenceIndex += 4; + references.push({ + referenceSize: referenceSize, + subsegmentDuration: subsegmentDuration, + // unscaled + info: { + duration: subsegmentDuration / timescale, + start: startByte, + end: startByte + referenceSize - 1 + } + }); + startByte += referenceSize; + + // Skipping 1 bit for |startsWithSap|, 3 bits for |sapType|, and 28 bits + // for |sapDelta|. + referenceIndex += 4; + + // skip to next ref + index = referenceIndex; + } + return { + earliestPresentationTime: earliestPresentationTime, + timescale: timescale, + version: version, + referencesCount: referencesCount, + references: references + }; + } + + /** + * Parses an MP4 initialization segment and extracts stream type and + * timescale values for any declared tracks. Timescale values indicate the + * number of clock ticks per second to assume for time-based values + * elsewhere in the MP4. + * + * To determine the start time of an MP4, you need two pieces of + * information: the timescale unit and the earliest base media decode + * time. Multiple timescales can be specified within an MP4 but the + * base media decode time is always expressed in the timescale from + * the media header box for the track: + * ``` + * moov > trak > mdia > mdhd.timescale + * moov > trak > mdia > hdlr + * ``` + * @param initSegment the bytes of the init segment + * @returns a hash of track type to timescale values or null if + * the init segment is malformed. + */ + + function parseInitSegment(initSegment) { + var result = []; + var traks = findBox(initSegment, ['moov', 'trak']); + for (var i = 0; i < traks.length; i++) { + var trak = traks[i]; + var tkhd = findBox(trak, ['tkhd'])[0]; + if (tkhd) { + var version = tkhd[0]; + var trackId = readUint32(tkhd, version === 0 ? 12 : 20); + var mdhd = findBox(trak, ['mdia', 'mdhd'])[0]; + if (mdhd) { + version = mdhd[0]; + var timescale = readUint32(mdhd, version === 0 ? 12 : 20); + var hdlr = findBox(trak, ['mdia', 'hdlr'])[0]; + if (hdlr) { + var hdlrType = bin2str(hdlr.subarray(8, 12)); + var type = { + soun: ElementaryStreamTypes.AUDIO, + vide: ElementaryStreamTypes.VIDEO + }[hdlrType]; + if (type) { + // Parse codec details + var stsd = findBox(trak, ['mdia', 'minf', 'stbl', 'stsd'])[0]; + var stsdData = parseStsd(stsd); + result[trackId] = { + timescale: timescale, + type: type + }; + result[type] = _objectSpread2({ + timescale: timescale, + id: trackId + }, stsdData); + } + } + } + } + } + var trex = findBox(initSegment, ['moov', 'mvex', 'trex']); + trex.forEach(function (trex) { + var trackId = readUint32(trex, 4); + var track = result[trackId]; + if (track) { + track.default = { + duration: readUint32(trex, 12), + flags: readUint32(trex, 20) + }; + } + }); + return result; + } + function parseStsd(stsd) { + var sampleEntries = stsd.subarray(8); + var sampleEntriesEnd = sampleEntries.subarray(8 + 78); + var fourCC = bin2str(sampleEntries.subarray(4, 8)); + var codec = fourCC; + var encrypted = fourCC === 'enca' || fourCC === 'encv'; + if (encrypted) { + var encBox = findBox(sampleEntries, [fourCC])[0]; + var encBoxChildren = encBox.subarray(fourCC === 'enca' ? 28 : 78); + var sinfs = findBox(encBoxChildren, ['sinf']); + sinfs.forEach(function (sinf) { + var schm = findBox(sinf, ['schm'])[0]; + if (schm) { + var scheme = bin2str(schm.subarray(4, 8)); + if (scheme === 'cbcs' || scheme === 'cenc') { + var frma = findBox(sinf, ['frma'])[0]; + if (frma) { + // for encrypted content codec fourCC will be in frma + codec = bin2str(frma); + } + } + } + }); + } + switch (codec) { + case 'avc1': + case 'avc2': + case 'avc3': + case 'avc4': + { + // extract profile + compatibility + level out of avcC box + var avcCBox = findBox(sampleEntriesEnd, ['avcC'])[0]; + codec += '.' + toHex(avcCBox[1]) + toHex(avcCBox[2]) + toHex(avcCBox[3]); + break; + } + case 'mp4a': + { + var codecBox = findBox(sampleEntries, [fourCC])[0]; + var esdsBox = findBox(codecBox.subarray(28), ['esds'])[0]; + if (esdsBox && esdsBox.length > 12) { + var i = 4; + // ES Descriptor tag + if (esdsBox[i++] !== 0x03) { + break; + } + i = skipBERInteger(esdsBox, i); + i += 2; // skip es_id; + var flags = esdsBox[i++]; + if (flags & 0x80) { + i += 2; // skip dependency es_id + } + if (flags & 0x40) { + i += esdsBox[i++]; // skip URL + } + // Decoder config descriptor + if (esdsBox[i++] !== 0x04) { + break; + } + i = skipBERInteger(esdsBox, i); + var objectType = esdsBox[i++]; + if (objectType === 0x40) { + codec += '.' + toHex(objectType); + } else { + break; + } + i += 12; + // Decoder specific info + if (esdsBox[i++] !== 0x05) { + break; + } + i = skipBERInteger(esdsBox, i); + var firstByte = esdsBox[i++]; + var audioObjectType = (firstByte & 0xf8) >> 3; + if (audioObjectType === 31) { + audioObjectType += 1 + ((firstByte & 0x7) << 3) + ((esdsBox[i] & 0xe0) >> 5); + } + codec += '.' + audioObjectType; + } + break; + } + case 'hvc1': + case 'hev1': + { + var hvcCBox = findBox(sampleEntriesEnd, ['hvcC'])[0]; + var profileByte = hvcCBox[1]; + var profileSpace = ['', 'A', 'B', 'C'][profileByte >> 6]; + var generalProfileIdc = profileByte & 0x1f; + var profileCompat = readUint32(hvcCBox, 2); + var tierFlag = (profileByte & 0x20) >> 5 ? 'H' : 'L'; + var levelIDC = hvcCBox[12]; + var constraintIndicator = hvcCBox.subarray(6, 12); + codec += '.' + profileSpace + generalProfileIdc; + codec += '.' + profileCompat.toString(16).toUpperCase(); + codec += '.' + tierFlag + levelIDC; + var constraintString = ''; + for (var _i = constraintIndicator.length; _i--;) { + var _byte = constraintIndicator[_i]; + if (_byte || constraintString) { + var encodedByte = _byte.toString(16).toUpperCase(); + constraintString = '.' + encodedByte + constraintString; + } + } + codec += constraintString; + break; + } + case 'dvh1': + case 'dvhe': + { + var dvcCBox = findBox(sampleEntriesEnd, ['dvcC'])[0]; + var profile = dvcCBox[2] >> 1 & 0x7f; + var level = dvcCBox[2] << 5 & 0x20 | dvcCBox[3] >> 3 & 0x1f; + codec += '.' + addLeadingZero(profile) + '.' + addLeadingZero(level); + break; + } + case 'vp09': + { + var vpcCBox = findBox(sampleEntriesEnd, ['vpcC'])[0]; + var _profile = vpcCBox[4]; + var _level = vpcCBox[5]; + var bitDepth = vpcCBox[6] >> 4 & 0x0f; + codec += '.' + addLeadingZero(_profile) + '.' + addLeadingZero(_level) + '.' + addLeadingZero(bitDepth); + break; + } + case 'av01': + { + var av1CBox = findBox(sampleEntriesEnd, ['av1C'])[0]; + var _profile2 = av1CBox[1] >>> 5; + var _level2 = av1CBox[1] & 0x1f; + var _tierFlag = av1CBox[2] >>> 7 ? 'H' : 'M'; + var highBitDepth = (av1CBox[2] & 0x40) >> 6; + var twelveBit = (av1CBox[2] & 0x20) >> 5; + var _bitDepth = _profile2 === 2 && highBitDepth ? twelveBit ? 12 : 10 : highBitDepth ? 10 : 8; + var monochrome = (av1CBox[2] & 0x10) >> 4; + var chromaSubsamplingX = (av1CBox[2] & 0x08) >> 3; + var chromaSubsamplingY = (av1CBox[2] & 0x04) >> 2; + var chromaSamplePosition = av1CBox[2] & 0x03; + // TODO: parse color_description_present_flag + // default it to BT.709/limited range for now + // more info https://aomediacodec.github.io/av1-isobmff/#av1codecconfigurationbox-syntax + var colorPrimaries = 1; + var transferCharacteristics = 1; + var matrixCoefficients = 1; + var videoFullRangeFlag = 0; + codec += '.' + _profile2 + '.' + addLeadingZero(_level2) + _tierFlag + '.' + addLeadingZero(_bitDepth) + '.' + monochrome + '.' + chromaSubsamplingX + chromaSubsamplingY + chromaSamplePosition + '.' + addLeadingZero(colorPrimaries) + '.' + addLeadingZero(transferCharacteristics) + '.' + addLeadingZero(matrixCoefficients) + '.' + videoFullRangeFlag; + break; + } + } + return { + codec: codec, + encrypted: encrypted + }; + } + function skipBERInteger(bytes, i) { + var limit = i + 5; + while (bytes[i++] & 0x80 && i < limit) {} + return i; + } + function toHex(x) { + return ('0' + x.toString(16).toUpperCase()).slice(-2); + } + function addLeadingZero(num) { + return (num < 10 ? '0' : '') + num; + } + function patchEncyptionData(initSegment, decryptdata) { + if (!initSegment || !decryptdata) { + return initSegment; + } + var keyId = decryptdata.keyId; + if (keyId && decryptdata.isCommonEncryption) { + var traks = findBox(initSegment, ['moov', 'trak']); + traks.forEach(function (trak) { + var stsd = findBox(trak, ['mdia', 'minf', 'stbl', 'stsd'])[0]; + + // skip the sample entry count + var sampleEntries = stsd.subarray(8); + var encBoxes = findBox(sampleEntries, ['enca']); + var isAudio = encBoxes.length > 0; + if (!isAudio) { + encBoxes = findBox(sampleEntries, ['encv']); + } + encBoxes.forEach(function (enc) { + var encBoxChildren = isAudio ? enc.subarray(28) : enc.subarray(78); + var sinfBoxes = findBox(encBoxChildren, ['sinf']); + sinfBoxes.forEach(function (sinf) { + var tenc = parseSinf(sinf); + if (tenc) { + // Look for default key id (keyID offset is always 8 within the tenc box): + var tencKeyId = tenc.subarray(8, 24); + if (!tencKeyId.some(function (b) { + return b !== 0; + })) { + logger.log("[eme] Patching keyId in 'enc" + (isAudio ? 'a' : 'v') + ">sinf>>tenc' box: " + Hex.hexDump(tencKeyId) + " -> " + Hex.hexDump(keyId)); + tenc.set(keyId, 8); + } + } + }); + }); + }); + } + return initSegment; + } + function parseSinf(sinf) { + var schm = findBox(sinf, ['schm'])[0]; + if (schm) { + var scheme = bin2str(schm.subarray(4, 8)); + if (scheme === 'cbcs' || scheme === 'cenc') { + return findBox(sinf, ['schi', 'tenc'])[0]; + } + } + return null; + } + + /** + * Determine the base media decode start time, in seconds, for an MP4 + * fragment. If multiple fragments are specified, the earliest time is + * returned. + * + * The base media decode time can be parsed from track fragment + * metadata: + * ``` + * moof > traf > tfdt.baseMediaDecodeTime + * ``` + * It requires the timescale value from the mdhd to interpret. + * + * @param initData - a hash of track type to timescale values + * @param fmp4 - the bytes of the mp4 fragment + * @returns the earliest base media decode start time for the + * fragment, in seconds + */ + function getStartDTS(initData, fmp4) { + // we need info from two children of each track fragment box + return findBox(fmp4, ['moof', 'traf']).reduce(function (result, traf) { + var tfdt = findBox(traf, ['tfdt'])[0]; + var version = tfdt[0]; + var start = findBox(traf, ['tfhd']).reduce(function (result, tfhd) { + // get the track id from the tfhd + var id = readUint32(tfhd, 4); + var track = initData[id]; + if (track) { + var baseTime = readUint32(tfdt, 4); + if (version === 1) { + // If value is too large, assume signed 64-bit. Negative track fragment decode times are invalid, but they exist in the wild. + // This prevents large values from being used for initPTS, which can cause playlist sync issues. + // https://github.com/video-dev/hls.js/issues/5303 + if (baseTime === UINT32_MAX$1) { + logger.warn("[mp4-demuxer]: Ignoring assumed invalid signed 64-bit track fragment decode time"); + return result; + } + baseTime *= UINT32_MAX$1 + 1; + baseTime += readUint32(tfdt, 8); + } + // assume a 90kHz clock if no timescale was specified + var scale = track.timescale || 90e3; + // convert base time to seconds + var startTime = baseTime / scale; + if (isFiniteNumber(startTime) && (result === null || startTime < result)) { + return startTime; + } + } + return result; + }, null); + if (start !== null && isFiniteNumber(start) && (result === null || start < result)) { + return start; + } + return result; + }, null); + } + + /* + For Reference: + aligned(8) class TrackFragmentHeaderBox + extends FullBox(‘tfhd’, 0, tf_flags){ + unsigned int(32) track_ID; + // all the following are optional fields + unsigned int(64) base_data_offset; + unsigned int(32) sample_description_index; + unsigned int(32) default_sample_duration; + unsigned int(32) default_sample_size; + unsigned int(32) default_sample_flags + } + */ + function getDuration(data, initData) { + var rawDuration = 0; + var videoDuration = 0; + var audioDuration = 0; + var trafs = findBox(data, ['moof', 'traf']); + for (var i = 0; i < trafs.length; i++) { + var traf = trafs[i]; + // There is only one tfhd & trun per traf + // This is true for CMAF style content, and we should perhaps check the ftyp + // and only look for a single trun then, but for ISOBMFF we should check + // for multiple track runs. + var tfhd = findBox(traf, ['tfhd'])[0]; + // get the track id from the tfhd + var id = readUint32(tfhd, 4); + var track = initData[id]; + if (!track) { + continue; + } + var trackDefault = track.default; + var tfhdFlags = readUint32(tfhd, 0) | (trackDefault == null ? void 0 : trackDefault.flags); + var sampleDuration = trackDefault == null ? void 0 : trackDefault.duration; + if (tfhdFlags & 0x000008) { + // 0x000008 indicates the presence of the default_sample_duration field + if (tfhdFlags & 0x000002) { + // 0x000002 indicates the presence of the sample_description_index field, which precedes default_sample_duration + // If present, the default_sample_duration exists at byte offset 12 + sampleDuration = readUint32(tfhd, 12); + } else { + // Otherwise, the duration is at byte offset 8 + sampleDuration = readUint32(tfhd, 8); + } + } + // assume a 90kHz clock if no timescale was specified + var timescale = track.timescale || 90e3; + var truns = findBox(traf, ['trun']); + for (var j = 0; j < truns.length; j++) { + rawDuration = computeRawDurationFromSamples(truns[j]); + if (!rawDuration && sampleDuration) { + var sampleCount = readUint32(truns[j], 4); + rawDuration = sampleDuration * sampleCount; + } + if (track.type === ElementaryStreamTypes.VIDEO) { + videoDuration += rawDuration / timescale; + } else if (track.type === ElementaryStreamTypes.AUDIO) { + audioDuration += rawDuration / timescale; + } + } + } + if (videoDuration === 0 && audioDuration === 0) { + // If duration samples are not available in the traf use sidx subsegment_duration + var sidxMinStart = Infinity; + var sidxMaxEnd = 0; + var sidxDuration = 0; + var sidxs = findBox(data, ['sidx']); + for (var _i2 = 0; _i2 < sidxs.length; _i2++) { + var sidx = parseSegmentIndex(sidxs[_i2]); + if (sidx != null && sidx.references) { + sidxMinStart = Math.min(sidxMinStart, sidx.earliestPresentationTime / sidx.timescale); + var subSegmentDuration = sidx.references.reduce(function (dur, ref) { + return dur + ref.info.duration || 0; + }, 0); + sidxMaxEnd = Math.max(sidxMaxEnd, subSegmentDuration + sidx.earliestPresentationTime / sidx.timescale); + sidxDuration = sidxMaxEnd - sidxMinStart; + } + } + if (sidxDuration && isFiniteNumber(sidxDuration)) { + return sidxDuration; + } + } + if (videoDuration) { + return videoDuration; + } + return audioDuration; + } + + /* + For Reference: + aligned(8) class TrackRunBox + extends FullBox(‘trun’, version, tr_flags) { + unsigned int(32) sample_count; + // the following are optional fields + signed int(32) data_offset; + unsigned int(32) first_sample_flags; + // all fields in the following array are optional + { + unsigned int(32) sample_duration; + unsigned int(32) sample_size; + unsigned int(32) sample_flags + if (version == 0) + { unsigned int(32) + else + { signed int(32) + }[ sample_count ] + } + */ + function computeRawDurationFromSamples(trun) { + var flags = readUint32(trun, 0); + // Flags are at offset 0, non-optional sample_count is at offset 4. Therefore we start 8 bytes in. + // Each field is an int32, which is 4 bytes + var offset = 8; + // data-offset-present flag + if (flags & 0x000001) { + offset += 4; + } + // first-sample-flags-present flag + if (flags & 0x000004) { + offset += 4; + } + var duration = 0; + var sampleCount = readUint32(trun, 4); + for (var i = 0; i < sampleCount; i++) { + // sample-duration-present flag + if (flags & 0x000100) { + var sampleDuration = readUint32(trun, offset); + duration += sampleDuration; + offset += 4; + } + // sample-size-present flag + if (flags & 0x000200) { + offset += 4; + } + // sample-flags-present flag + if (flags & 0x000400) { + offset += 4; + } + // sample-composition-time-offsets-present flag + if (flags & 0x000800) { + offset += 4; + } + } + return duration; + } + function offsetStartDTS(initData, fmp4, timeOffset) { + findBox(fmp4, ['moof', 'traf']).forEach(function (traf) { + findBox(traf, ['tfhd']).forEach(function (tfhd) { + // get the track id from the tfhd + var id = readUint32(tfhd, 4); + var track = initData[id]; + if (!track) { + return; + } + // assume a 90kHz clock if no timescale was specified + var timescale = track.timescale || 90e3; + // get the base media decode time from the tfdt + findBox(traf, ['tfdt']).forEach(function (tfdt) { + var version = tfdt[0]; + var offset = timeOffset * timescale; + if (offset) { + var baseMediaDecodeTime = readUint32(tfdt, 4); + if (version === 0) { + baseMediaDecodeTime -= offset; + baseMediaDecodeTime = Math.max(baseMediaDecodeTime, 0); + writeUint32(tfdt, 4, baseMediaDecodeTime); + } else { + baseMediaDecodeTime *= Math.pow(2, 32); + baseMediaDecodeTime += readUint32(tfdt, 8); + baseMediaDecodeTime -= offset; + baseMediaDecodeTime = Math.max(baseMediaDecodeTime, 0); + var upper = Math.floor(baseMediaDecodeTime / (UINT32_MAX$1 + 1)); + var lower = Math.floor(baseMediaDecodeTime % (UINT32_MAX$1 + 1)); + writeUint32(tfdt, 4, upper); + writeUint32(tfdt, 8, lower); + } + } + }); + }); + }); + } + + // TODO: Check if the last moof+mdat pair is part of the valid range + function segmentValidRange(data) { + var segmentedRange = { + valid: null, + remainder: null + }; + var moofs = findBox(data, ['moof']); + if (moofs.length < 2) { + segmentedRange.remainder = data; + return segmentedRange; + } + var last = moofs[moofs.length - 1]; + // Offset by 8 bytes; findBox offsets the start by as much + segmentedRange.valid = sliceUint8(data, 0, last.byteOffset - 8); + segmentedRange.remainder = sliceUint8(data, last.byteOffset - 8); + return segmentedRange; + } + function appendUint8Array(data1, data2) { + var temp = new Uint8Array(data1.length + data2.length); + temp.set(data1); + temp.set(data2, data1.length); + return temp; + } + function parseSamples(timeOffset, track) { + var seiSamples = []; + var videoData = track.samples; + var timescale = track.timescale; + var trackId = track.id; + var isHEVCFlavor = false; + var moofs = findBox(videoData, ['moof']); + moofs.map(function (moof) { + var moofOffset = moof.byteOffset - 8; + var trafs = findBox(moof, ['traf']); + trafs.map(function (traf) { + // get the base media decode time from the tfdt + var baseTime = findBox(traf, ['tfdt']).map(function (tfdt) { + var version = tfdt[0]; + var result = readUint32(tfdt, 4); + if (version === 1) { + result *= Math.pow(2, 32); + result += readUint32(tfdt, 8); + } + return result / timescale; + })[0]; + if (baseTime !== undefined) { + timeOffset = baseTime; + } + return findBox(traf, ['tfhd']).map(function (tfhd) { + var id = readUint32(tfhd, 4); + var tfhdFlags = readUint32(tfhd, 0) & 0xffffff; + var baseDataOffsetPresent = (tfhdFlags & 0x000001) !== 0; + var sampleDescriptionIndexPresent = (tfhdFlags & 0x000002) !== 0; + var defaultSampleDurationPresent = (tfhdFlags & 0x000008) !== 0; + var defaultSampleDuration = 0; + var defaultSampleSizePresent = (tfhdFlags & 0x000010) !== 0; + var defaultSampleSize = 0; + var defaultSampleFlagsPresent = (tfhdFlags & 0x000020) !== 0; + var tfhdOffset = 8; + if (id === trackId) { + if (baseDataOffsetPresent) { + tfhdOffset += 8; + } + if (sampleDescriptionIndexPresent) { + tfhdOffset += 4; + } + if (defaultSampleDurationPresent) { + defaultSampleDuration = readUint32(tfhd, tfhdOffset); + tfhdOffset += 4; + } + if (defaultSampleSizePresent) { + defaultSampleSize = readUint32(tfhd, tfhdOffset); + tfhdOffset += 4; + } + if (defaultSampleFlagsPresent) { + tfhdOffset += 4; + } + if (track.type === 'video') { + isHEVCFlavor = isHEVC(track.codec); + } + findBox(traf, ['trun']).map(function (trun) { + var version = trun[0]; + var flags = readUint32(trun, 0) & 0xffffff; + var dataOffsetPresent = (flags & 0x000001) !== 0; + var dataOffset = 0; + var firstSampleFlagsPresent = (flags & 0x000004) !== 0; + var sampleDurationPresent = (flags & 0x000100) !== 0; + var sampleDuration = 0; + var sampleSizePresent = (flags & 0x000200) !== 0; + var sampleSize = 0; + var sampleFlagsPresent = (flags & 0x000400) !== 0; + var sampleCompositionOffsetsPresent = (flags & 0x000800) !== 0; + var compositionOffset = 0; + var sampleCount = readUint32(trun, 4); + var trunOffset = 8; // past version, flags, and sample count + + if (dataOffsetPresent) { + dataOffset = readUint32(trun, trunOffset); + trunOffset += 4; + } + if (firstSampleFlagsPresent) { + trunOffset += 4; + } + var sampleOffset = dataOffset + moofOffset; + for (var ix = 0; ix < sampleCount; ix++) { + if (sampleDurationPresent) { + sampleDuration = readUint32(trun, trunOffset); + trunOffset += 4; + } else { + sampleDuration = defaultSampleDuration; + } + if (sampleSizePresent) { + sampleSize = readUint32(trun, trunOffset); + trunOffset += 4; + } else { + sampleSize = defaultSampleSize; + } + if (sampleFlagsPresent) { + trunOffset += 4; + } + if (sampleCompositionOffsetsPresent) { + if (version === 0) { + compositionOffset = readUint32(trun, trunOffset); + } else { + compositionOffset = readSint32(trun, trunOffset); + } + trunOffset += 4; + } + if (track.type === ElementaryStreamTypes.VIDEO) { + var naluTotalSize = 0; + while (naluTotalSize < sampleSize) { + var naluSize = readUint32(videoData, sampleOffset); + sampleOffset += 4; + if (isSEIMessage(isHEVCFlavor, videoData[sampleOffset])) { + var data = videoData.subarray(sampleOffset, sampleOffset + naluSize); + parseSEIMessageFromNALu(data, isHEVCFlavor ? 2 : 1, timeOffset + compositionOffset / timescale, seiSamples); + } + sampleOffset += naluSize; + naluTotalSize += naluSize + 4; + } + } + timeOffset += sampleDuration / timescale; + } + }); + } + }); + }); + }); + return seiSamples; + } + function isHEVC(codec) { + if (!codec) { + return false; + } + var delimit = codec.indexOf('.'); + var baseCodec = delimit < 0 ? codec : codec.substring(0, delimit); + return baseCodec === 'hvc1' || baseCodec === 'hev1' || + // Dolby Vision + baseCodec === 'dvh1' || baseCodec === 'dvhe'; + } + function isSEIMessage(isHEVCFlavor, naluHeader) { + if (isHEVCFlavor) { + var naluType = naluHeader >> 1 & 0x3f; + return naluType === 39 || naluType === 40; + } else { + var _naluType = naluHeader & 0x1f; + return _naluType === 6; + } + } + function parseSEIMessageFromNALu(unescapedData, headerSize, pts, samples) { + var data = discardEPB(unescapedData); + var seiPtr = 0; + // skip nal header + seiPtr += headerSize; + var payloadType = 0; + var payloadSize = 0; + var b = 0; + while (seiPtr < data.length) { + payloadType = 0; + do { + if (seiPtr >= data.length) { + break; + } + b = data[seiPtr++]; + payloadType += b; + } while (b === 0xff); + + // Parse payload size. + payloadSize = 0; + do { + if (seiPtr >= data.length) { + break; + } + b = data[seiPtr++]; + payloadSize += b; + } while (b === 0xff); + var leftOver = data.length - seiPtr; + // Create a variable to process the payload + var payPtr = seiPtr; + + // Increment the seiPtr to the end of the payload + if (payloadSize < leftOver) { + seiPtr += payloadSize; + } else if (payloadSize > leftOver) { + // Some type of corruption has happened? + logger.error("Malformed SEI payload. " + payloadSize + " is too small, only " + leftOver + " bytes left to parse."); + // We might be able to parse some data, but let's be safe and ignore it. + break; + } + if (payloadType === 4) { + var countryCode = data[payPtr++]; + if (countryCode === 181) { + var providerCode = readUint16(data, payPtr); + payPtr += 2; + if (providerCode === 49) { + var userStructure = readUint32(data, payPtr); + payPtr += 4; + if (userStructure === 0x47413934) { + var userDataType = data[payPtr++]; + + // Raw CEA-608 bytes wrapped in CEA-708 packet + if (userDataType === 3) { + var firstByte = data[payPtr++]; + var totalCCs = 0x1f & firstByte; + var enabled = 0x40 & firstByte; + var totalBytes = enabled ? 2 + totalCCs * 3 : 0; + var byteArray = new Uint8Array(totalBytes); + if (enabled) { + byteArray[0] = firstByte; + for (var i = 1; i < totalBytes; i++) { + byteArray[i] = data[payPtr++]; + } + } + samples.push({ + type: userDataType, + payloadType: payloadType, + pts: pts, + bytes: byteArray + }); + } + } + } + } + } else if (payloadType === 5) { + if (payloadSize > 16) { + var uuidStrArray = []; + for (var _i3 = 0; _i3 < 16; _i3++) { + var _b = data[payPtr++].toString(16); + uuidStrArray.push(_b.length == 1 ? '0' + _b : _b); + if (_i3 === 3 || _i3 === 5 || _i3 === 7 || _i3 === 9) { + uuidStrArray.push('-'); + } + } + var length = payloadSize - 16; + var userDataBytes = new Uint8Array(length); + for (var _i4 = 0; _i4 < length; _i4++) { + userDataBytes[_i4] = data[payPtr++]; + } + samples.push({ + payloadType: payloadType, + pts: pts, + uuid: uuidStrArray.join(''), + userData: utf8ArrayToStr(userDataBytes), + userDataBytes: userDataBytes + }); + } + } + } + } + + /** + * remove Emulation Prevention bytes from a RBSP + */ + function discardEPB(data) { + var length = data.byteLength; + var EPBPositions = []; + var i = 1; + + // Find all `Emulation Prevention Bytes` + while (i < length - 2) { + if (data[i] === 0 && data[i + 1] === 0 && data[i + 2] === 0x03) { + EPBPositions.push(i + 2); + i += 2; + } else { + i++; + } + } + + // If no Emulation Prevention Bytes were found just return the original + // array + if (EPBPositions.length === 0) { + return data; + } + + // Create a new array to hold the NAL unit data + var newLength = length - EPBPositions.length; + var newData = new Uint8Array(newLength); + var sourceIndex = 0; + for (i = 0; i < newLength; sourceIndex++, i++) { + if (sourceIndex === EPBPositions[0]) { + // Skip this byte + sourceIndex++; + // Remove this position index + EPBPositions.shift(); + } + newData[i] = data[sourceIndex]; + } + return newData; + } + function parseEmsg(data) { + var version = data[0]; + var schemeIdUri = ''; + var value = ''; + var timeScale = 0; + var presentationTimeDelta = 0; + var presentationTime = 0; + var eventDuration = 0; + var id = 0; + var offset = 0; + if (version === 0) { + while (bin2str(data.subarray(offset, offset + 1)) !== '\0') { + schemeIdUri += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + } + schemeIdUri += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + while (bin2str(data.subarray(offset, offset + 1)) !== '\0') { + value += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + } + value += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + timeScale = readUint32(data, 12); + presentationTimeDelta = readUint32(data, 16); + eventDuration = readUint32(data, 20); + id = readUint32(data, 24); + offset = 28; + } else if (version === 1) { + offset += 4; + timeScale = readUint32(data, offset); + offset += 4; + var leftPresentationTime = readUint32(data, offset); + offset += 4; + var rightPresentationTime = readUint32(data, offset); + offset += 4; + presentationTime = Math.pow(2, 32) * leftPresentationTime + rightPresentationTime; + if (!isSafeInteger(presentationTime)) { + presentationTime = Number.MAX_SAFE_INTEGER; + logger.warn('Presentation time exceeds safe integer limit and wrapped to max safe integer in parsing emsg box'); + } + eventDuration = readUint32(data, offset); + offset += 4; + id = readUint32(data, offset); + offset += 4; + while (bin2str(data.subarray(offset, offset + 1)) !== '\0') { + schemeIdUri += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + } + schemeIdUri += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + while (bin2str(data.subarray(offset, offset + 1)) !== '\0') { + value += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + } + value += bin2str(data.subarray(offset, offset + 1)); + offset += 1; + } + var payload = data.subarray(offset, data.byteLength); + return { + schemeIdUri: schemeIdUri, + value: value, + timeScale: timeScale, + presentationTime: presentationTime, + presentationTimeDelta: presentationTimeDelta, + eventDuration: eventDuration, + id: id, + payload: payload + }; + } + function mp4Box(type) { + for (var _len = arguments.length, payload = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + payload[_key - 1] = arguments[_key]; + } + var len = payload.length; + var size = 8; + var i = len; + while (i--) { + size += payload[i].byteLength; + } + var result = new Uint8Array(size); + result[0] = size >> 24 & 0xff; + result[1] = size >> 16 & 0xff; + result[2] = size >> 8 & 0xff; + result[3] = size & 0xff; + result.set(type, 4); + for (i = 0, size = 8; i < len; i++) { + result.set(payload[i], size); + size += payload[i].byteLength; + } + return result; + } + function mp4pssh(systemId, keyids, data) { + if (systemId.byteLength !== 16) { + throw new RangeError('Invalid system id'); + } + var version; + var kids; + if (keyids) { + version = 1; + kids = new Uint8Array(keyids.length * 16); + for (var ix = 0; ix < keyids.length; ix++) { + var k = keyids[ix]; // uint8array + if (k.byteLength !== 16) { + throw new RangeError('Invalid key'); + } + kids.set(k, ix * 16); + } + } else { + version = 0; + kids = new Uint8Array(); + } + var kidCount; + if (version > 0) { + kidCount = new Uint8Array(4); + if (keyids.length > 0) { + new DataView(kidCount.buffer).setUint32(0, keyids.length, false); + } + } else { + kidCount = new Uint8Array(); + } + var dataSize = new Uint8Array(4); + if (data && data.byteLength > 0) { + new DataView(dataSize.buffer).setUint32(0, data.byteLength, false); + } + return mp4Box([112, 115, 115, 104], new Uint8Array([version, 0x00, 0x00, 0x00 // Flags + ]), systemId, + // 16 bytes + kidCount, kids, dataSize, data || new Uint8Array()); + } + function parseMultiPssh(initData) { + var results = []; + if (initData instanceof ArrayBuffer) { + var length = initData.byteLength; + var offset = 0; + while (offset + 32 < length) { + var view = new DataView(initData, offset); + var pssh = parsePssh(view); + results.push(pssh); + offset += pssh.size; + } + } + return results; + } + function parsePssh(view) { + var size = view.getUint32(0); + var offset = view.byteOffset; + var length = view.byteLength; + if (length < size) { + return { + offset: offset, + size: length + }; + } + var type = view.getUint32(4); + if (type !== 0x70737368) { + return { + offset: offset, + size: size + }; + } + var version = view.getUint32(8) >>> 24; + if (version !== 0 && version !== 1) { + return { + offset: offset, + size: size + }; + } + var buffer = view.buffer; + var systemId = Hex.hexDump(new Uint8Array(buffer, offset + 12, 16)); + var dataSizeOrKidCount = view.getUint32(28); + var kids = null; + var data = null; + if (version === 0) { + if (size - 32 < dataSizeOrKidCount || dataSizeOrKidCount < 22) { + return { + offset: offset, + size: size + }; + } + data = new Uint8Array(buffer, offset + 32, dataSizeOrKidCount); + } else if (version === 1) { + if (!dataSizeOrKidCount || length < offset + 32 + dataSizeOrKidCount * 16 + 16) { + return { + offset: offset, + size: size + }; + } + kids = []; + for (var i = 0; i < dataSizeOrKidCount; i++) { + kids.push(new Uint8Array(buffer, offset + 32 + i * 16, 16)); + } + } + return { + version: version, + systemId: systemId, + kids: kids, + data: data, + offset: offset, + size: size + }; + } + + var keyUriToKeyIdMap = {}; + var LevelKey = /*#__PURE__*/function () { + LevelKey.clearKeyUriToKeyIdMap = function clearKeyUriToKeyIdMap() { + keyUriToKeyIdMap = {}; + }; + function LevelKey(method, uri, format, formatversions, iv) { + if (formatversions === void 0) { + formatversions = [1]; + } + if (iv === void 0) { + iv = null; + } + this.uri = void 0; + this.method = void 0; + this.keyFormat = void 0; + this.keyFormatVersions = void 0; + this.encrypted = void 0; + this.isCommonEncryption = void 0; + this.iv = null; + this.key = null; + this.keyId = null; + this.pssh = null; + this.method = method; + this.uri = uri; + this.keyFormat = format; + this.keyFormatVersions = formatversions; + this.iv = iv; + this.encrypted = method ? method !== 'NONE' : false; + this.isCommonEncryption = this.encrypted && method !== 'AES-128'; + } + var _proto = LevelKey.prototype; + _proto.isSupported = function isSupported() { + // If it's Segment encryption or No encryption, just select that key system + if (this.method) { + if (this.method === 'AES-128' || this.method === 'NONE') { + return true; + } + if (this.keyFormat === 'identity') { + // Maintain support for clear SAMPLE-AES with MPEG-3 TS + return this.method === 'SAMPLE-AES'; + } else { + switch (this.keyFormat) { + case KeySystemFormats.FAIRPLAY: + case KeySystemFormats.WIDEVINE: + case KeySystemFormats.PLAYREADY: + case KeySystemFormats.CLEARKEY: + return ['ISO-23001-7', 'SAMPLE-AES', 'SAMPLE-AES-CENC', 'SAMPLE-AES-CTR'].indexOf(this.method) !== -1; + } + } + } + return false; + }; + _proto.getDecryptData = function getDecryptData(sn) { + if (!this.encrypted || !this.uri) { + return null; + } + if (this.method === 'AES-128' && this.uri && !this.iv) { + if (typeof sn !== 'number') { + // We are fetching decryption data for a initialization segment + // If the segment was encrypted with AES-128 + // It must have an IV defined. We cannot substitute the Segment Number in. + if (this.method === 'AES-128' && !this.iv) { + logger.warn("missing IV for initialization segment with method=\"" + this.method + "\" - compliance issue"); + } + // Explicitly set sn to resulting value from implicit conversions 'initSegment' values for IV generation. + sn = 0; + } + var iv = createInitializationVector(sn); + var decryptdata = new LevelKey(this.method, this.uri, 'identity', this.keyFormatVersions, iv); + return decryptdata; + } + + // Initialize keyId if possible + var keyBytes = convertDataUriToArrayBytes(this.uri); + if (keyBytes) { + switch (this.keyFormat) { + case KeySystemFormats.WIDEVINE: + this.pssh = keyBytes; + // In case of widevine keyID is embedded in PSSH box. Read Key ID. + if (keyBytes.length >= 22) { + this.keyId = keyBytes.subarray(keyBytes.length - 22, keyBytes.length - 6); + } + break; + case KeySystemFormats.PLAYREADY: + { + var PlayReadyKeySystemUUID = new Uint8Array([0x9a, 0x04, 0xf0, 0x79, 0x98, 0x40, 0x42, 0x86, 0xab, 0x92, 0xe6, 0x5b, 0xe0, 0x88, 0x5f, 0x95]); + this.pssh = mp4pssh(PlayReadyKeySystemUUID, null, keyBytes); + var keyBytesUtf16 = new Uint16Array(keyBytes.buffer, keyBytes.byteOffset, keyBytes.byteLength / 2); + var keyByteStr = String.fromCharCode.apply(null, Array.from(keyBytesUtf16)); + + // Parse Playready WRMHeader XML + var xmlKeyBytes = keyByteStr.substring(keyByteStr.indexOf('<'), keyByteStr.length); + var parser = new DOMParser(); + var xmlDoc = parser.parseFromString(xmlKeyBytes, 'text/xml'); + var keyData = xmlDoc.getElementsByTagName('KID')[0]; + if (keyData) { + var keyId = keyData.childNodes[0] ? keyData.childNodes[0].nodeValue : keyData.getAttribute('VALUE'); + if (keyId) { + var keyIdArray = base64Decode(keyId).subarray(0, 16); + // KID value in PRO is a base64-encoded little endian GUID interpretation of UUID + // KID value in ‘tenc’ is a big endian UUID GUID interpretation of UUID + changeEndianness(keyIdArray); + this.keyId = keyIdArray; + } + } + break; + } + default: + { + var keydata = keyBytes.subarray(0, 16); + if (keydata.length !== 16) { + var padded = new Uint8Array(16); + padded.set(keydata, 16 - keydata.length); + keydata = padded; + } + this.keyId = keydata; + break; + } + } + } + + // Default behavior: assign a new keyId for each uri + if (!this.keyId || this.keyId.byteLength !== 16) { + var _keyId = keyUriToKeyIdMap[this.uri]; + if (!_keyId) { + var val = Object.keys(keyUriToKeyIdMap).length % Number.MAX_SAFE_INTEGER; + _keyId = new Uint8Array(16); + var dv = new DataView(_keyId.buffer, 12, 4); // Just set the last 4 bytes + dv.setUint32(0, val); + keyUriToKeyIdMap[this.uri] = _keyId; + } + this.keyId = _keyId; + } + return this; + }; + return LevelKey; + }(); + function createInitializationVector(segmentNumber) { + var uint8View = new Uint8Array(16); + for (var i = 12; i < 16; i++) { + uint8View[i] = segmentNumber >> 8 * (15 - i) & 0xff; + } + return uint8View; + } + + var VARIABLE_REPLACEMENT_REGEX = /\{\$([a-zA-Z0-9-_]+)\}/g; + function hasVariableReferences(str) { + return VARIABLE_REPLACEMENT_REGEX.test(str); + } + function substituteVariablesInAttributes(parsed, attr, attributeNames) { + if (parsed.variableList !== null || parsed.hasVariableRefs) { + for (var i = attributeNames.length; i--;) { + var name = attributeNames[i]; + var value = attr[name]; + if (value) { + attr[name] = substituteVariables(parsed, value); + } + } + } + } + function substituteVariables(parsed, value) { + if (parsed.variableList !== null || parsed.hasVariableRefs) { + var variableList = parsed.variableList; + return value.replace(VARIABLE_REPLACEMENT_REGEX, function (variableReference) { + var variableName = variableReference.substring(2, variableReference.length - 1); + var variableValue = variableList == null ? void 0 : variableList[variableName]; + if (variableValue === undefined) { + parsed.playlistParsingError || (parsed.playlistParsingError = new Error("Missing preceding EXT-X-DEFINE tag for Variable Reference: \"" + variableName + "\"")); + return variableReference; + } + return variableValue; + }); + } + return value; + } + function addVariableDefinition(parsed, attr, parentUrl) { + var variableList = parsed.variableList; + if (!variableList) { + parsed.variableList = variableList = {}; + } + var NAME; + var VALUE; + if ('QUERYPARAM' in attr) { + NAME = attr.QUERYPARAM; + try { + var searchParams = new self.URL(parentUrl).searchParams; + if (searchParams.has(NAME)) { + VALUE = searchParams.get(NAME); + } else { + throw new Error("\"" + NAME + "\" does not match any query parameter in URI: \"" + parentUrl + "\""); + } + } catch (error) { + parsed.playlistParsingError || (parsed.playlistParsingError = new Error("EXT-X-DEFINE QUERYPARAM: " + error.message)); + } + } else { + NAME = attr.NAME; + VALUE = attr.VALUE; + } + if (NAME in variableList) { + parsed.playlistParsingError || (parsed.playlistParsingError = new Error("EXT-X-DEFINE duplicate Variable Name declarations: \"" + NAME + "\"")); + } else { + variableList[NAME] = VALUE || ''; + } + } + function importVariableDefinition(parsed, attr, sourceVariableList) { + var IMPORT = attr.IMPORT; + if (sourceVariableList && IMPORT in sourceVariableList) { + var variableList = parsed.variableList; + if (!variableList) { + parsed.variableList = variableList = {}; + } + variableList[IMPORT] = sourceVariableList[IMPORT]; + } else { + parsed.playlistParsingError || (parsed.playlistParsingError = new Error("EXT-X-DEFINE IMPORT attribute not found in Multivariant Playlist: \"" + IMPORT + "\"")); + } + } + + /** + * MediaSource helper + */ + + function getMediaSource(preferManagedMediaSource) { + if (preferManagedMediaSource === void 0) { + preferManagedMediaSource = true; + } + if (typeof self === 'undefined') return undefined; + var mms = (preferManagedMediaSource || !self.MediaSource) && self.ManagedMediaSource; + return mms || self.MediaSource || self.WebKitMediaSource; + } + function isManagedMediaSource(source) { + return typeof self !== 'undefined' && source === self.ManagedMediaSource; + } + + // from http://mp4ra.org/codecs.html + // values indicate codec selection preference (lower is higher priority) + var sampleEntryCodesISO = { + audio: { + a3ds: 1, + 'ac-3': 0.95, + 'ac-4': 1, + alac: 0.9, + alaw: 1, + dra1: 1, + 'dts+': 1, + 'dts-': 1, + dtsc: 1, + dtse: 1, + dtsh: 1, + 'ec-3': 0.9, + enca: 1, + fLaC: 0.9, + // MP4-RA listed codec entry for FLAC + flac: 0.9, + // legacy browser codec name for FLAC + FLAC: 0.9, + // some manifests may list "FLAC" with Apple's tools + g719: 1, + g726: 1, + m4ae: 1, + mha1: 1, + mha2: 1, + mhm1: 1, + mhm2: 1, + mlpa: 1, + mp4a: 1, + 'raw ': 1, + Opus: 1, + opus: 1, + // browsers expect this to be lowercase despite MP4RA says 'Opus' + samr: 1, + sawb: 1, + sawp: 1, + sevc: 1, + sqcp: 1, + ssmv: 1, + twos: 1, + ulaw: 1 + }, + video: { + avc1: 1, + avc2: 1, + avc3: 1, + avc4: 1, + avcp: 1, + av01: 0.8, + drac: 1, + dva1: 1, + dvav: 1, + dvh1: 0.7, + dvhe: 0.7, + encv: 1, + hev1: 0.75, + hvc1: 0.75, + mjp2: 1, + mp4v: 1, + mvc1: 1, + mvc2: 1, + mvc3: 1, + mvc4: 1, + resv: 1, + rv60: 1, + s263: 1, + svc1: 1, + svc2: 1, + 'vc-1': 1, + vp08: 1, + vp09: 0.9 + }, + text: { + stpp: 1, + wvtt: 1 + } + }; + function isCodecType(codec, type) { + var typeCodes = sampleEntryCodesISO[type]; + return !!typeCodes && !!typeCodes[codec.slice(0, 4)]; + } + function areCodecsMediaSourceSupported(codecs, type, preferManagedMediaSource) { + if (preferManagedMediaSource === void 0) { + preferManagedMediaSource = true; + } + return !codecs.split(',').some(function (codec) { + return !isCodecMediaSourceSupported(codec, type, preferManagedMediaSource); + }); + } + function isCodecMediaSourceSupported(codec, type, preferManagedMediaSource) { + var _MediaSource$isTypeSu; + if (preferManagedMediaSource === void 0) { + preferManagedMediaSource = true; + } + var MediaSource = getMediaSource(preferManagedMediaSource); + return (_MediaSource$isTypeSu = MediaSource == null ? void 0 : MediaSource.isTypeSupported(mimeTypeForCodec(codec, type))) != null ? _MediaSource$isTypeSu : false; + } + function mimeTypeForCodec(codec, type) { + return type + "/mp4;codecs=\"" + codec + "\""; + } + function videoCodecPreferenceValue(videoCodec) { + if (videoCodec) { + var fourCC = videoCodec.substring(0, 4); + return sampleEntryCodesISO.video[fourCC]; + } + return 2; + } + function codecsSetSelectionPreferenceValue(codecSet) { + return codecSet.split(',').reduce(function (num, fourCC) { + var preferenceValue = sampleEntryCodesISO.video[fourCC]; + if (preferenceValue) { + return (preferenceValue * 2 + num) / (num ? 3 : 2); + } + return (sampleEntryCodesISO.audio[fourCC] + num) / (num ? 2 : 1); + }, 0); + } + var CODEC_COMPATIBLE_NAMES = {}; + function getCodecCompatibleNameLower(lowerCaseCodec, preferManagedMediaSource) { + if (preferManagedMediaSource === void 0) { + preferManagedMediaSource = true; + } + if (CODEC_COMPATIBLE_NAMES[lowerCaseCodec]) { + return CODEC_COMPATIBLE_NAMES[lowerCaseCodec]; + } + + // Idealy fLaC and Opus would be first (spec-compliant) but + // some browsers will report that fLaC is supported then fail. + // see: https://bugs.chromium.org/p/chromium/issues/detail?id=1422728 + var codecsToCheck = { + flac: ['flac', 'fLaC', 'FLAC'], + opus: ['opus', 'Opus'] + }[lowerCaseCodec]; + for (var i = 0; i < codecsToCheck.length; i++) { + if (isCodecMediaSourceSupported(codecsToCheck[i], 'audio', preferManagedMediaSource)) { + CODEC_COMPATIBLE_NAMES[lowerCaseCodec] = codecsToCheck[i]; + return codecsToCheck[i]; + } + } + return lowerCaseCodec; + } + var AUDIO_CODEC_REGEXP = /flac|opus/i; + function getCodecCompatibleName(codec, preferManagedMediaSource) { + if (preferManagedMediaSource === void 0) { + preferManagedMediaSource = true; + } + return codec.replace(AUDIO_CODEC_REGEXP, function (m) { + return getCodecCompatibleNameLower(m.toLowerCase(), preferManagedMediaSource); + }); + } + function pickMostCompleteCodecName(parsedCodec, levelCodec) { + // Parsing of mp4a codecs strings in mp4-tools from media is incomplete as of d8c6c7a + // so use level codec is parsed codec is unavailable or incomplete + if (parsedCodec && parsedCodec !== 'mp4a') { + return parsedCodec; + } + return levelCodec ? levelCodec.split(',')[0] : levelCodec; + } + function convertAVC1ToAVCOTI(codec) { + // Convert avc1 codec string from RFC-4281 to RFC-6381 for MediaSource.isTypeSupported + // Examples: avc1.66.30 to avc1.42001e and avc1.77.30,avc1.66.30 to avc1.4d001e,avc1.42001e. + var codecs = codec.split(','); + for (var i = 0; i < codecs.length; i++) { + var avcdata = codecs[i].split('.'); + if (avcdata.length > 2) { + var result = avcdata.shift() + '.'; + result += parseInt(avcdata.shift()).toString(16); + result += ('000' + parseInt(avcdata.shift()).toString(16)).slice(-4); + codecs[i] = result; + } + } + return codecs.join(','); + } + + var MASTER_PLAYLIST_REGEX = /#EXT-X-STREAM-INF:([^\r\n]*)(?:[\r\n](?:#[^\r\n]*)?)*([^\r\n]+)|#EXT-X-(SESSION-DATA|SESSION-KEY|DEFINE|CONTENT-STEERING|START):([^\r\n]*)[\r\n]+/g; + var MASTER_PLAYLIST_MEDIA_REGEX = /#EXT-X-MEDIA:(.*)/g; + var IS_MEDIA_PLAYLIST = /^#EXT(?:INF|-X-TARGETDURATION):/m; // Handle empty Media Playlist (first EXTINF not signaled, but TARGETDURATION present) + + var LEVEL_PLAYLIST_REGEX_FAST = new RegExp([/#EXTINF:\s*(\d*(?:\.\d+)?)(?:,(.*)\s+)?/.source, + // duration (#EXTINF:,), group 1 => duration, group 2 => title + /(?!#) *(\S[^\r\n]*)/.source, + // segment URI, group 3 => the URI (note newline is not eaten) + /#EXT-X-BYTERANGE:*(.+)/.source, + // next segment's byterange, group 4 => range spec (x@y) + /#EXT-X-PROGRAM-DATE-TIME:(.+)/.source, + // next segment's program date/time group 5 => the datetime spec + /#.*/.source // All other non-segment oriented tags will match with all groups empty + ].join('|'), 'g'); + var LEVEL_PLAYLIST_REGEX_SLOW = new RegExp([/#(EXTM3U)/.source, /#EXT-X-(DATERANGE|DEFINE|KEY|MAP|PART|PART-INF|PLAYLIST-TYPE|PRELOAD-HINT|RENDITION-REPORT|SERVER-CONTROL|SKIP|START):(.+)/.source, /#EXT-X-(BITRATE|DISCONTINUITY-SEQUENCE|MEDIA-SEQUENCE|TARGETDURATION|VERSION): *(\d+)/.source, /#EXT-X-(DISCONTINUITY|ENDLIST|GAP|INDEPENDENT-SEGMENTS)/.source, /(#)([^:]*):(.*)/.source, /(#)(.*)(?:.*)\r?\n?/.source].join('|')); + var M3U8Parser = /*#__PURE__*/function () { + function M3U8Parser() {} + M3U8Parser.findGroup = function findGroup(groups, mediaGroupId) { + for (var i = 0; i < groups.length; i++) { + var group = groups[i]; + if (group.id === mediaGroupId) { + return group; + } + } + }; + M3U8Parser.resolve = function resolve(url, baseUrl) { + return urlToolkitExports.buildAbsoluteURL(baseUrl, url, { + alwaysNormalize: true + }); + }; + M3U8Parser.isMediaPlaylist = function isMediaPlaylist(str) { + return IS_MEDIA_PLAYLIST.test(str); + }; + M3U8Parser.parseMasterPlaylist = function parseMasterPlaylist(string, baseurl) { + var hasVariableRefs = hasVariableReferences(string) ; + var parsed = { + contentSteering: null, + levels: [], + playlistParsingError: null, + sessionData: null, + sessionKeys: null, + startTimeOffset: null, + variableList: null, + hasVariableRefs: hasVariableRefs + }; + var levelsWithKnownCodecs = []; + MASTER_PLAYLIST_REGEX.lastIndex = 0; + var result; + while ((result = MASTER_PLAYLIST_REGEX.exec(string)) != null) { + if (result[1]) { + var _level$unknownCodecs; + // '#EXT-X-STREAM-INF' is found, parse level tag in group 1 + var attrs = new AttrList(result[1]); + { + substituteVariablesInAttributes(parsed, attrs, ['CODECS', 'SUPPLEMENTAL-CODECS', 'ALLOWED-CPC', 'PATHWAY-ID', 'STABLE-VARIANT-ID', 'AUDIO', 'VIDEO', 'SUBTITLES', 'CLOSED-CAPTIONS', 'NAME']); + } + var uri = substituteVariables(parsed, result[2]) ; + var level = { + attrs: attrs, + bitrate: attrs.decimalInteger('BANDWIDTH') || attrs.decimalInteger('AVERAGE-BANDWIDTH'), + name: attrs.NAME, + url: M3U8Parser.resolve(uri, baseurl) + }; + var resolution = attrs.decimalResolution('RESOLUTION'); + if (resolution) { + level.width = resolution.width; + level.height = resolution.height; + } + setCodecs(attrs.CODECS, level); + if (!((_level$unknownCodecs = level.unknownCodecs) != null && _level$unknownCodecs.length)) { + levelsWithKnownCodecs.push(level); + } + parsed.levels.push(level); + } else if (result[3]) { + var tag = result[3]; + var attributes = result[4]; + switch (tag) { + case 'SESSION-DATA': + { + // #EXT-X-SESSION-DATA + var sessionAttrs = new AttrList(attributes); + { + substituteVariablesInAttributes(parsed, sessionAttrs, ['DATA-ID', 'LANGUAGE', 'VALUE', 'URI']); + } + var dataId = sessionAttrs['DATA-ID']; + if (dataId) { + if (parsed.sessionData === null) { + parsed.sessionData = {}; + } + parsed.sessionData[dataId] = sessionAttrs; + } + break; + } + case 'SESSION-KEY': + { + // #EXT-X-SESSION-KEY + var sessionKey = parseKey(attributes, baseurl, parsed); + if (sessionKey.encrypted && sessionKey.isSupported()) { + if (parsed.sessionKeys === null) { + parsed.sessionKeys = []; + } + parsed.sessionKeys.push(sessionKey); + } else { + logger.warn("[Keys] Ignoring invalid EXT-X-SESSION-KEY tag: \"" + attributes + "\""); + } + break; + } + case 'DEFINE': + { + // #EXT-X-DEFINE + { + var variableAttributes = new AttrList(attributes); + substituteVariablesInAttributes(parsed, variableAttributes, ['NAME', 'VALUE', 'QUERYPARAM']); + addVariableDefinition(parsed, variableAttributes, baseurl); + } + break; + } + case 'CONTENT-STEERING': + { + // #EXT-X-CONTENT-STEERING + var contentSteeringAttributes = new AttrList(attributes); + { + substituteVariablesInAttributes(parsed, contentSteeringAttributes, ['SERVER-URI', 'PATHWAY-ID']); + } + parsed.contentSteering = { + uri: M3U8Parser.resolve(contentSteeringAttributes['SERVER-URI'], baseurl), + pathwayId: contentSteeringAttributes['PATHWAY-ID'] || '.' + }; + break; + } + case 'START': + { + // #EXT-X-START + parsed.startTimeOffset = parseStartTimeOffset(attributes); + break; + } + } + } + } + // Filter out levels with unknown codecs if it does not remove all levels + var stripUnknownCodecLevels = levelsWithKnownCodecs.length > 0 && levelsWithKnownCodecs.length < parsed.levels.length; + parsed.levels = stripUnknownCodecLevels ? levelsWithKnownCodecs : parsed.levels; + if (parsed.levels.length === 0) { + parsed.playlistParsingError = new Error('no levels found in manifest'); + } + return parsed; + }; + M3U8Parser.parseMasterPlaylistMedia = function parseMasterPlaylistMedia(string, baseurl, parsed) { + var result; + var results = {}; + var levels = parsed.levels; + var groupsByType = { + AUDIO: levels.map(function (level) { + return { + id: level.attrs.AUDIO, + audioCodec: level.audioCodec + }; + }), + SUBTITLES: levels.map(function (level) { + return { + id: level.attrs.SUBTITLES, + textCodec: level.textCodec + }; + }), + 'CLOSED-CAPTIONS': [] + }; + var id = 0; + MASTER_PLAYLIST_MEDIA_REGEX.lastIndex = 0; + while ((result = MASTER_PLAYLIST_MEDIA_REGEX.exec(string)) !== null) { + var attrs = new AttrList(result[1]); + var type = attrs.TYPE; + if (type) { + var groups = groupsByType[type]; + var medias = results[type] || []; + results[type] = medias; + { + substituteVariablesInAttributes(parsed, attrs, ['URI', 'GROUP-ID', 'LANGUAGE', 'ASSOC-LANGUAGE', 'STABLE-RENDITION-ID', 'NAME', 'INSTREAM-ID', 'CHARACTERISTICS', 'CHANNELS']); + } + var lang = attrs.LANGUAGE; + var assocLang = attrs['ASSOC-LANGUAGE']; + var channels = attrs.CHANNELS; + var characteristics = attrs.CHARACTERISTICS; + var instreamId = attrs['INSTREAM-ID']; + var media = { + attrs: attrs, + bitrate: 0, + id: id++, + groupId: attrs['GROUP-ID'] || '', + name: attrs.NAME || lang || '', + type: type, + default: attrs.bool('DEFAULT'), + autoselect: attrs.bool('AUTOSELECT'), + forced: attrs.bool('FORCED'), + lang: lang, + url: attrs.URI ? M3U8Parser.resolve(attrs.URI, baseurl) : '' + }; + if (assocLang) { + media.assocLang = assocLang; + } + if (channels) { + media.channels = channels; + } + if (characteristics) { + media.characteristics = characteristics; + } + if (instreamId) { + media.instreamId = instreamId; + } + if (groups != null && groups.length) { + // If there are audio or text groups signalled in the manifest, let's look for a matching codec string for this track + // If we don't find the track signalled, lets use the first audio groups codec we have + // Acting as a best guess + var groupCodec = M3U8Parser.findGroup(groups, media.groupId) || groups[0]; + assignCodec(media, groupCodec, 'audioCodec'); + assignCodec(media, groupCodec, 'textCodec'); + } + medias.push(media); + } + } + return results; + }; + M3U8Parser.parseLevelPlaylist = function parseLevelPlaylist(string, baseurl, id, type, levelUrlId, multivariantVariableList) { + var level = new LevelDetails(baseurl); + var fragments = level.fragments; + // The most recent init segment seen (applies to all subsequent segments) + var currentInitSegment = null; + var currentSN = 0; + var currentPart = 0; + var totalduration = 0; + var discontinuityCounter = 0; + var prevFrag = null; + var frag = new Fragment(type, baseurl); + var result; + var i; + var levelkeys; + var firstPdtIndex = -1; + var createNextFrag = false; + var nextByteRange = null; + LEVEL_PLAYLIST_REGEX_FAST.lastIndex = 0; + level.m3u8 = string; + level.hasVariableRefs = hasVariableReferences(string) ; + while ((result = LEVEL_PLAYLIST_REGEX_FAST.exec(string)) !== null) { + if (createNextFrag) { + createNextFrag = false; + frag = new Fragment(type, baseurl); + // setup the next fragment for part loading + frag.start = totalduration; + frag.sn = currentSN; + frag.cc = discontinuityCounter; + frag.level = id; + if (currentInitSegment) { + frag.initSegment = currentInitSegment; + frag.rawProgramDateTime = currentInitSegment.rawProgramDateTime; + currentInitSegment.rawProgramDateTime = null; + if (nextByteRange) { + frag.setByteRange(nextByteRange); + nextByteRange = null; + } + } + } + var duration = result[1]; + if (duration) { + // INF + frag.duration = parseFloat(duration); + // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 + var title = (' ' + result[2]).slice(1); + frag.title = title || null; + frag.tagList.push(title ? ['INF', duration, title] : ['INF', duration]); + } else if (result[3]) { + // url + if (isFiniteNumber(frag.duration)) { + frag.start = totalduration; + if (levelkeys) { + setFragLevelKeys(frag, levelkeys, level); + } + frag.sn = currentSN; + frag.level = id; + frag.cc = discontinuityCounter; + fragments.push(frag); + // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 + var uri = (' ' + result[3]).slice(1); + frag.relurl = substituteVariables(level, uri) ; + assignProgramDateTime(frag, prevFrag); + prevFrag = frag; + totalduration += frag.duration; + currentSN++; + currentPart = 0; + createNextFrag = true; + } + } else if (result[4]) { + // X-BYTERANGE + var data = (' ' + result[4]).slice(1); + if (prevFrag) { + frag.setByteRange(data, prevFrag); + } else { + frag.setByteRange(data); + } + } else if (result[5]) { + // PROGRAM-DATE-TIME + // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 + frag.rawProgramDateTime = (' ' + result[5]).slice(1); + frag.tagList.push(['PROGRAM-DATE-TIME', frag.rawProgramDateTime]); + if (firstPdtIndex === -1) { + firstPdtIndex = fragments.length; + } + } else { + result = result[0].match(LEVEL_PLAYLIST_REGEX_SLOW); + if (!result) { + logger.warn('No matches on slow regex match for level playlist!'); + continue; + } + for (i = 1; i < result.length; i++) { + if (typeof result[i] !== 'undefined') { + break; + } + } + + // avoid sliced strings https://github.com/video-dev/hls.js/issues/939 + var tag = (' ' + result[i]).slice(1); + var value1 = (' ' + result[i + 1]).slice(1); + var value2 = result[i + 2] ? (' ' + result[i + 2]).slice(1) : ''; + switch (tag) { + case 'PLAYLIST-TYPE': + level.type = value1.toUpperCase(); + break; + case 'MEDIA-SEQUENCE': + currentSN = level.startSN = parseInt(value1); + break; + case 'SKIP': + { + var skipAttrs = new AttrList(value1); + { + substituteVariablesInAttributes(level, skipAttrs, ['RECENTLY-REMOVED-DATERANGES']); + } + var skippedSegments = skipAttrs.decimalInteger('SKIPPED-SEGMENTS'); + if (isFiniteNumber(skippedSegments)) { + level.skippedSegments = skippedSegments; + // This will result in fragments[] containing undefined values, which we will fill in with `mergeDetails` + for (var _i = skippedSegments; _i--;) { + fragments.unshift(null); + } + currentSN += skippedSegments; + } + var recentlyRemovedDateranges = skipAttrs.enumeratedString('RECENTLY-REMOVED-DATERANGES'); + if (recentlyRemovedDateranges) { + level.recentlyRemovedDateranges = recentlyRemovedDateranges.split('\t'); + } + break; + } + case 'TARGETDURATION': + level.targetduration = Math.max(parseInt(value1), 1); + break; + case 'VERSION': + level.version = parseInt(value1); + break; + case 'INDEPENDENT-SEGMENTS': + case 'EXTM3U': + break; + case 'ENDLIST': + level.live = false; + break; + case '#': + if (value1 || value2) { + frag.tagList.push(value2 ? [value1, value2] : [value1]); + } + break; + case 'DISCONTINUITY': + discontinuityCounter++; + frag.tagList.push(['DIS']); + break; + case 'GAP': + frag.gap = true; + frag.tagList.push([tag]); + break; + case 'BITRATE': + frag.tagList.push([tag, value1]); + break; + case 'DATERANGE': + { + var dateRangeAttr = new AttrList(value1); + { + substituteVariablesInAttributes(level, dateRangeAttr, ['ID', 'CLASS', 'START-DATE', 'END-DATE', 'SCTE35-CMD', 'SCTE35-OUT', 'SCTE35-IN']); + substituteVariablesInAttributes(level, dateRangeAttr, dateRangeAttr.clientAttrs); + } + var dateRange = new DateRange(dateRangeAttr, level.dateRanges[dateRangeAttr.ID]); + if (dateRange.isValid || level.skippedSegments) { + level.dateRanges[dateRange.id] = dateRange; + } else { + logger.warn("Ignoring invalid DATERANGE tag: \"" + value1 + "\""); + } + // Add to fragment tag list for backwards compatibility (< v1.2.0) + frag.tagList.push(['EXT-X-DATERANGE', value1]); + break; + } + case 'DEFINE': + { + { + var variableAttributes = new AttrList(value1); + substituteVariablesInAttributes(level, variableAttributes, ['NAME', 'VALUE', 'IMPORT', 'QUERYPARAM']); + if ('IMPORT' in variableAttributes) { + importVariableDefinition(level, variableAttributes, multivariantVariableList); + } else { + addVariableDefinition(level, variableAttributes, baseurl); + } + } + break; + } + case 'DISCONTINUITY-SEQUENCE': + discontinuityCounter = parseInt(value1); + break; + case 'KEY': + { + var levelKey = parseKey(value1, baseurl, level); + if (levelKey.isSupported()) { + if (levelKey.method === 'NONE') { + levelkeys = undefined; + break; + } + if (!levelkeys) { + levelkeys = {}; + } + if (levelkeys[levelKey.keyFormat]) { + levelkeys = _extends({}, levelkeys); + } + levelkeys[levelKey.keyFormat] = levelKey; + } else { + logger.warn("[Keys] Ignoring invalid EXT-X-KEY tag: \"" + value1 + "\""); + } + break; + } + case 'START': + level.startTimeOffset = parseStartTimeOffset(value1); + break; + case 'MAP': + { + var mapAttrs = new AttrList(value1); + { + substituteVariablesInAttributes(level, mapAttrs, ['BYTERANGE', 'URI']); + } + if (frag.duration) { + // Initial segment tag is after segment duration tag. + // #EXTINF: 6.0 + // #EXT-X-MAP:URI="init.mp4 + var init = new Fragment(type, baseurl); + setInitSegment(init, mapAttrs, id, levelkeys); + currentInitSegment = init; + frag.initSegment = currentInitSegment; + if (currentInitSegment.rawProgramDateTime && !frag.rawProgramDateTime) { + frag.rawProgramDateTime = currentInitSegment.rawProgramDateTime; + } + } else { + // Initial segment tag is before segment duration tag + // Handle case where EXT-X-MAP is declared after EXT-X-BYTERANGE + var end = frag.byteRangeEndOffset; + if (end) { + var start = frag.byteRangeStartOffset; + nextByteRange = end - start + "@" + start; + } else { + nextByteRange = null; + } + setInitSegment(frag, mapAttrs, id, levelkeys); + currentInitSegment = frag; + createNextFrag = true; + } + break; + } + case 'SERVER-CONTROL': + { + var serverControlAttrs = new AttrList(value1); + level.canBlockReload = serverControlAttrs.bool('CAN-BLOCK-RELOAD'); + level.canSkipUntil = serverControlAttrs.optionalFloat('CAN-SKIP-UNTIL', 0); + level.canSkipDateRanges = level.canSkipUntil > 0 && serverControlAttrs.bool('CAN-SKIP-DATERANGES'); + level.partHoldBack = serverControlAttrs.optionalFloat('PART-HOLD-BACK', 0); + level.holdBack = serverControlAttrs.optionalFloat('HOLD-BACK', 0); + break; + } + case 'PART-INF': + { + var partInfAttrs = new AttrList(value1); + level.partTarget = partInfAttrs.decimalFloatingPoint('PART-TARGET'); + break; + } + case 'PART': + { + var partList = level.partList; + if (!partList) { + partList = level.partList = []; + } + var previousFragmentPart = currentPart > 0 ? partList[partList.length - 1] : undefined; + var index = currentPart++; + var partAttrs = new AttrList(value1); + { + substituteVariablesInAttributes(level, partAttrs, ['BYTERANGE', 'URI']); + } + var part = new Part(partAttrs, frag, baseurl, index, previousFragmentPart); + partList.push(part); + frag.duration += part.duration; + break; + } + case 'PRELOAD-HINT': + { + var preloadHintAttrs = new AttrList(value1); + { + substituteVariablesInAttributes(level, preloadHintAttrs, ['URI']); + } + level.preloadHint = preloadHintAttrs; + break; + } + case 'RENDITION-REPORT': + { + var renditionReportAttrs = new AttrList(value1); + { + substituteVariablesInAttributes(level, renditionReportAttrs, ['URI']); + } + level.renditionReports = level.renditionReports || []; + level.renditionReports.push(renditionReportAttrs); + break; + } + default: + logger.warn("line parsed but not handled: " + result); + break; + } + } + } + if (prevFrag && !prevFrag.relurl) { + fragments.pop(); + totalduration -= prevFrag.duration; + if (level.partList) { + level.fragmentHint = prevFrag; + } + } else if (level.partList) { + assignProgramDateTime(frag, prevFrag); + frag.cc = discontinuityCounter; + level.fragmentHint = frag; + if (levelkeys) { + setFragLevelKeys(frag, levelkeys, level); + } + } + var fragmentLength = fragments.length; + var firstFragment = fragments[0]; + var lastFragment = fragments[fragmentLength - 1]; + totalduration += level.skippedSegments * level.targetduration; + if (totalduration > 0 && fragmentLength && lastFragment) { + level.averagetargetduration = totalduration / fragmentLength; + var lastSn = lastFragment.sn; + level.endSN = lastSn !== 'initSegment' ? lastSn : 0; + if (!level.live) { + lastFragment.endList = true; + } + if (firstFragment) { + level.startCC = firstFragment.cc; + } + } else { + level.endSN = 0; + level.startCC = 0; + } + if (level.fragmentHint) { + totalduration += level.fragmentHint.duration; + } + level.totalduration = totalduration; + level.endCC = discontinuityCounter; + + /** + * Backfill any missing PDT values + * "If the first EXT-X-PROGRAM-DATE-TIME tag in a Playlist appears after + * one or more Media Segment URIs, the client SHOULD extrapolate + * backward from that tag (using EXTINF durations and/or media + * timestamps) to associate dates with those segments." + * We have already extrapolated forward, but all fragments up to the first instance of PDT do not have their PDTs + * computed. + */ + if (firstPdtIndex > 0) { + backfillProgramDateTimes(fragments, firstPdtIndex); + } + return level; + }; + return M3U8Parser; + }(); + function parseKey(keyTagAttributes, baseurl, parsed) { + var _keyAttrs$METHOD, _keyAttrs$KEYFORMAT; + // https://tools.ietf.org/html/rfc8216#section-4.3.2.4 + var keyAttrs = new AttrList(keyTagAttributes); + { + substituteVariablesInAttributes(parsed, keyAttrs, ['KEYFORMAT', 'KEYFORMATVERSIONS', 'URI', 'IV', 'URI']); + } + var decryptmethod = (_keyAttrs$METHOD = keyAttrs.METHOD) != null ? _keyAttrs$METHOD : ''; + var decrypturi = keyAttrs.URI; + var decryptiv = keyAttrs.hexadecimalInteger('IV'); + var decryptkeyformatversions = keyAttrs.KEYFORMATVERSIONS; + // From RFC: This attribute is OPTIONAL; its absence indicates an implicit value of "identity". + var decryptkeyformat = (_keyAttrs$KEYFORMAT = keyAttrs.KEYFORMAT) != null ? _keyAttrs$KEYFORMAT : 'identity'; + if (decrypturi && keyAttrs.IV && !decryptiv) { + logger.error("Invalid IV: " + keyAttrs.IV); + } + // If decrypturi is a URI with a scheme, then baseurl will be ignored + // No uri is allowed when METHOD is NONE + var resolvedUri = decrypturi ? M3U8Parser.resolve(decrypturi, baseurl) : ''; + var keyFormatVersions = (decryptkeyformatversions ? decryptkeyformatversions : '1').split('/').map(Number).filter(Number.isFinite); + return new LevelKey(decryptmethod, resolvedUri, decryptkeyformat, keyFormatVersions, decryptiv); + } + function parseStartTimeOffset(startAttributes) { + var startAttrs = new AttrList(startAttributes); + var startTimeOffset = startAttrs.decimalFloatingPoint('TIME-OFFSET'); + if (isFiniteNumber(startTimeOffset)) { + return startTimeOffset; + } + return null; + } + function setCodecs(codecsAttributeValue, level) { + var codecs = (codecsAttributeValue || '').split(/[ ,]+/).filter(function (c) { + return c; + }); + ['video', 'audio', 'text'].forEach(function (type) { + var filtered = codecs.filter(function (codec) { + return isCodecType(codec, type); + }); + if (filtered.length) { + // Comma separated list of all codecs for type + level[type + "Codec"] = filtered.join(','); + // Remove known codecs so that only unknownCodecs are left after iterating through each type + codecs = codecs.filter(function (codec) { + return filtered.indexOf(codec) === -1; + }); + } + }); + level.unknownCodecs = codecs; + } + function assignCodec(media, groupItem, codecProperty) { + var codecValue = groupItem[codecProperty]; + if (codecValue) { + media[codecProperty] = codecValue; + } + } + function backfillProgramDateTimes(fragments, firstPdtIndex) { + var fragPrev = fragments[firstPdtIndex]; + for (var i = firstPdtIndex; i--;) { + var frag = fragments[i]; + // Exit on delta-playlist skipped segments + if (!frag) { + return; + } + frag.programDateTime = fragPrev.programDateTime - frag.duration * 1000; + fragPrev = frag; + } + } + function assignProgramDateTime(frag, prevFrag) { + if (frag.rawProgramDateTime) { + frag.programDateTime = Date.parse(frag.rawProgramDateTime); + } else if (prevFrag != null && prevFrag.programDateTime) { + frag.programDateTime = prevFrag.endProgramDateTime; + } + if (!isFiniteNumber(frag.programDateTime)) { + frag.programDateTime = null; + frag.rawProgramDateTime = null; + } + } + function setInitSegment(frag, mapAttrs, id, levelkeys) { + frag.relurl = mapAttrs.URI; + if (mapAttrs.BYTERANGE) { + frag.setByteRange(mapAttrs.BYTERANGE); + } + frag.level = id; + frag.sn = 'initSegment'; + if (levelkeys) { + frag.levelkeys = levelkeys; + } + frag.initSegment = null; + } + function setFragLevelKeys(frag, levelkeys, level) { + frag.levelkeys = levelkeys; + var encryptedFragments = level.encryptedFragments; + if ((!encryptedFragments.length || encryptedFragments[encryptedFragments.length - 1].levelkeys !== levelkeys) && Object.keys(levelkeys).some(function (format) { + return levelkeys[format].isCommonEncryption; + })) { + encryptedFragments.push(frag); + } + } + + var PlaylistContextType = { + MANIFEST: "manifest", + LEVEL: "level", + AUDIO_TRACK: "audioTrack", + SUBTITLE_TRACK: "subtitleTrack" + }; + var PlaylistLevelType = { + MAIN: "main", + AUDIO: "audio", + SUBTITLE: "subtitle" + }; + + function mapContextToLevelType(context) { + var type = context.type; + switch (type) { + case PlaylistContextType.AUDIO_TRACK: + return PlaylistLevelType.AUDIO; + case PlaylistContextType.SUBTITLE_TRACK: + return PlaylistLevelType.SUBTITLE; + default: + return PlaylistLevelType.MAIN; + } + } + function getResponseUrl(response, context) { + var url = response.url; + // responseURL not supported on some browsers (it is used to detect URL redirection) + // data-uri mode also not supported (but no need to detect redirection) + if (url === undefined || url.indexOf('data:') === 0) { + // fallback to initial URL + url = context.url; + } + return url; + } + var PlaylistLoader = /*#__PURE__*/function () { + function PlaylistLoader(hls) { + this.hls = void 0; + this.loaders = Object.create(null); + this.variableList = null; + this.hls = hls; + this.registerListeners(); + } + var _proto = PlaylistLoader.prototype; + _proto.startLoad = function startLoad(startPosition) {}; + _proto.stopLoad = function stopLoad() { + this.destroyInternalLoaders(); + }; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.on(Events.AUDIO_TRACK_LOADING, this.onAudioTrackLoading, this); + hls.on(Events.SUBTITLE_TRACK_LOADING, this.onSubtitleTrackLoading, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.off(Events.AUDIO_TRACK_LOADING, this.onAudioTrackLoading, this); + hls.off(Events.SUBTITLE_TRACK_LOADING, this.onSubtitleTrackLoading, this); + } + + /** + * Returns defaults or configured loader-type overloads (pLoader and loader config params) + */; + _proto.createInternalLoader = function createInternalLoader(context) { + var config = this.hls.config; + var PLoader = config.pLoader; + var Loader = config.loader; + var InternalLoader = PLoader || Loader; + var loader = new InternalLoader(config); + this.loaders[context.type] = loader; + return loader; + }; + _proto.getInternalLoader = function getInternalLoader(context) { + return this.loaders[context.type]; + }; + _proto.resetInternalLoader = function resetInternalLoader(contextType) { + if (this.loaders[contextType]) { + delete this.loaders[contextType]; + } + } + + /** + * Call `destroy` on all internal loader instances mapped (one per context type) + */; + _proto.destroyInternalLoaders = function destroyInternalLoaders() { + for (var contextType in this.loaders) { + var loader = this.loaders[contextType]; + if (loader) { + loader.destroy(); + } + this.resetInternalLoader(contextType); + } + }; + _proto.destroy = function destroy() { + this.variableList = null; + this.unregisterListeners(); + this.destroyInternalLoaders(); + }; + _proto.onManifestLoading = function onManifestLoading(event, data) { + var url = data.url; + this.variableList = null; + this.load({ + id: null, + level: 0, + responseType: 'text', + type: PlaylistContextType.MANIFEST, + url: url, + deliveryDirectives: null + }); + }; + _proto.onLevelLoading = function onLevelLoading(event, data) { + var id = data.id, + level = data.level, + pathwayId = data.pathwayId, + url = data.url, + deliveryDirectives = data.deliveryDirectives; + this.load({ + id: id, + level: level, + pathwayId: pathwayId, + responseType: 'text', + type: PlaylistContextType.LEVEL, + url: url, + deliveryDirectives: deliveryDirectives + }); + }; + _proto.onAudioTrackLoading = function onAudioTrackLoading(event, data) { + var id = data.id, + groupId = data.groupId, + url = data.url, + deliveryDirectives = data.deliveryDirectives; + this.load({ + id: id, + groupId: groupId, + level: null, + responseType: 'text', + type: PlaylistContextType.AUDIO_TRACK, + url: url, + deliveryDirectives: deliveryDirectives + }); + }; + _proto.onSubtitleTrackLoading = function onSubtitleTrackLoading(event, data) { + var id = data.id, + groupId = data.groupId, + url = data.url, + deliveryDirectives = data.deliveryDirectives; + this.load({ + id: id, + groupId: groupId, + level: null, + responseType: 'text', + type: PlaylistContextType.SUBTITLE_TRACK, + url: url, + deliveryDirectives: deliveryDirectives + }); + }; + _proto.load = function load(context) { + var _context$deliveryDire, + _this = this; + var config = this.hls.config; + + // logger.debug(`[playlist-loader]: Loading playlist of type ${context.type}, level: ${context.level}, id: ${context.id}`); + + // Check if a loader for this context already exists + var loader = this.getInternalLoader(context); + if (loader) { + var loaderContext = loader.context; + if (loaderContext && loaderContext.url === context.url && loaderContext.level === context.level) { + // same URL can't overlap + logger.trace('[playlist-loader]: playlist request ongoing'); + return; + } + logger.log("[playlist-loader]: aborting previous loader for type: " + context.type); + loader.abort(); + } + + // apply different configs for retries depending on + // context (manifest, level, audio/subs playlist) + var loadPolicy; + if (context.type === PlaylistContextType.MANIFEST) { + loadPolicy = config.manifestLoadPolicy.default; + } else { + loadPolicy = _extends({}, config.playlistLoadPolicy.default, { + timeoutRetry: null, + errorRetry: null + }); + } + loader = this.createInternalLoader(context); + + // Override level/track timeout for LL-HLS requests + // (the default of 10000ms is counter productive to blocking playlist reload requests) + if (isFiniteNumber((_context$deliveryDire = context.deliveryDirectives) == null ? void 0 : _context$deliveryDire.part)) { + var levelDetails; + if (context.type === PlaylistContextType.LEVEL && context.level !== null) { + levelDetails = this.hls.levels[context.level].details; + } else if (context.type === PlaylistContextType.AUDIO_TRACK && context.id !== null) { + levelDetails = this.hls.audioTracks[context.id].details; + } else if (context.type === PlaylistContextType.SUBTITLE_TRACK && context.id !== null) { + levelDetails = this.hls.subtitleTracks[context.id].details; + } + if (levelDetails) { + var partTarget = levelDetails.partTarget; + var targetDuration = levelDetails.targetduration; + if (partTarget && targetDuration) { + var maxLowLatencyPlaylistRefresh = Math.max(partTarget * 3, targetDuration * 0.8) * 1000; + loadPolicy = _extends({}, loadPolicy, { + maxTimeToFirstByteMs: Math.min(maxLowLatencyPlaylistRefresh, loadPolicy.maxTimeToFirstByteMs), + maxLoadTimeMs: Math.min(maxLowLatencyPlaylistRefresh, loadPolicy.maxTimeToFirstByteMs) + }); + } + } + } + var legacyRetryCompatibility = loadPolicy.errorRetry || loadPolicy.timeoutRetry || {}; + var loaderConfig = { + loadPolicy: loadPolicy, + timeout: loadPolicy.maxLoadTimeMs, + maxRetry: legacyRetryCompatibility.maxNumRetry || 0, + retryDelay: legacyRetryCompatibility.retryDelayMs || 0, + maxRetryDelay: legacyRetryCompatibility.maxRetryDelayMs || 0 + }; + var loaderCallbacks = { + onSuccess: function onSuccess(response, stats, context, networkDetails) { + var loader = _this.getInternalLoader(context); + _this.resetInternalLoader(context.type); + var string = response.data; + + // Validate if it is an M3U8 at all + if (string.indexOf('#EXTM3U') !== 0) { + _this.handleManifestParsingError(response, context, new Error('no EXTM3U delimiter'), networkDetails || null, stats); + return; + } + stats.parsing.start = performance.now(); + if (M3U8Parser.isMediaPlaylist(string)) { + _this.handleTrackOrLevelPlaylist(response, stats, context, networkDetails || null, loader); + } else { + _this.handleMasterPlaylist(response, stats, context, networkDetails); + } + }, + onError: function onError(response, context, networkDetails, stats) { + _this.handleNetworkError(context, networkDetails, false, response, stats); + }, + onTimeout: function onTimeout(stats, context, networkDetails) { + _this.handleNetworkError(context, networkDetails, true, undefined, stats); + } + }; + + // logger.debug(`[playlist-loader]: Calling internal loader delegate for URL: ${context.url}`); + + loader.load(context, loaderConfig, loaderCallbacks); + }; + _proto.handleMasterPlaylist = function handleMasterPlaylist(response, stats, context, networkDetails) { + var hls = this.hls; + var string = response.data; + var url = getResponseUrl(response, context); + var parsedResult = M3U8Parser.parseMasterPlaylist(string, url); + if (parsedResult.playlistParsingError) { + this.handleManifestParsingError(response, context, parsedResult.playlistParsingError, networkDetails, stats); + return; + } + var contentSteering = parsedResult.contentSteering, + levels = parsedResult.levels, + sessionData = parsedResult.sessionData, + sessionKeys = parsedResult.sessionKeys, + startTimeOffset = parsedResult.startTimeOffset, + variableList = parsedResult.variableList; + this.variableList = variableList; + var _M3U8Parser$parseMast = M3U8Parser.parseMasterPlaylistMedia(string, url, parsedResult), + _M3U8Parser$parseMast2 = _M3U8Parser$parseMast.AUDIO, + audioTracks = _M3U8Parser$parseMast2 === void 0 ? [] : _M3U8Parser$parseMast2, + subtitles = _M3U8Parser$parseMast.SUBTITLES, + captions = _M3U8Parser$parseMast['CLOSED-CAPTIONS']; + if (audioTracks.length) { + // check if we have found an audio track embedded in main playlist (audio track without URI attribute) + var embeddedAudioFound = audioTracks.some(function (audioTrack) { + return !audioTrack.url; + }); + + // if no embedded audio track defined, but audio codec signaled in quality level, + // we need to signal this main audio track this could happen with playlists with + // alt audio rendition in which quality levels (main) + // contains both audio+video. but with mixed audio track not signaled + if (!embeddedAudioFound && levels[0].audioCodec && !levels[0].attrs.AUDIO) { + logger.log('[playlist-loader]: audio codec signaled in quality level, but no embedded audio track signaled, create one'); + audioTracks.unshift({ + type: 'main', + name: 'main', + groupId: 'main', + default: false, + autoselect: false, + forced: false, + id: -1, + attrs: new AttrList({}), + bitrate: 0, + url: '' + }); + } + } + hls.trigger(Events.MANIFEST_LOADED, { + levels: levels, + audioTracks: audioTracks, + subtitles: subtitles, + captions: captions, + contentSteering: contentSteering, + url: url, + stats: stats, + networkDetails: networkDetails, + sessionData: sessionData, + sessionKeys: sessionKeys, + startTimeOffset: startTimeOffset, + variableList: variableList + }); + }; + _proto.handleTrackOrLevelPlaylist = function handleTrackOrLevelPlaylist(response, stats, context, networkDetails, loader) { + var hls = this.hls; + var id = context.id, + level = context.level, + type = context.type; + var url = getResponseUrl(response, context); + var levelUrlId = 0; + var levelId = isFiniteNumber(level) ? level : isFiniteNumber(id) ? id : 0; + var levelType = mapContextToLevelType(context); + var levelDetails = M3U8Parser.parseLevelPlaylist(response.data, url, levelId, levelType, levelUrlId, this.variableList); + + // We have done our first request (Manifest-type) and receive + // not a master playlist but a chunk-list (track/level) + // We fire the manifest-loaded event anyway with the parsed level-details + // by creating a single-level structure for it. + if (type === PlaylistContextType.MANIFEST) { + var singleLevel = { + attrs: new AttrList({}), + bitrate: 0, + details: levelDetails, + name: '', + url: url + }; + hls.trigger(Events.MANIFEST_LOADED, { + levels: [singleLevel], + audioTracks: [], + url: url, + stats: stats, + networkDetails: networkDetails, + sessionData: null, + sessionKeys: null, + contentSteering: null, + startTimeOffset: null, + variableList: null + }); + } + + // save parsing time + stats.parsing.end = performance.now(); + + // extend the context with the new levelDetails property + context.levelDetails = levelDetails; + this.handlePlaylistLoaded(levelDetails, response, stats, context, networkDetails, loader); + }; + _proto.handleManifestParsingError = function handleManifestParsingError(response, context, error, networkDetails, stats) { + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.MANIFEST_PARSING_ERROR, + fatal: context.type === PlaylistContextType.MANIFEST, + url: response.url, + err: error, + error: error, + reason: error.message, + response: response, + context: context, + networkDetails: networkDetails, + stats: stats + }); + }; + _proto.handleNetworkError = function handleNetworkError(context, networkDetails, timeout, response, stats) { + if (timeout === void 0) { + timeout = false; + } + var message = "A network " + (timeout ? 'timeout' : 'error' + (response ? ' (status ' + response.code + ')' : '')) + " occurred while loading " + context.type; + if (context.type === PlaylistContextType.LEVEL) { + message += ": " + context.level + " id: " + context.id; + } else if (context.type === PlaylistContextType.AUDIO_TRACK || context.type === PlaylistContextType.SUBTITLE_TRACK) { + message += " id: " + context.id + " group-id: \"" + context.groupId + "\""; + } + var error = new Error(message); + logger.warn("[playlist-loader]: " + message); + var details = ErrorDetails.UNKNOWN; + var fatal = false; + var loader = this.getInternalLoader(context); + switch (context.type) { + case PlaylistContextType.MANIFEST: + details = timeout ? ErrorDetails.MANIFEST_LOAD_TIMEOUT : ErrorDetails.MANIFEST_LOAD_ERROR; + fatal = true; + break; + case PlaylistContextType.LEVEL: + details = timeout ? ErrorDetails.LEVEL_LOAD_TIMEOUT : ErrorDetails.LEVEL_LOAD_ERROR; + fatal = false; + break; + case PlaylistContextType.AUDIO_TRACK: + details = timeout ? ErrorDetails.AUDIO_TRACK_LOAD_TIMEOUT : ErrorDetails.AUDIO_TRACK_LOAD_ERROR; + fatal = false; + break; + case PlaylistContextType.SUBTITLE_TRACK: + details = timeout ? ErrorDetails.SUBTITLE_TRACK_LOAD_TIMEOUT : ErrorDetails.SUBTITLE_LOAD_ERROR; + fatal = false; + break; + } + if (loader) { + this.resetInternalLoader(context.type); + } + var errorData = { + type: ErrorTypes.NETWORK_ERROR, + details: details, + fatal: fatal, + url: context.url, + loader: loader, + context: context, + error: error, + networkDetails: networkDetails, + stats: stats + }; + if (response) { + var url = (networkDetails == null ? void 0 : networkDetails.url) || context.url; + errorData.response = _objectSpread2({ + url: url, + data: undefined + }, response); + } + this.hls.trigger(Events.ERROR, errorData); + }; + _proto.handlePlaylistLoaded = function handlePlaylistLoaded(levelDetails, response, stats, context, networkDetails, loader) { + var hls = this.hls; + var type = context.type, + level = context.level, + id = context.id, + groupId = context.groupId, + deliveryDirectives = context.deliveryDirectives; + var url = getResponseUrl(response, context); + var parent = mapContextToLevelType(context); + var levelIndex = typeof context.level === 'number' && parent === PlaylistLevelType.MAIN ? level : undefined; + if (!levelDetails.fragments.length) { + var _error = new Error('No Segments found in Playlist'); + hls.trigger(Events.ERROR, { + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.LEVEL_EMPTY_ERROR, + fatal: false, + url: url, + error: _error, + reason: _error.message, + response: response, + context: context, + level: levelIndex, + parent: parent, + networkDetails: networkDetails, + stats: stats + }); + return; + } + if (!levelDetails.targetduration) { + levelDetails.playlistParsingError = new Error('Missing Target Duration'); + } + var error = levelDetails.playlistParsingError; + if (error) { + hls.trigger(Events.ERROR, { + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.LEVEL_PARSING_ERROR, + fatal: false, + url: url, + error: error, + reason: error.message, + response: response, + context: context, + level: levelIndex, + parent: parent, + networkDetails: networkDetails, + stats: stats + }); + return; + } + if (levelDetails.live && loader) { + if (loader.getCacheAge) { + levelDetails.ageHeader = loader.getCacheAge() || 0; + } + if (!loader.getCacheAge || isNaN(levelDetails.ageHeader)) { + levelDetails.ageHeader = 0; + } + } + switch (type) { + case PlaylistContextType.MANIFEST: + case PlaylistContextType.LEVEL: + hls.trigger(Events.LEVEL_LOADED, { + details: levelDetails, + level: levelIndex || 0, + id: id || 0, + stats: stats, + networkDetails: networkDetails, + deliveryDirectives: deliveryDirectives + }); + break; + case PlaylistContextType.AUDIO_TRACK: + hls.trigger(Events.AUDIO_TRACK_LOADED, { + details: levelDetails, + id: id || 0, + groupId: groupId || '', + stats: stats, + networkDetails: networkDetails, + deliveryDirectives: deliveryDirectives + }); + break; + case PlaylistContextType.SUBTITLE_TRACK: + hls.trigger(Events.SUBTITLE_TRACK_LOADED, { + details: levelDetails, + id: id || 0, + groupId: groupId || '', + stats: stats, + networkDetails: networkDetails, + deliveryDirectives: deliveryDirectives + }); + break; + } + }; + return PlaylistLoader; + }(); + + function sendAddTrackEvent(track, videoEl) { + var event; + try { + event = new Event('addtrack'); + } catch (err) { + // for IE11 + event = document.createEvent('Event'); + event.initEvent('addtrack', false, false); + } + event.track = track; + videoEl.dispatchEvent(event); + } + function addCueToTrack(track, cue) { + // Sometimes there are cue overlaps on segmented vtts so the same + // cue can appear more than once in different vtt files. + // This avoid showing duplicated cues with same timecode and text. + var mode = track.mode; + if (mode === 'disabled') { + track.mode = 'hidden'; + } + if (track.cues && !track.cues.getCueById(cue.id)) { + try { + track.addCue(cue); + if (!track.cues.getCueById(cue.id)) { + throw new Error("addCue is failed for: " + cue); + } + } catch (err) { + logger.debug("[texttrack-utils]: " + err); + try { + var textTrackCue = new self.TextTrackCue(cue.startTime, cue.endTime, cue.text); + textTrackCue.id = cue.id; + track.addCue(textTrackCue); + } catch (err2) { + logger.debug("[texttrack-utils]: Legacy TextTrackCue fallback failed: " + err2); + } + } + } + if (mode === 'disabled') { + track.mode = mode; + } + } + function clearCurrentCues(track) { + // When track.mode is disabled, track.cues will be null. + // To guarantee the removal of cues, we need to temporarily + // change the mode to hidden + var mode = track.mode; + if (mode === 'disabled') { + track.mode = 'hidden'; + } + if (track.cues) { + for (var i = track.cues.length; i--;) { + track.removeCue(track.cues[i]); + } + } + if (mode === 'disabled') { + track.mode = mode; + } + } + function removeCuesInRange(track, start, end, predicate) { + var mode = track.mode; + if (mode === 'disabled') { + track.mode = 'hidden'; + } + if (track.cues && track.cues.length > 0) { + var cues = getCuesInRange(track.cues, start, end); + for (var i = 0; i < cues.length; i++) { + if (!predicate || predicate(cues[i])) { + track.removeCue(cues[i]); + } + } + } + if (mode === 'disabled') { + track.mode = mode; + } + } + + // Find first cue starting after given time. + // Modified version of binary search O(log(n)). + function getFirstCueIndexAfterTime(cues, time) { + // If first cue starts after time, start there + if (time < cues[0].startTime) { + return 0; + } + // If the last cue ends before time there is no overlap + var len = cues.length - 1; + if (time > cues[len].endTime) { + return -1; + } + var left = 0; + var right = len; + while (left <= right) { + var mid = Math.floor((right + left) / 2); + if (time < cues[mid].startTime) { + right = mid - 1; + } else if (time > cues[mid].startTime && left < len) { + left = mid + 1; + } else { + // If it's not lower or higher, it must be equal. + return mid; + } + } + // At this point, left and right have swapped. + // No direct match was found, left or right element must be the closest. Check which one has the smallest diff. + return cues[left].startTime - time < time - cues[right].startTime ? left : right; + } + function getCuesInRange(cues, start, end) { + var cuesFound = []; + var firstCueInRange = getFirstCueIndexAfterTime(cues, start); + if (firstCueInRange > -1) { + for (var i = firstCueInRange, len = cues.length; i < len; i++) { + var _cue = cues[i]; + if (_cue.startTime >= start && _cue.endTime <= end) { + cuesFound.push(_cue); + } else if (_cue.startTime > end) { + return cuesFound; + } + } + } + return cuesFound; + } + function filterSubtitleTracks(textTrackList) { + var tracks = []; + for (var i = 0; i < textTrackList.length; i++) { + var track = textTrackList[i]; + // Edge adds a track without a label; we don't want to use it + if ((track.kind === 'subtitles' || track.kind === 'captions') && track.label) { + tracks.push(textTrackList[i]); + } + } + return tracks; + } + + var MetadataSchema = { + audioId3: "org.id3", + dateRange: "com.apple.quicktime.HLS", + emsg: "https://aomedia.org/emsg/ID3" + }; + + var MIN_CUE_DURATION = 0.25; + function getCueClass() { + if (typeof self === 'undefined') return undefined; + return self.VTTCue || self.TextTrackCue; + } + function createCueWithDataFields(Cue, startTime, endTime, data, type) { + var cue = new Cue(startTime, endTime, ''); + try { + cue.value = data; + if (type) { + cue.type = type; + } + } catch (e) { + cue = new Cue(startTime, endTime, JSON.stringify(type ? _objectSpread2({ + type: type + }, data) : data)); + } + return cue; + } + + // VTTCue latest draft allows an infinite duration, fallback + // to MAX_VALUE if necessary + var MAX_CUE_ENDTIME = function () { + var Cue = getCueClass(); + try { + Cue && new Cue(0, Number.POSITIVE_INFINITY, ''); + } catch (e) { + return Number.MAX_VALUE; + } + return Number.POSITIVE_INFINITY; + }(); + function dateRangeDateToTimelineSeconds(date, offset) { + return date.getTime() / 1000 - offset; + } + function hexToArrayBuffer(str) { + return Uint8Array.from(str.replace(/^0x/, '').replace(/([\da-fA-F]{2}) ?/g, '0x$1 ').replace(/ +$/, '').split(' ')).buffer; + } + var ID3TrackController = /*#__PURE__*/function () { + function ID3TrackController(hls) { + this.hls = void 0; + this.id3Track = null; + this.media = null; + this.dateRangeCuesAppended = {}; + this.hls = hls; + this._registerListeners(); + } + var _proto = ID3TrackController.prototype; + _proto.destroy = function destroy() { + this._unregisterListeners(); + this.id3Track = null; + this.media = null; + this.dateRangeCuesAppended = {}; + // @ts-ignore + this.hls = null; + }; + _proto._registerListeners = function _registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.FRAG_PARSING_METADATA, this.onFragParsingMetadata, this); + hls.on(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.on(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + }; + _proto._unregisterListeners = function _unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.FRAG_PARSING_METADATA, this.onFragParsingMetadata, this); + hls.off(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.off(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + } + + // Add ID3 metatadata text track. + ; + _proto.onMediaAttached = function onMediaAttached(event, data) { + this.media = data.media; + }; + _proto.onMediaDetaching = function onMediaDetaching() { + if (!this.id3Track) { + return; + } + clearCurrentCues(this.id3Track); + this.id3Track = null; + this.media = null; + this.dateRangeCuesAppended = {}; + }; + _proto.onManifestLoading = function onManifestLoading() { + this.dateRangeCuesAppended = {}; + }; + _proto.createTrack = function createTrack(media) { + var track = this.getID3Track(media.textTracks); + track.mode = 'hidden'; + return track; + }; + _proto.getID3Track = function getID3Track(textTracks) { + if (!this.media) { + return; + } + for (var i = 0; i < textTracks.length; i++) { + var textTrack = textTracks[i]; + if (textTrack.kind === 'metadata' && textTrack.label === 'id3') { + // send 'addtrack' when reusing the textTrack for metadata, + // same as what we do for captions + sendAddTrackEvent(textTrack, this.media); + return textTrack; + } + } + return this.media.addTextTrack('metadata', 'id3'); + }; + _proto.onFragParsingMetadata = function onFragParsingMetadata(event, data) { + if (!this.media) { + return; + } + var _this$hls$config = this.hls.config, + enableEmsgMetadataCues = _this$hls$config.enableEmsgMetadataCues, + enableID3MetadataCues = _this$hls$config.enableID3MetadataCues; + if (!enableEmsgMetadataCues && !enableID3MetadataCues) { + return; + } + var samples = data.samples; + + // create track dynamically + if (!this.id3Track) { + this.id3Track = this.createTrack(this.media); + } + var Cue = getCueClass(); + if (!Cue) { + return; + } + for (var i = 0; i < samples.length; i++) { + var type = samples[i].type; + if (type === MetadataSchema.emsg && !enableEmsgMetadataCues || !enableID3MetadataCues) { + continue; + } + var frames = getID3Frames(samples[i].data); + if (frames) { + var startTime = samples[i].pts; + var endTime = startTime + samples[i].duration; + if (endTime > MAX_CUE_ENDTIME) { + endTime = MAX_CUE_ENDTIME; + } + var timeDiff = endTime - startTime; + if (timeDiff <= 0) { + endTime = startTime + MIN_CUE_DURATION; + } + for (var j = 0; j < frames.length; j++) { + var frame = frames[j]; + // Safari doesn't put the timestamp frame in the TextTrack + if (!isTimeStampFrame(frame)) { + // add a bounds to any unbounded cues + this.updateId3CueEnds(startTime, type); + var cue = createCueWithDataFields(Cue, startTime, endTime, frame, type); + if (cue) { + this.id3Track.addCue(cue); + } + } + } + } + } + }; + _proto.updateId3CueEnds = function updateId3CueEnds(startTime, type) { + var _this$id3Track; + var cues = (_this$id3Track = this.id3Track) == null ? void 0 : _this$id3Track.cues; + if (cues) { + for (var i = cues.length; i--;) { + var cue = cues[i]; + if (cue.type === type && cue.startTime < startTime && cue.endTime === MAX_CUE_ENDTIME) { + cue.endTime = startTime; + } + } + } + }; + _proto.onBufferFlushing = function onBufferFlushing(event, _ref) { + var startOffset = _ref.startOffset, + endOffset = _ref.endOffset, + type = _ref.type; + var id3Track = this.id3Track, + hls = this.hls; + if (!hls) { + return; + } + var _hls$config = hls.config, + enableEmsgMetadataCues = _hls$config.enableEmsgMetadataCues, + enableID3MetadataCues = _hls$config.enableID3MetadataCues; + if (id3Track && (enableEmsgMetadataCues || enableID3MetadataCues)) { + var predicate; + if (type === 'audio') { + predicate = function predicate(cue) { + return cue.type === MetadataSchema.audioId3 && enableID3MetadataCues; + }; + } else if (type === 'video') { + predicate = function predicate(cue) { + return cue.type === MetadataSchema.emsg && enableEmsgMetadataCues; + }; + } else { + predicate = function predicate(cue) { + return cue.type === MetadataSchema.audioId3 && enableID3MetadataCues || cue.type === MetadataSchema.emsg && enableEmsgMetadataCues; + }; + } + removeCuesInRange(id3Track, startOffset, endOffset, predicate); + } + }; + _proto.onLevelUpdated = function onLevelUpdated(event, _ref2) { + var _this = this; + var details = _ref2.details; + if (!this.media || !details.hasProgramDateTime || !this.hls.config.enableDateRangeMetadataCues) { + return; + } + var dateRangeCuesAppended = this.dateRangeCuesAppended, + id3Track = this.id3Track; + var dateRanges = details.dateRanges; + var ids = Object.keys(dateRanges); + // Remove cues from track not found in details.dateRanges + if (id3Track) { + var idsToRemove = Object.keys(dateRangeCuesAppended).filter(function (id) { + return !ids.includes(id); + }); + var _loop = function _loop() { + var id = idsToRemove[i]; + Object.keys(dateRangeCuesAppended[id].cues).forEach(function (key) { + id3Track.removeCue(dateRangeCuesAppended[id].cues[key]); + }); + delete dateRangeCuesAppended[id]; + }; + for (var i = idsToRemove.length; i--;) { + _loop(); + } + } + // Exit if the playlist does not have Date Ranges or does not have Program Date Time + var lastFragment = details.fragments[details.fragments.length - 1]; + if (ids.length === 0 || !isFiniteNumber(lastFragment == null ? void 0 : lastFragment.programDateTime)) { + return; + } + if (!this.id3Track) { + this.id3Track = this.createTrack(this.media); + } + var dateTimeOffset = lastFragment.programDateTime / 1000 - lastFragment.start; + var Cue = getCueClass(); + var _loop2 = function _loop2() { + var id = ids[_i]; + var dateRange = dateRanges[id]; + var startTime = dateRangeDateToTimelineSeconds(dateRange.startDate, dateTimeOffset); + + // Process DateRanges to determine end-time (known DURATION, END-DATE, or END-ON-NEXT) + var appendedDateRangeCues = dateRangeCuesAppended[id]; + var cues = (appendedDateRangeCues == null ? void 0 : appendedDateRangeCues.cues) || {}; + var durationKnown = (appendedDateRangeCues == null ? void 0 : appendedDateRangeCues.durationKnown) || false; + var endTime = MAX_CUE_ENDTIME; + var endDate = dateRange.endDate; + if (endDate) { + endTime = dateRangeDateToTimelineSeconds(endDate, dateTimeOffset); + durationKnown = true; + } else if (dateRange.endOnNext && !durationKnown) { + var nextDateRangeWithSameClass = ids.reduce(function (candidateDateRange, id) { + if (id !== dateRange.id) { + var otherDateRange = dateRanges[id]; + if (otherDateRange.class === dateRange.class && otherDateRange.startDate > dateRange.startDate && (!candidateDateRange || dateRange.startDate < candidateDateRange.startDate)) { + return otherDateRange; + } + } + return candidateDateRange; + }, null); + if (nextDateRangeWithSameClass) { + endTime = dateRangeDateToTimelineSeconds(nextDateRangeWithSameClass.startDate, dateTimeOffset); + durationKnown = true; + } + } + + // Create TextTrack Cues for each MetadataGroup Item (select DateRange attribute) + // This is to emulate Safari HLS playback handling of DateRange tags + var attributes = Object.keys(dateRange.attr); + for (var j = 0; j < attributes.length; j++) { + var key = attributes[j]; + if (!isDateRangeCueAttribute(key)) { + continue; + } + var cue = cues[key]; + if (cue) { + if (durationKnown && !appendedDateRangeCues.durationKnown) { + cue.endTime = endTime; + } + } else if (Cue) { + var data = dateRange.attr[key]; + if (isSCTE35Attribute(key)) { + data = hexToArrayBuffer(data); + } + var _cue = createCueWithDataFields(Cue, startTime, endTime, { + key: key, + data: data + }, MetadataSchema.dateRange); + if (_cue) { + _cue.id = id; + _this.id3Track.addCue(_cue); + cues[key] = _cue; + } + } + } + + // Keep track of processed DateRanges by ID for updating cues with new DateRange tag attributes + dateRangeCuesAppended[id] = { + cues: cues, + dateRange: dateRange, + durationKnown: durationKnown + }; + }; + for (var _i = 0; _i < ids.length; _i++) { + _loop2(); + } + }; + return ID3TrackController; + }(); + + var LatencyController = /*#__PURE__*/function () { + function LatencyController(hls) { + var _this = this; + this.hls = void 0; + this.config = void 0; + this.media = null; + this.levelDetails = null; + this.currentTime = 0; + this.stallCount = 0; + this._latency = null; + this.timeupdateHandler = function () { + return _this.timeupdate(); + }; + this.hls = hls; + this.config = hls.config; + this.registerListeners(); + } + var _proto = LatencyController.prototype; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.onMediaDetaching(); + this.levelDetails = null; + // @ts-ignore + this.hls = this.timeupdateHandler = null; + }; + _proto.registerListeners = function registerListeners() { + this.hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + this.hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + this.hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + this.hls.on(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + this.hls.on(Events.ERROR, this.onError, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + this.hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + this.hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + this.hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + this.hls.off(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + this.hls.off(Events.ERROR, this.onError, this); + }; + _proto.onMediaAttached = function onMediaAttached(event, data) { + this.media = data.media; + this.media.addEventListener('timeupdate', this.timeupdateHandler); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + if (this.media) { + this.media.removeEventListener('timeupdate', this.timeupdateHandler); + this.media = null; + } + }; + _proto.onManifestLoading = function onManifestLoading() { + this.levelDetails = null; + this._latency = null; + this.stallCount = 0; + }; + _proto.onLevelUpdated = function onLevelUpdated(event, _ref) { + var details = _ref.details; + this.levelDetails = details; + if (details.advanced) { + this.timeupdate(); + } + if (!details.live && this.media) { + this.media.removeEventListener('timeupdate', this.timeupdateHandler); + } + }; + _proto.onError = function onError(event, data) { + var _this$levelDetails; + if (data.details !== ErrorDetails.BUFFER_STALLED_ERROR) { + return; + } + this.stallCount++; + if ((_this$levelDetails = this.levelDetails) != null && _this$levelDetails.live) { + logger.warn('[playback-rate-controller]: Stall detected, adjusting target latency'); + } + }; + _proto.timeupdate = function timeupdate() { + var media = this.media, + levelDetails = this.levelDetails; + if (!media || !levelDetails) { + return; + } + this.currentTime = media.currentTime; + var latency = this.computeLatency(); + if (latency === null) { + return; + } + this._latency = latency; + + // Adapt playbackRate to meet target latency in low-latency mode + var _this$config = this.config, + lowLatencyMode = _this$config.lowLatencyMode, + maxLiveSyncPlaybackRate = _this$config.maxLiveSyncPlaybackRate; + if (!lowLatencyMode || maxLiveSyncPlaybackRate === 1 || !levelDetails.live) { + return; + } + var targetLatency = this.targetLatency; + if (targetLatency === null) { + return; + } + var distanceFromTarget = latency - targetLatency; + // Only adjust playbackRate when within one target duration of targetLatency + // and more than one second from under-buffering. + // Playback further than one target duration from target can be considered DVR playback. + var liveMinLatencyDuration = Math.min(this.maxLatency, targetLatency + levelDetails.targetduration); + var inLiveRange = distanceFromTarget < liveMinLatencyDuration; + if (inLiveRange && distanceFromTarget > 0.05 && this.forwardBufferLength > 1) { + var max = Math.min(2, Math.max(1.0, maxLiveSyncPlaybackRate)); + var rate = Math.round(2 / (1 + Math.exp(-0.75 * distanceFromTarget - this.edgeStalled)) * 20) / 20; + media.playbackRate = Math.min(max, Math.max(1, rate)); + } else if (media.playbackRate !== 1 && media.playbackRate !== 0) { + media.playbackRate = 1; + } + }; + _proto.estimateLiveEdge = function estimateLiveEdge() { + var levelDetails = this.levelDetails; + if (levelDetails === null) { + return null; + } + return levelDetails.edge + levelDetails.age; + }; + _proto.computeLatency = function computeLatency() { + var liveEdge = this.estimateLiveEdge(); + if (liveEdge === null) { + return null; + } + return liveEdge - this.currentTime; + }; + _createClass(LatencyController, [{ + key: "latency", + get: function get() { + return this._latency || 0; + } + }, { + key: "maxLatency", + get: function get() { + var config = this.config, + levelDetails = this.levelDetails; + if (config.liveMaxLatencyDuration !== undefined) { + return config.liveMaxLatencyDuration; + } + return levelDetails ? config.liveMaxLatencyDurationCount * levelDetails.targetduration : 0; + } + }, { + key: "targetLatency", + get: function get() { + var levelDetails = this.levelDetails; + if (levelDetails === null) { + return null; + } + var holdBack = levelDetails.holdBack, + partHoldBack = levelDetails.partHoldBack, + targetduration = levelDetails.targetduration; + var _this$config2 = this.config, + liveSyncDuration = _this$config2.liveSyncDuration, + liveSyncDurationCount = _this$config2.liveSyncDurationCount, + lowLatencyMode = _this$config2.lowLatencyMode; + var userConfig = this.hls.userConfig; + var targetLatency = lowLatencyMode ? partHoldBack || holdBack : holdBack; + if (userConfig.liveSyncDuration || userConfig.liveSyncDurationCount || targetLatency === 0) { + targetLatency = liveSyncDuration !== undefined ? liveSyncDuration : liveSyncDurationCount * targetduration; + } + var maxLiveSyncOnStallIncrease = targetduration; + var liveSyncOnStallIncrease = 1.0; + return targetLatency + Math.min(this.stallCount * liveSyncOnStallIncrease, maxLiveSyncOnStallIncrease); + } + }, { + key: "liveSyncPosition", + get: function get() { + var liveEdge = this.estimateLiveEdge(); + var targetLatency = this.targetLatency; + var levelDetails = this.levelDetails; + if (liveEdge === null || targetLatency === null || levelDetails === null) { + return null; + } + var edge = levelDetails.edge; + var syncPosition = liveEdge - targetLatency - this.edgeStalled; + var min = edge - levelDetails.totalduration; + var max = edge - (this.config.lowLatencyMode && levelDetails.partTarget || levelDetails.targetduration); + return Math.min(Math.max(min, syncPosition), max); + } + }, { + key: "drift", + get: function get() { + var levelDetails = this.levelDetails; + if (levelDetails === null) { + return 1; + } + return levelDetails.drift; + } + }, { + key: "edgeStalled", + get: function get() { + var levelDetails = this.levelDetails; + if (levelDetails === null) { + return 0; + } + var maxLevelUpdateAge = (this.config.lowLatencyMode && levelDetails.partTarget || levelDetails.targetduration) * 3; + return Math.max(levelDetails.age - maxLevelUpdateAge, 0); + } + }, { + key: "forwardBufferLength", + get: function get() { + var media = this.media, + levelDetails = this.levelDetails; + if (!media || !levelDetails) { + return 0; + } + var bufferedRanges = media.buffered.length; + return (bufferedRanges ? media.buffered.end(bufferedRanges - 1) : levelDetails.edge) - this.currentTime; + } + }]); + return LatencyController; + }(); + + var HdcpLevels = ['NONE', 'TYPE-0', 'TYPE-1', null]; + function isHdcpLevel(value) { + return HdcpLevels.indexOf(value) > -1; + } + var VideoRangeValues = ['SDR', 'PQ', 'HLG']; + function isVideoRange(value) { + return !!value && VideoRangeValues.indexOf(value) > -1; + } + var HlsSkip = { + No: "", + Yes: "YES", + v2: "v2" + }; + function getSkipValue(details) { + var canSkipUntil = details.canSkipUntil, + canSkipDateRanges = details.canSkipDateRanges, + age = details.age; + // A Client SHOULD NOT request a Playlist Delta Update unless it already + // has a version of the Playlist that is no older than one-half of the Skip Boundary. + // @see: https://datatracker.ietf.org/doc/html/draft-pantos-hls-rfc8216bis#section-6.3.7 + var playlistRecentEnough = age < canSkipUntil / 2; + if (canSkipUntil && playlistRecentEnough) { + if (canSkipDateRanges) { + return HlsSkip.v2; + } + return HlsSkip.Yes; + } + return HlsSkip.No; + } + var HlsUrlParameters = /*#__PURE__*/function () { + function HlsUrlParameters(msn, part, skip) { + this.msn = void 0; + this.part = void 0; + this.skip = void 0; + this.msn = msn; + this.part = part; + this.skip = skip; + } + var _proto = HlsUrlParameters.prototype; + _proto.addDirectives = function addDirectives(uri) { + var url = new self.URL(uri); + if (this.msn !== undefined) { + url.searchParams.set('_HLS_msn', this.msn.toString()); + } + if (this.part !== undefined) { + url.searchParams.set('_HLS_part', this.part.toString()); + } + if (this.skip) { + url.searchParams.set('_HLS_skip', this.skip); + } + return url.href; + }; + return HlsUrlParameters; + }(); + var Level = /*#__PURE__*/function () { + function Level(data) { + this._attrs = void 0; + this.audioCodec = void 0; + this.bitrate = void 0; + this.codecSet = void 0; + this.url = void 0; + this.frameRate = void 0; + this.height = void 0; + this.id = void 0; + this.name = void 0; + this.videoCodec = void 0; + this.width = void 0; + this.details = void 0; + this.fragmentError = 0; + this.loadError = 0; + this.loaded = void 0; + this.realBitrate = 0; + this.supportedPromise = void 0; + this.supportedResult = void 0; + this._avgBitrate = 0; + this._audioGroups = void 0; + this._subtitleGroups = void 0; + // Deprecated (retained for backwards compatibility) + this._urlId = 0; + this.url = [data.url]; + this._attrs = [data.attrs]; + this.bitrate = data.bitrate; + if (data.details) { + this.details = data.details; + } + this.id = data.id || 0; + this.name = data.name; + this.width = data.width || 0; + this.height = data.height || 0; + this.frameRate = data.attrs.optionalFloat('FRAME-RATE', 0); + this._avgBitrate = data.attrs.decimalInteger('AVERAGE-BANDWIDTH'); + this.audioCodec = data.audioCodec; + this.videoCodec = data.videoCodec; + this.codecSet = [data.videoCodec, data.audioCodec].filter(function (c) { + return !!c; + }).map(function (s) { + return s.substring(0, 4); + }).join(','); + this.addGroupId('audio', data.attrs.AUDIO); + this.addGroupId('text', data.attrs.SUBTITLES); + } + var _proto2 = Level.prototype; + _proto2.hasAudioGroup = function hasAudioGroup(groupId) { + return hasGroup(this._audioGroups, groupId); + }; + _proto2.hasSubtitleGroup = function hasSubtitleGroup(groupId) { + return hasGroup(this._subtitleGroups, groupId); + }; + _proto2.addGroupId = function addGroupId(type, groupId) { + if (!groupId) { + return; + } + if (type === 'audio') { + var audioGroups = this._audioGroups; + if (!audioGroups) { + audioGroups = this._audioGroups = []; + } + if (audioGroups.indexOf(groupId) === -1) { + audioGroups.push(groupId); + } + } else if (type === 'text') { + var subtitleGroups = this._subtitleGroups; + if (!subtitleGroups) { + subtitleGroups = this._subtitleGroups = []; + } + if (subtitleGroups.indexOf(groupId) === -1) { + subtitleGroups.push(groupId); + } + } + } + + // Deprecated methods (retained for backwards compatibility) + ; + _proto2.addFallback = function addFallback() {}; + _createClass(Level, [{ + key: "maxBitrate", + get: function get() { + return Math.max(this.realBitrate, this.bitrate); + } + }, { + key: "averageBitrate", + get: function get() { + return this._avgBitrate || this.realBitrate || this.bitrate; + } + }, { + key: "attrs", + get: function get() { + return this._attrs[0]; + } + }, { + key: "codecs", + get: function get() { + return this.attrs.CODECS || ''; + } + }, { + key: "pathwayId", + get: function get() { + return this.attrs['PATHWAY-ID'] || '.'; + } + }, { + key: "videoRange", + get: function get() { + return this.attrs['VIDEO-RANGE'] || 'SDR'; + } + }, { + key: "score", + get: function get() { + return this.attrs.optionalFloat('SCORE', 0); + } + }, { + key: "uri", + get: function get() { + return this.url[0] || ''; + } + }, { + key: "audioGroups", + get: function get() { + return this._audioGroups; + } + }, { + key: "subtitleGroups", + get: function get() { + return this._subtitleGroups; + } + }, { + key: "urlId", + get: function get() { + return 0; + }, + set: function set(value) {} + }, { + key: "audioGroupIds", + get: function get() { + return this.audioGroups ? [this.audioGroupId] : undefined; + } + }, { + key: "textGroupIds", + get: function get() { + return this.subtitleGroups ? [this.textGroupId] : undefined; + } + }, { + key: "audioGroupId", + get: function get() { + var _this$audioGroups; + return (_this$audioGroups = this.audioGroups) == null ? void 0 : _this$audioGroups[0]; + } + }, { + key: "textGroupId", + get: function get() { + var _this$subtitleGroups; + return (_this$subtitleGroups = this.subtitleGroups) == null ? void 0 : _this$subtitleGroups[0]; + } + }]); + return Level; + }(); + function hasGroup(groups, groupId) { + if (!groupId || !groups) { + return false; + } + return groups.indexOf(groupId) !== -1; + } + + function updateFromToPTS(fragFrom, fragTo) { + var fragToPTS = fragTo.startPTS; + // if we know startPTS[toIdx] + if (isFiniteNumber(fragToPTS)) { + // update fragment duration. + // it helps to fix drifts between playlist reported duration and fragment real duration + var duration = 0; + var frag; + if (fragTo.sn > fragFrom.sn) { + duration = fragToPTS - fragFrom.start; + frag = fragFrom; + } else { + duration = fragFrom.start - fragToPTS; + frag = fragTo; + } + if (frag.duration !== duration) { + frag.duration = duration; + } + // we dont know startPTS[toIdx] + } else if (fragTo.sn > fragFrom.sn) { + var contiguous = fragFrom.cc === fragTo.cc; + // TODO: With part-loading end/durations we need to confirm the whole fragment is loaded before using (or setting) minEndPTS + if (contiguous && fragFrom.minEndPTS) { + fragTo.start = fragFrom.start + (fragFrom.minEndPTS - fragFrom.start); + } else { + fragTo.start = fragFrom.start + fragFrom.duration; + } + } else { + fragTo.start = Math.max(fragFrom.start - fragTo.duration, 0); + } + } + function updateFragPTSDTS(details, frag, startPTS, endPTS, startDTS, endDTS) { + var parsedMediaDuration = endPTS - startPTS; + if (parsedMediaDuration <= 0) { + logger.warn('Fragment should have a positive duration', frag); + endPTS = startPTS + frag.duration; + endDTS = startDTS + frag.duration; + } + var maxStartPTS = startPTS; + var minEndPTS = endPTS; + var fragStartPts = frag.startPTS; + var fragEndPts = frag.endPTS; + if (isFiniteNumber(fragStartPts)) { + // delta PTS between audio and video + var deltaPTS = Math.abs(fragStartPts - startPTS); + if (!isFiniteNumber(frag.deltaPTS)) { + frag.deltaPTS = deltaPTS; + } else { + frag.deltaPTS = Math.max(deltaPTS, frag.deltaPTS); + } + maxStartPTS = Math.max(startPTS, fragStartPts); + startPTS = Math.min(startPTS, fragStartPts); + startDTS = Math.min(startDTS, frag.startDTS); + minEndPTS = Math.min(endPTS, fragEndPts); + endPTS = Math.max(endPTS, fragEndPts); + endDTS = Math.max(endDTS, frag.endDTS); + } + var drift = startPTS - frag.start; + if (frag.start !== 0) { + frag.start = startPTS; + } + frag.duration = endPTS - frag.start; + frag.startPTS = startPTS; + frag.maxStartPTS = maxStartPTS; + frag.startDTS = startDTS; + frag.endPTS = endPTS; + frag.minEndPTS = minEndPTS; + frag.endDTS = endDTS; + var sn = frag.sn; // 'initSegment' + // exit if sn out of range + if (!details || sn < details.startSN || sn > details.endSN) { + return 0; + } + var i; + var fragIdx = sn - details.startSN; + var fragments = details.fragments; + // update frag reference in fragments array + // rationale is that fragments array might not contain this frag object. + // this will happen if playlist has been refreshed between frag loading and call to updateFragPTSDTS() + // if we don't update frag, we won't be able to propagate PTS info on the playlist + // resulting in invalid sliding computation + fragments[fragIdx] = frag; + // adjust fragment PTS/duration from seqnum-1 to frag 0 + for (i = fragIdx; i > 0; i--) { + updateFromToPTS(fragments[i], fragments[i - 1]); + } + + // adjust fragment PTS/duration from seqnum to last frag + for (i = fragIdx; i < fragments.length - 1; i++) { + updateFromToPTS(fragments[i], fragments[i + 1]); + } + if (details.fragmentHint) { + updateFromToPTS(fragments[fragments.length - 1], details.fragmentHint); + } + details.PTSKnown = details.alignedSliding = true; + return drift; + } + function mergeDetails(oldDetails, newDetails) { + // Track the last initSegment processed. Initialize it to the last one on the timeline. + var currentInitSegment = null; + var oldFragments = oldDetails.fragments; + for (var i = oldFragments.length - 1; i >= 0; i--) { + var oldInit = oldFragments[i].initSegment; + if (oldInit) { + currentInitSegment = oldInit; + break; + } + } + if (oldDetails.fragmentHint) { + // prevent PTS and duration from being adjusted on the next hint + delete oldDetails.fragmentHint.endPTS; + } + // check if old/new playlists have fragments in common + // loop through overlapping SN and update startPTS , cc, and duration if any found + var ccOffset = 0; + var PTSFrag; + mapFragmentIntersection(oldDetails, newDetails, function (oldFrag, newFrag) { + if (oldFrag.relurl) { + // Do not compare CC if the old fragment has no url. This is a level.fragmentHint used by LL-HLS parts. + // It maybe be off by 1 if it was created before any parts or discontinuity tags were appended to the end + // of the playlist. + ccOffset = oldFrag.cc - newFrag.cc; + } + if (isFiniteNumber(oldFrag.startPTS) && isFiniteNumber(oldFrag.endPTS)) { + newFrag.start = newFrag.startPTS = oldFrag.startPTS; + newFrag.startDTS = oldFrag.startDTS; + newFrag.maxStartPTS = oldFrag.maxStartPTS; + newFrag.endPTS = oldFrag.endPTS; + newFrag.endDTS = oldFrag.endDTS; + newFrag.minEndPTS = oldFrag.minEndPTS; + newFrag.duration = oldFrag.endPTS - oldFrag.startPTS; + if (newFrag.duration) { + PTSFrag = newFrag; + } + + // PTS is known when any segment has startPTS and endPTS + newDetails.PTSKnown = newDetails.alignedSliding = true; + } + newFrag.elementaryStreams = oldFrag.elementaryStreams; + newFrag.loader = oldFrag.loader; + newFrag.stats = oldFrag.stats; + if (oldFrag.initSegment) { + newFrag.initSegment = oldFrag.initSegment; + currentInitSegment = oldFrag.initSegment; + } + }); + if (currentInitSegment) { + var fragmentsToCheck = newDetails.fragmentHint ? newDetails.fragments.concat(newDetails.fragmentHint) : newDetails.fragments; + fragmentsToCheck.forEach(function (frag) { + var _currentInitSegment; + if (frag && (!frag.initSegment || frag.initSegment.relurl === ((_currentInitSegment = currentInitSegment) == null ? void 0 : _currentInitSegment.relurl))) { + frag.initSegment = currentInitSegment; + } + }); + } + if (newDetails.skippedSegments) { + newDetails.deltaUpdateFailed = newDetails.fragments.some(function (frag) { + return !frag; + }); + if (newDetails.deltaUpdateFailed) { + logger.warn('[level-helper] Previous playlist missing segments skipped in delta playlist'); + for (var _i = newDetails.skippedSegments; _i--;) { + newDetails.fragments.shift(); + } + newDetails.startSN = newDetails.fragments[0].sn; + newDetails.startCC = newDetails.fragments[0].cc; + } else if (newDetails.canSkipDateRanges) { + newDetails.dateRanges = mergeDateRanges(oldDetails.dateRanges, newDetails.dateRanges, newDetails.recentlyRemovedDateranges); + } + } + var newFragments = newDetails.fragments; + if (ccOffset) { + logger.warn('discontinuity sliding from playlist, take drift into account'); + for (var _i2 = 0; _i2 < newFragments.length; _i2++) { + newFragments[_i2].cc += ccOffset; + } + } + if (newDetails.skippedSegments) { + newDetails.startCC = newDetails.fragments[0].cc; + } + + // Merge parts + mapPartIntersection(oldDetails.partList, newDetails.partList, function (oldPart, newPart) { + newPart.elementaryStreams = oldPart.elementaryStreams; + newPart.stats = oldPart.stats; + }); + + // if at least one fragment contains PTS info, recompute PTS information for all fragments + if (PTSFrag) { + updateFragPTSDTS(newDetails, PTSFrag, PTSFrag.startPTS, PTSFrag.endPTS, PTSFrag.startDTS, PTSFrag.endDTS); + } else { + // ensure that delta is within oldFragments range + // also adjust sliding in case delta is 0 (we could have old=[50-60] and new=old=[50-61]) + // in that case we also need to adjust start offset of all fragments + adjustSliding(oldDetails, newDetails); + } + if (newFragments.length) { + newDetails.totalduration = newDetails.edge - newFragments[0].start; + } + newDetails.driftStartTime = oldDetails.driftStartTime; + newDetails.driftStart = oldDetails.driftStart; + var advancedDateTime = newDetails.advancedDateTime; + if (newDetails.advanced && advancedDateTime) { + var edge = newDetails.edge; + if (!newDetails.driftStart) { + newDetails.driftStartTime = advancedDateTime; + newDetails.driftStart = edge; + } + newDetails.driftEndTime = advancedDateTime; + newDetails.driftEnd = edge; + } else { + newDetails.driftEndTime = oldDetails.driftEndTime; + newDetails.driftEnd = oldDetails.driftEnd; + newDetails.advancedDateTime = oldDetails.advancedDateTime; + } + } + function mergeDateRanges(oldDateRanges, deltaDateRanges, recentlyRemovedDateranges) { + var dateRanges = _extends({}, oldDateRanges); + if (recentlyRemovedDateranges) { + recentlyRemovedDateranges.forEach(function (id) { + delete dateRanges[id]; + }); + } + Object.keys(deltaDateRanges).forEach(function (id) { + var dateRange = new DateRange(deltaDateRanges[id].attr, dateRanges[id]); + if (dateRange.isValid) { + dateRanges[id] = dateRange; + } else { + logger.warn("Ignoring invalid Playlist Delta Update DATERANGE tag: \"" + JSON.stringify(deltaDateRanges[id].attr) + "\""); + } + }); + return dateRanges; + } + function mapPartIntersection(oldParts, newParts, intersectionFn) { + if (oldParts && newParts) { + var delta = 0; + for (var i = 0, len = oldParts.length; i <= len; i++) { + var _oldPart = oldParts[i]; + var _newPart = newParts[i + delta]; + if (_oldPart && _newPart && _oldPart.index === _newPart.index && _oldPart.fragment.sn === _newPart.fragment.sn) { + intersectionFn(_oldPart, _newPart); + } else { + delta--; + } + } + } + } + function mapFragmentIntersection(oldDetails, newDetails, intersectionFn) { + var skippedSegments = newDetails.skippedSegments; + var start = Math.max(oldDetails.startSN, newDetails.startSN) - newDetails.startSN; + var end = (oldDetails.fragmentHint ? 1 : 0) + (skippedSegments ? newDetails.endSN : Math.min(oldDetails.endSN, newDetails.endSN)) - newDetails.startSN; + var delta = newDetails.startSN - oldDetails.startSN; + var newFrags = newDetails.fragmentHint ? newDetails.fragments.concat(newDetails.fragmentHint) : newDetails.fragments; + var oldFrags = oldDetails.fragmentHint ? oldDetails.fragments.concat(oldDetails.fragmentHint) : oldDetails.fragments; + for (var i = start; i <= end; i++) { + var _oldFrag = oldFrags[delta + i]; + var _newFrag = newFrags[i]; + if (skippedSegments && !_newFrag && i < skippedSegments) { + // Fill in skipped segments in delta playlist + _newFrag = newDetails.fragments[i] = _oldFrag; + } + if (_oldFrag && _newFrag) { + intersectionFn(_oldFrag, _newFrag); + } + } + } + function adjustSliding(oldDetails, newDetails) { + var delta = newDetails.startSN + newDetails.skippedSegments - oldDetails.startSN; + var oldFragments = oldDetails.fragments; + if (delta < 0 || delta >= oldFragments.length) { + return; + } + addSliding(newDetails, oldFragments[delta].start); + } + function addSliding(details, start) { + if (start) { + var fragments = details.fragments; + for (var i = details.skippedSegments; i < fragments.length; i++) { + fragments[i].start += start; + } + if (details.fragmentHint) { + details.fragmentHint.start += start; + } + } + } + function computeReloadInterval(newDetails, distanceToLiveEdgeMs) { + if (distanceToLiveEdgeMs === void 0) { + distanceToLiveEdgeMs = Infinity; + } + var reloadInterval = 1000 * newDetails.targetduration; + if (newDetails.updated) { + // Use last segment duration when shorter than target duration and near live edge + var fragments = newDetails.fragments; + var liveEdgeMaxTargetDurations = 4; + if (fragments.length && reloadInterval * liveEdgeMaxTargetDurations > distanceToLiveEdgeMs) { + var lastSegmentDuration = fragments[fragments.length - 1].duration * 1000; + if (lastSegmentDuration < reloadInterval) { + reloadInterval = lastSegmentDuration; + } + } + } else { + // estimate = 'miss half average'; + // follow HLS Spec, If the client reloads a Playlist file and finds that it has not + // changed then it MUST wait for a period of one-half the target + // duration before retrying. + reloadInterval /= 2; + } + return Math.round(reloadInterval); + } + function getFragmentWithSN(level, sn, fragCurrent) { + if (!(level != null && level.details)) { + return null; + } + var levelDetails = level.details; + var fragment = levelDetails.fragments[sn - levelDetails.startSN]; + if (fragment) { + return fragment; + } + fragment = levelDetails.fragmentHint; + if (fragment && fragment.sn === sn) { + return fragment; + } + if (sn < levelDetails.startSN && fragCurrent && fragCurrent.sn === sn) { + return fragCurrent; + } + return null; + } + function getPartWith(level, sn, partIndex) { + var _level$details; + if (!(level != null && level.details)) { + return null; + } + return findPart((_level$details = level.details) == null ? void 0 : _level$details.partList, sn, partIndex); + } + function findPart(partList, sn, partIndex) { + if (partList) { + for (var i = partList.length; i--;) { + var part = partList[i]; + if (part.index === partIndex && part.fragment.sn === sn) { + return part; + } + } + } + return null; + } + function reassignFragmentLevelIndexes(levels) { + levels.forEach(function (level, index) { + var details = level.details; + if (details != null && details.fragments) { + details.fragments.forEach(function (fragment) { + fragment.level = index; + }); + } + }); + } + + function isTimeoutError(error) { + switch (error.details) { + case ErrorDetails.FRAG_LOAD_TIMEOUT: + case ErrorDetails.KEY_LOAD_TIMEOUT: + case ErrorDetails.LEVEL_LOAD_TIMEOUT: + case ErrorDetails.MANIFEST_LOAD_TIMEOUT: + return true; + } + return false; + } + function getRetryConfig(loadPolicy, error) { + var isTimeout = isTimeoutError(error); + return loadPolicy.default[(isTimeout ? 'timeout' : 'error') + "Retry"]; + } + function getRetryDelay(retryConfig, retryCount) { + // exponential backoff capped to max retry delay + var backoffFactor = retryConfig.backoff === 'linear' ? 1 : Math.pow(2, retryCount); + return Math.min(backoffFactor * retryConfig.retryDelayMs, retryConfig.maxRetryDelayMs); + } + function getLoaderConfigWithoutReties(loderConfig) { + return _objectSpread2(_objectSpread2({}, loderConfig), { + errorRetry: null, + timeoutRetry: null + }); + } + function shouldRetry(retryConfig, retryCount, isTimeout, loaderResponse) { + if (!retryConfig) { + return false; + } + var httpStatus = loaderResponse == null ? void 0 : loaderResponse.code; + var retry = retryCount < retryConfig.maxNumRetry && (retryForHttpStatus(httpStatus) || !!isTimeout); + return retryConfig.shouldRetry ? retryConfig.shouldRetry(retryConfig, retryCount, isTimeout, loaderResponse, retry) : retry; + } + function retryForHttpStatus(httpStatus) { + // Do not retry on status 4xx, status 0 (CORS error), or undefined (decrypt/gap/parse error) + return httpStatus === 0 && navigator.onLine === false || !!httpStatus && (httpStatus < 400 || httpStatus > 499); + } + + var BinarySearch = { + /** + * Searches for an item in an array which matches a certain condition. + * This requires the condition to only match one item in the array, + * and for the array to be ordered. + * + * @param list The array to search. + * @param comparisonFn + * Called and provided a candidate item as the first argument. + * Should return: + * > -1 if the item should be located at a lower index than the provided item. + * > 1 if the item should be located at a higher index than the provided item. + * > 0 if the item is the item you're looking for. + * + * @returns the object if found, otherwise returns null + */ + search: function search(list, comparisonFn) { + var minIndex = 0; + var maxIndex = list.length - 1; + var currentIndex = null; + var currentElement = null; + while (minIndex <= maxIndex) { + currentIndex = (minIndex + maxIndex) / 2 | 0; + currentElement = list[currentIndex]; + var comparisonResult = comparisonFn(currentElement); + if (comparisonResult > 0) { + minIndex = currentIndex + 1; + } else if (comparisonResult < 0) { + maxIndex = currentIndex - 1; + } else { + return currentElement; + } + } + return null; + } + }; + + /** + * Returns first fragment whose endPdt value exceeds the given PDT, or null. + * @param fragments - The array of candidate fragments + * @param PDTValue - The PDT value which must be exceeded + * @param maxFragLookUpTolerance - The amount of time that a fragment's start/end can be within in order to be considered contiguous + */ + function findFragmentByPDT(fragments, PDTValue, maxFragLookUpTolerance) { + if (PDTValue === null || !Array.isArray(fragments) || !fragments.length || !isFiniteNumber(PDTValue)) { + return null; + } + + // if less than start + var startPDT = fragments[0].programDateTime; + if (PDTValue < (startPDT || 0)) { + return null; + } + var endPDT = fragments[fragments.length - 1].endProgramDateTime; + if (PDTValue >= (endPDT || 0)) { + return null; + } + maxFragLookUpTolerance = maxFragLookUpTolerance || 0; + for (var seg = 0; seg < fragments.length; ++seg) { + var frag = fragments[seg]; + if (pdtWithinToleranceTest(PDTValue, maxFragLookUpTolerance, frag)) { + return frag; + } + } + return null; + } + + /** + * Finds a fragment based on the SN of the previous fragment; or based on the needs of the current buffer. + * This method compensates for small buffer gaps by applying a tolerance to the start of any candidate fragment, thus + * breaking any traps which would cause the same fragment to be continuously selected within a small range. + * @param fragPrevious - The last frag successfully appended + * @param fragments - The array of candidate fragments + * @param bufferEnd - The end of the contiguous buffered range the playhead is currently within + * @param maxFragLookUpTolerance - The amount of time that a fragment's start/end can be within in order to be considered contiguous + * @returns a matching fragment or null + */ + function findFragmentByPTS(fragPrevious, fragments, bufferEnd, maxFragLookUpTolerance, nextFragLookupTolerance) { + if (bufferEnd === void 0) { + bufferEnd = 0; + } + if (maxFragLookUpTolerance === void 0) { + maxFragLookUpTolerance = 0; + } + if (nextFragLookupTolerance === void 0) { + nextFragLookupTolerance = 0.005; + } + var fragNext = null; + if (fragPrevious) { + fragNext = fragments[fragPrevious.sn - fragments[0].sn + 1] || null; + // check for buffer-end rounding error + var bufferEdgeError = fragPrevious.endDTS - bufferEnd; + if (bufferEdgeError > 0 && bufferEdgeError < 0.0000015) { + bufferEnd += 0.0000015; + } + } else if (bufferEnd === 0 && fragments[0].start === 0) { + fragNext = fragments[0]; + } + // Prefer the next fragment if it's within tolerance + if (fragNext && ((!fragPrevious || fragPrevious.level === fragNext.level) && fragmentWithinToleranceTest(bufferEnd, maxFragLookUpTolerance, fragNext) === 0 || fragmentWithinFastStartSwitch(fragNext, fragPrevious, Math.min(nextFragLookupTolerance, maxFragLookUpTolerance)))) { + return fragNext; + } + // We might be seeking past the tolerance so find the best match + var foundFragment = BinarySearch.search(fragments, fragmentWithinToleranceTest.bind(null, bufferEnd, maxFragLookUpTolerance)); + if (foundFragment && (foundFragment !== fragPrevious || !fragNext)) { + return foundFragment; + } + // If no match was found return the next fragment after fragPrevious, or null + return fragNext; + } + function fragmentWithinFastStartSwitch(fragNext, fragPrevious, nextFragLookupTolerance) { + if (fragPrevious && fragPrevious.start === 0 && fragPrevious.level < fragNext.level && (fragPrevious.endPTS || 0) > 0) { + var firstDuration = fragPrevious.tagList.reduce(function (duration, tag) { + if (tag[0] === 'INF') { + duration += parseFloat(tag[1]); + } + return duration; + }, nextFragLookupTolerance); + return fragNext.start <= firstDuration; + } + return false; + } + + /** + * The test function used by the findFragmentBySn's BinarySearch to look for the best match to the current buffer conditions. + * @param candidate - The fragment to test + * @param bufferEnd - The end of the current buffered range the playhead is currently within + * @param maxFragLookUpTolerance - The amount of time that a fragment's start can be within in order to be considered contiguous + * @returns 0 if it matches, 1 if too low, -1 if too high + */ + function fragmentWithinToleranceTest(bufferEnd, maxFragLookUpTolerance, candidate) { + if (bufferEnd === void 0) { + bufferEnd = 0; + } + if (maxFragLookUpTolerance === void 0) { + maxFragLookUpTolerance = 0; + } + // eagerly accept an accurate match (no tolerance) + if (candidate.start <= bufferEnd && candidate.start + candidate.duration > bufferEnd) { + return 0; + } + // offset should be within fragment boundary - config.maxFragLookUpTolerance + // this is to cope with situations like + // bufferEnd = 9.991 + // frag[Ø] : [0,10] + // frag[1] : [10,20] + // bufferEnd is within frag[0] range ... although what we are expecting is to return frag[1] here + // frag start frag start+duration + // |-----------------------------| + // <---> <---> + // ...--------><-----------------------------><---------.... + // previous frag matching fragment next frag + // return -1 return 0 return 1 + // logger.log(`level/sn/start/end/bufEnd:${level}/${candidate.sn}/${candidate.start}/${(candidate.start+candidate.duration)}/${bufferEnd}`); + // Set the lookup tolerance to be small enough to detect the current segment - ensures we don't skip over very small segments + var candidateLookupTolerance = Math.min(maxFragLookUpTolerance, candidate.duration + (candidate.deltaPTS ? candidate.deltaPTS : 0)); + if (candidate.start + candidate.duration - candidateLookupTolerance <= bufferEnd) { + return 1; + } else if (candidate.start - candidateLookupTolerance > bufferEnd && candidate.start) { + // if maxFragLookUpTolerance will have negative value then don't return -1 for first element + return -1; + } + return 0; + } + + /** + * The test function used by the findFragmentByPdt's BinarySearch to look for the best match to the current buffer conditions. + * This function tests the candidate's program date time values, as represented in Unix time + * @param candidate - The fragment to test + * @param pdtBufferEnd - The Unix time representing the end of the current buffered range + * @param maxFragLookUpTolerance - The amount of time that a fragment's start can be within in order to be considered contiguous + * @returns true if contiguous, false otherwise + */ + function pdtWithinToleranceTest(pdtBufferEnd, maxFragLookUpTolerance, candidate) { + var candidateLookupTolerance = Math.min(maxFragLookUpTolerance, candidate.duration + (candidate.deltaPTS ? candidate.deltaPTS : 0)) * 1000; + + // endProgramDateTime can be null, default to zero + var endProgramDateTime = candidate.endProgramDateTime || 0; + return endProgramDateTime - candidateLookupTolerance > pdtBufferEnd; + } + function findFragWithCC(fragments, cc) { + return BinarySearch.search(fragments, function (candidate) { + if (candidate.cc < cc) { + return 1; + } else if (candidate.cc > cc) { + return -1; + } else { + return 0; + } + }); + } + + var NetworkErrorAction = { + DoNothing: 0, + SendEndCallback: 1, + SendAlternateToPenaltyBox: 2, + RemoveAlternatePermanently: 3, + InsertDiscontinuity: 4, + RetryRequest: 5 + }; + var ErrorActionFlags = { + None: 0, + MoveAllAlternatesMatchingHost: 1, + MoveAllAlternatesMatchingHDCP: 2, + SwitchToSDR: 4 + }; // Reserved for future use + var ErrorController = /*#__PURE__*/function () { + function ErrorController(hls) { + this.hls = void 0; + this.playlistError = 0; + this.penalizedRenditions = {}; + this.log = void 0; + this.warn = void 0; + this.error = void 0; + this.hls = hls; + this.log = logger.log.bind(logger, "[info]:"); + this.warn = logger.warn.bind(logger, "[warning]:"); + this.error = logger.error.bind(logger, "[error]:"); + this.registerListeners(); + } + var _proto = ErrorController.prototype; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.ERROR, this.onError, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + if (!hls) { + return; + } + hls.off(Events.ERROR, this.onError, this); + hls.off(Events.ERROR, this.onErrorOut, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + }; + _proto.destroy = function destroy() { + this.unregisterListeners(); + // @ts-ignore + this.hls = null; + this.penalizedRenditions = {}; + }; + _proto.startLoad = function startLoad(startPosition) {}; + _proto.stopLoad = function stopLoad() { + this.playlistError = 0; + }; + _proto.getVariantLevelIndex = function getVariantLevelIndex(frag) { + return (frag == null ? void 0 : frag.type) === PlaylistLevelType.MAIN ? frag.level : this.hls.loadLevel; + }; + _proto.onManifestLoading = function onManifestLoading() { + this.playlistError = 0; + this.penalizedRenditions = {}; + }; + _proto.onLevelUpdated = function onLevelUpdated() { + this.playlistError = 0; + }; + _proto.onError = function onError(event, data) { + var _data$frag, _data$level; + if (data.fatal) { + return; + } + var hls = this.hls; + var context = data.context; + switch (data.details) { + case ErrorDetails.FRAG_LOAD_ERROR: + case ErrorDetails.FRAG_LOAD_TIMEOUT: + case ErrorDetails.KEY_LOAD_ERROR: + case ErrorDetails.KEY_LOAD_TIMEOUT: + data.errorAction = this.getFragRetryOrSwitchAction(data); + return; + case ErrorDetails.FRAG_PARSING_ERROR: + // ignore empty segment errors marked as gap + if ((_data$frag = data.frag) != null && _data$frag.gap) { + data.errorAction = { + action: NetworkErrorAction.DoNothing, + flags: ErrorActionFlags.None + }; + return; + } + // falls through + case ErrorDetails.FRAG_GAP: + case ErrorDetails.FRAG_DECRYPT_ERROR: + { + // Switch level if possible, otherwise allow retry count to reach max error retries + data.errorAction = this.getFragRetryOrSwitchAction(data); + data.errorAction.action = NetworkErrorAction.SendAlternateToPenaltyBox; + return; + } + case ErrorDetails.LEVEL_EMPTY_ERROR: + case ErrorDetails.LEVEL_PARSING_ERROR: + { + var _data$context, _data$context$levelDe; + // Only retry when empty and live + var levelIndex = data.parent === PlaylistLevelType.MAIN ? data.level : hls.loadLevel; + if (data.details === ErrorDetails.LEVEL_EMPTY_ERROR && !!((_data$context = data.context) != null && (_data$context$levelDe = _data$context.levelDetails) != null && _data$context$levelDe.live)) { + data.errorAction = this.getPlaylistRetryOrSwitchAction(data, levelIndex); + } else { + // Escalate to fatal if not retrying or switching + data.levelRetry = false; + data.errorAction = this.getLevelSwitchAction(data, levelIndex); + } + } + return; + case ErrorDetails.LEVEL_LOAD_ERROR: + case ErrorDetails.LEVEL_LOAD_TIMEOUT: + if (typeof (context == null ? void 0 : context.level) === 'number') { + data.errorAction = this.getPlaylistRetryOrSwitchAction(data, context.level); + } + return; + case ErrorDetails.AUDIO_TRACK_LOAD_ERROR: + case ErrorDetails.AUDIO_TRACK_LOAD_TIMEOUT: + case ErrorDetails.SUBTITLE_LOAD_ERROR: + case ErrorDetails.SUBTITLE_TRACK_LOAD_TIMEOUT: + if (context) { + var level = hls.levels[hls.loadLevel]; + if (level && (context.type === PlaylistContextType.AUDIO_TRACK && level.hasAudioGroup(context.groupId) || context.type === PlaylistContextType.SUBTITLE_TRACK && level.hasSubtitleGroup(context.groupId))) { + // Perform Pathway switch or Redundant failover if possible for fastest recovery + // otherwise allow playlist retry count to reach max error retries + data.errorAction = this.getPlaylistRetryOrSwitchAction(data, hls.loadLevel); + data.errorAction.action = NetworkErrorAction.SendAlternateToPenaltyBox; + data.errorAction.flags = ErrorActionFlags.MoveAllAlternatesMatchingHost; + return; + } + } + return; + case ErrorDetails.KEY_SYSTEM_STATUS_OUTPUT_RESTRICTED: + { + var _level = hls.levels[hls.loadLevel]; + var restrictedHdcpLevel = _level == null ? void 0 : _level.attrs['HDCP-LEVEL']; + if (restrictedHdcpLevel) { + data.errorAction = { + action: NetworkErrorAction.SendAlternateToPenaltyBox, + flags: ErrorActionFlags.MoveAllAlternatesMatchingHDCP, + hdcpLevel: restrictedHdcpLevel + }; + } else { + this.keySystemError(data); + } + } + return; + case ErrorDetails.BUFFER_ADD_CODEC_ERROR: + case ErrorDetails.REMUX_ALLOC_ERROR: + case ErrorDetails.BUFFER_APPEND_ERROR: + data.errorAction = this.getLevelSwitchAction(data, (_data$level = data.level) != null ? _data$level : hls.loadLevel); + return; + case ErrorDetails.INTERNAL_EXCEPTION: + case ErrorDetails.BUFFER_APPENDING_ERROR: + case ErrorDetails.BUFFER_FULL_ERROR: + case ErrorDetails.LEVEL_SWITCH_ERROR: + case ErrorDetails.BUFFER_STALLED_ERROR: + case ErrorDetails.BUFFER_SEEK_OVER_HOLE: + case ErrorDetails.BUFFER_NUDGE_ON_STALL: + data.errorAction = { + action: NetworkErrorAction.DoNothing, + flags: ErrorActionFlags.None + }; + return; + } + if (data.type === ErrorTypes.KEY_SYSTEM_ERROR) { + this.keySystemError(data); + } + }; + _proto.keySystemError = function keySystemError(data) { + var levelIndex = this.getVariantLevelIndex(data.frag); + // Do not retry level. Escalate to fatal if switching levels fails. + data.levelRetry = false; + data.errorAction = this.getLevelSwitchAction(data, levelIndex); + }; + _proto.getPlaylistRetryOrSwitchAction = function getPlaylistRetryOrSwitchAction(data, levelIndex) { + var hls = this.hls; + var retryConfig = getRetryConfig(hls.config.playlistLoadPolicy, data); + var retryCount = this.playlistError++; + var retry = shouldRetry(retryConfig, retryCount, isTimeoutError(data), data.response); + if (retry) { + return { + action: NetworkErrorAction.RetryRequest, + flags: ErrorActionFlags.None, + retryConfig: retryConfig, + retryCount: retryCount + }; + } + var errorAction = this.getLevelSwitchAction(data, levelIndex); + if (retryConfig) { + errorAction.retryConfig = retryConfig; + errorAction.retryCount = retryCount; + } + return errorAction; + }; + _proto.getFragRetryOrSwitchAction = function getFragRetryOrSwitchAction(data) { + var hls = this.hls; + // Share fragment error count accross media options (main, audio, subs) + // This allows for level based rendition switching when media option assets fail + var variantLevelIndex = this.getVariantLevelIndex(data.frag); + var level = hls.levels[variantLevelIndex]; + var _hls$config = hls.config, + fragLoadPolicy = _hls$config.fragLoadPolicy, + keyLoadPolicy = _hls$config.keyLoadPolicy; + var retryConfig = getRetryConfig(data.details.startsWith('key') ? keyLoadPolicy : fragLoadPolicy, data); + var fragmentErrors = hls.levels.reduce(function (acc, level) { + return acc + level.fragmentError; + }, 0); + // Switch levels when out of retried or level index out of bounds + if (level) { + if (data.details !== ErrorDetails.FRAG_GAP) { + level.fragmentError++; + } + var retry = shouldRetry(retryConfig, fragmentErrors, isTimeoutError(data), data.response); + if (retry) { + return { + action: NetworkErrorAction.RetryRequest, + flags: ErrorActionFlags.None, + retryConfig: retryConfig, + retryCount: fragmentErrors + }; + } + } + // Reach max retry count, or Missing level reference + // Switch to valid index + var errorAction = this.getLevelSwitchAction(data, variantLevelIndex); + // Add retry details to allow skipping of FRAG_PARSING_ERROR + if (retryConfig) { + errorAction.retryConfig = retryConfig; + errorAction.retryCount = fragmentErrors; + } + return errorAction; + }; + _proto.getLevelSwitchAction = function getLevelSwitchAction(data, levelIndex) { + var hls = this.hls; + if (levelIndex === null || levelIndex === undefined) { + levelIndex = hls.loadLevel; + } + var level = this.hls.levels[levelIndex]; + if (level) { + var _data$frag2, _data$context2; + var errorDetails = data.details; + level.loadError++; + if (errorDetails === ErrorDetails.BUFFER_APPEND_ERROR) { + level.fragmentError++; + } + // Search for next level to retry + var nextLevel = -1; + var levels = hls.levels, + loadLevel = hls.loadLevel, + minAutoLevel = hls.minAutoLevel, + maxAutoLevel = hls.maxAutoLevel; + if (!hls.autoLevelEnabled) { + hls.loadLevel = -1; + } + var fragErrorType = (_data$frag2 = data.frag) == null ? void 0 : _data$frag2.type; + // Find alternate audio codec if available on audio codec error + var isAudioCodecError = fragErrorType === PlaylistLevelType.AUDIO && errorDetails === ErrorDetails.FRAG_PARSING_ERROR || data.sourceBufferName === 'audio' && (errorDetails === ErrorDetails.BUFFER_ADD_CODEC_ERROR || errorDetails === ErrorDetails.BUFFER_APPEND_ERROR); + var findAudioCodecAlternate = isAudioCodecError && levels.some(function (_ref) { + var audioCodec = _ref.audioCodec; + return level.audioCodec !== audioCodec; + }); + // Find alternate video codec if available on video codec error + var isVideoCodecError = data.sourceBufferName === 'video' && (errorDetails === ErrorDetails.BUFFER_ADD_CODEC_ERROR || errorDetails === ErrorDetails.BUFFER_APPEND_ERROR); + var findVideoCodecAlternate = isVideoCodecError && levels.some(function (_ref2) { + var codecSet = _ref2.codecSet, + audioCodec = _ref2.audioCodec; + return level.codecSet !== codecSet && level.audioCodec === audioCodec; + }); + var _ref3 = (_data$context2 = data.context) != null ? _data$context2 : {}, + playlistErrorType = _ref3.type, + playlistErrorGroupId = _ref3.groupId; + var _loop = function _loop() { + var candidate = (i + loadLevel) % levels.length; + if (candidate !== loadLevel && candidate >= minAutoLevel && candidate <= maxAutoLevel && levels[candidate].loadError === 0) { + var _level$audioGroups, _level$subtitleGroups; + var levelCandidate = levels[candidate]; + // Skip level switch if GAP tag is found in next level at same position + if (errorDetails === ErrorDetails.FRAG_GAP && fragErrorType === PlaylistLevelType.MAIN && data.frag) { + var levelDetails = levels[candidate].details; + if (levelDetails) { + var fragCandidate = findFragmentByPTS(data.frag, levelDetails.fragments, data.frag.start); + if (fragCandidate != null && fragCandidate.gap) { + return 0; // continue + } + } + } else if (playlistErrorType === PlaylistContextType.AUDIO_TRACK && levelCandidate.hasAudioGroup(playlistErrorGroupId) || playlistErrorType === PlaylistContextType.SUBTITLE_TRACK && levelCandidate.hasSubtitleGroup(playlistErrorGroupId)) { + // For audio/subs playlist errors find another group ID or fallthrough to redundant fail-over + return 0; // continue + } else if (fragErrorType === PlaylistLevelType.AUDIO && (_level$audioGroups = level.audioGroups) != null && _level$audioGroups.some(function (groupId) { + return levelCandidate.hasAudioGroup(groupId); + }) || fragErrorType === PlaylistLevelType.SUBTITLE && (_level$subtitleGroups = level.subtitleGroups) != null && _level$subtitleGroups.some(function (groupId) { + return levelCandidate.hasSubtitleGroup(groupId); + }) || findAudioCodecAlternate && level.audioCodec === levelCandidate.audioCodec || !findAudioCodecAlternate && level.audioCodec !== levelCandidate.audioCodec || findVideoCodecAlternate && level.codecSet === levelCandidate.codecSet) { + // For video/audio/subs frag errors find another group ID or fallthrough to redundant fail-over + return 0; // continue + } + nextLevel = candidate; + return 1; // break + } + }, + _ret; + for (var i = levels.length; i--;) { + _ret = _loop(); + if (_ret === 0) continue; + if (_ret === 1) break; + } + if (nextLevel > -1 && hls.loadLevel !== nextLevel) { + data.levelRetry = true; + this.playlistError = 0; + return { + action: NetworkErrorAction.SendAlternateToPenaltyBox, + flags: ErrorActionFlags.None, + nextAutoLevel: nextLevel + }; + } + } + // No levels to switch / Manual level selection / Level not found + // Resolve with Pathway switch, Redundant fail-over, or stay on lowest Level + return { + action: NetworkErrorAction.SendAlternateToPenaltyBox, + flags: ErrorActionFlags.MoveAllAlternatesMatchingHost + }; + }; + _proto.onErrorOut = function onErrorOut(event, data) { + var _data$errorAction; + switch ((_data$errorAction = data.errorAction) == null ? void 0 : _data$errorAction.action) { + case NetworkErrorAction.DoNothing: + break; + case NetworkErrorAction.SendAlternateToPenaltyBox: + this.sendAlternateToPenaltyBox(data); + if (!data.errorAction.resolved && data.details !== ErrorDetails.FRAG_GAP) { + data.fatal = true; + } else if (/MediaSource readyState: ended/.test(data.error.message)) { + this.warn("MediaSource ended after \"" + data.sourceBufferName + "\" sourceBuffer append error. Attempting to recover from media error."); + this.hls.recoverMediaError(); + } + break; + } + if (data.fatal) { + this.hls.stopLoad(); + return; + } + }; + _proto.sendAlternateToPenaltyBox = function sendAlternateToPenaltyBox(data) { + var hls = this.hls; + var errorAction = data.errorAction; + if (!errorAction) { + return; + } + var flags = errorAction.flags, + hdcpLevel = errorAction.hdcpLevel, + nextAutoLevel = errorAction.nextAutoLevel; + switch (flags) { + case ErrorActionFlags.None: + this.switchLevel(data, nextAutoLevel); + break; + case ErrorActionFlags.MoveAllAlternatesMatchingHDCP: + if (hdcpLevel) { + hls.maxHdcpLevel = HdcpLevels[HdcpLevels.indexOf(hdcpLevel) - 1]; + errorAction.resolved = true; + } + this.warn("Restricting playback to HDCP-LEVEL of \"" + hls.maxHdcpLevel + "\" or lower"); + break; + } + // If not resolved by previous actions try to switch to next level + if (!errorAction.resolved) { + this.switchLevel(data, nextAutoLevel); + } + }; + _proto.switchLevel = function switchLevel(data, levelIndex) { + if (levelIndex !== undefined && data.errorAction) { + this.warn("switching to level " + levelIndex + " after " + data.details); + this.hls.nextAutoLevel = levelIndex; + data.errorAction.resolved = true; + // Stream controller is responsible for this but won't switch on false start + this.hls.nextLoadLevel = this.hls.nextAutoLevel; + } + }; + return ErrorController; + }(); + + var BasePlaylistController = /*#__PURE__*/function () { + function BasePlaylistController(hls, logPrefix) { + this.hls = void 0; + this.timer = -1; + this.requestScheduled = -1; + this.canLoad = false; + this.log = void 0; + this.warn = void 0; + this.log = logger.log.bind(logger, logPrefix + ":"); + this.warn = logger.warn.bind(logger, logPrefix + ":"); + this.hls = hls; + } + var _proto = BasePlaylistController.prototype; + _proto.destroy = function destroy() { + this.clearTimer(); + // @ts-ignore + this.hls = this.log = this.warn = null; + }; + _proto.clearTimer = function clearTimer() { + if (this.timer !== -1) { + self.clearTimeout(this.timer); + this.timer = -1; + } + }; + _proto.startLoad = function startLoad() { + this.canLoad = true; + this.requestScheduled = -1; + this.loadPlaylist(); + }; + _proto.stopLoad = function stopLoad() { + this.canLoad = false; + this.clearTimer(); + }; + _proto.switchParams = function switchParams(playlistUri, previous, current) { + var renditionReports = previous == null ? void 0 : previous.renditionReports; + if (renditionReports) { + var foundIndex = -1; + for (var i = 0; i < renditionReports.length; i++) { + var attr = renditionReports[i]; + var uri = void 0; + try { + uri = new self.URL(attr.URI, previous.url).href; + } catch (error) { + logger.warn("Could not construct new URL for Rendition Report: " + error); + uri = attr.URI || ''; + } + // Use exact match. Otherwise, the last partial match, if any, will be used + // (Playlist URI includes a query string that the Rendition Report does not) + if (uri === playlistUri) { + foundIndex = i; + break; + } else if (uri === playlistUri.substring(0, uri.length)) { + foundIndex = i; + } + } + if (foundIndex !== -1) { + var _attr = renditionReports[foundIndex]; + var msn = parseInt(_attr['LAST-MSN']) || (previous == null ? void 0 : previous.lastPartSn); + var part = parseInt(_attr['LAST-PART']) || (previous == null ? void 0 : previous.lastPartIndex); + if (this.hls.config.lowLatencyMode) { + var currentGoal = Math.min(previous.age - previous.partTarget, previous.targetduration); + if (part >= 0 && currentGoal > previous.partTarget) { + part += 1; + } + } + var skip = current && getSkipValue(current); + return new HlsUrlParameters(msn, part >= 0 ? part : undefined, skip); + } + } + }; + _proto.loadPlaylist = function loadPlaylist(hlsUrlParameters) { + if (this.requestScheduled === -1) { + this.requestScheduled = self.performance.now(); + } + // Loading is handled by the subclasses + }; + _proto.shouldLoadPlaylist = function shouldLoadPlaylist(playlist) { + return this.canLoad && !!playlist && !!playlist.url && (!playlist.details || playlist.details.live); + }; + _proto.shouldReloadPlaylist = function shouldReloadPlaylist(playlist) { + return this.timer === -1 && this.requestScheduled === -1 && this.shouldLoadPlaylist(playlist); + }; + _proto.playlistLoaded = function playlistLoaded(index, data, previousDetails) { + var _this = this; + var details = data.details, + stats = data.stats; + + // Set last updated date-time + var now = self.performance.now(); + var elapsed = stats.loading.first ? Math.max(0, now - stats.loading.first) : 0; + details.advancedDateTime = Date.now() - elapsed; + + // if current playlist is a live playlist, arm a timer to reload it + if (details.live || previousDetails != null && previousDetails.live) { + details.reloaded(previousDetails); + if (previousDetails) { + this.log("live playlist " + index + " " + (details.advanced ? 'REFRESHED ' + details.lastPartSn + '-' + details.lastPartIndex : details.updated ? 'UPDATED' : 'MISSED')); + } + // Merge live playlists to adjust fragment starts and fill in delta playlist skipped segments + if (previousDetails && details.fragments.length > 0) { + mergeDetails(previousDetails, details); + } + if (!this.canLoad || !details.live) { + return; + } + var deliveryDirectives; + var msn = undefined; + var part = undefined; + if (details.canBlockReload && details.endSN && details.advanced) { + // Load level with LL-HLS delivery directives + var lowLatencyMode = this.hls.config.lowLatencyMode; + var lastPartSn = details.lastPartSn; + var endSn = details.endSN; + var lastPartIndex = details.lastPartIndex; + var hasParts = lastPartIndex !== -1; + var lastPart = lastPartSn === endSn; + // When low latency mode is disabled, we'll skip part requests once the last part index is found + var nextSnStartIndex = lowLatencyMode ? 0 : lastPartIndex; + if (hasParts) { + msn = lastPart ? endSn + 1 : lastPartSn; + part = lastPart ? nextSnStartIndex : lastPartIndex + 1; + } else { + msn = endSn + 1; + } + // Low-Latency CDN Tune-in: "age" header and time since load indicates we're behind by more than one part + // Update directives to obtain the Playlist that has the estimated additional duration of media + var lastAdvanced = details.age; + var cdnAge = lastAdvanced + details.ageHeader; + var currentGoal = Math.min(cdnAge - details.partTarget, details.targetduration * 1.5); + if (currentGoal > 0) { + if (previousDetails && currentGoal > previousDetails.tuneInGoal) { + // If we attempted to get the next or latest playlist update, but currentGoal increased, + // then we either can't catchup, or the "age" header cannot be trusted. + this.warn("CDN Tune-in goal increased from: " + previousDetails.tuneInGoal + " to: " + currentGoal + " with playlist age: " + details.age); + currentGoal = 0; + } else { + var segments = Math.floor(currentGoal / details.targetduration); + msn += segments; + if (part !== undefined) { + var parts = Math.round(currentGoal % details.targetduration / details.partTarget); + part += parts; + } + this.log("CDN Tune-in age: " + details.ageHeader + "s last advanced " + lastAdvanced.toFixed(2) + "s goal: " + currentGoal + " skip sn " + segments + " to part " + part); + } + details.tuneInGoal = currentGoal; + } + deliveryDirectives = this.getDeliveryDirectives(details, data.deliveryDirectives, msn, part); + if (lowLatencyMode || !lastPart) { + this.loadPlaylist(deliveryDirectives); + return; + } + } else if (details.canBlockReload || details.canSkipUntil) { + deliveryDirectives = this.getDeliveryDirectives(details, data.deliveryDirectives, msn, part); + } + var bufferInfo = this.hls.mainForwardBufferInfo; + var position = bufferInfo ? bufferInfo.end - bufferInfo.len : 0; + var distanceToLiveEdgeMs = (details.edge - position) * 1000; + var reloadInterval = computeReloadInterval(details, distanceToLiveEdgeMs); + if (details.updated && now > this.requestScheduled + reloadInterval) { + this.requestScheduled = stats.loading.start; + } + if (msn !== undefined && details.canBlockReload) { + this.requestScheduled = stats.loading.first + reloadInterval - (details.partTarget * 1000 || 1000); + } else if (this.requestScheduled === -1 || this.requestScheduled + reloadInterval < now) { + this.requestScheduled = now; + } else if (this.requestScheduled - now <= 0) { + this.requestScheduled += reloadInterval; + } + var estimatedTimeUntilUpdate = this.requestScheduled - now; + estimatedTimeUntilUpdate = Math.max(0, estimatedTimeUntilUpdate); + this.log("reload live playlist " + index + " in " + Math.round(estimatedTimeUntilUpdate) + " ms"); + // this.log( + // `live reload ${details.updated ? 'REFRESHED' : 'MISSED'} + // reload in ${estimatedTimeUntilUpdate / 1000} + // round trip ${(stats.loading.end - stats.loading.start) / 1000} + // diff ${ + // (reloadInterval - + // (estimatedTimeUntilUpdate + + // stats.loading.end - + // stats.loading.start)) / + // 1000 + // } + // reload interval ${reloadInterval / 1000} + // target duration ${details.targetduration} + // distance to edge ${distanceToLiveEdgeMs / 1000}` + // ); + + this.timer = self.setTimeout(function () { + return _this.loadPlaylist(deliveryDirectives); + }, estimatedTimeUntilUpdate); + } else { + this.clearTimer(); + } + }; + _proto.getDeliveryDirectives = function getDeliveryDirectives(details, previousDeliveryDirectives, msn, part) { + var skip = getSkipValue(details); + if (previousDeliveryDirectives != null && previousDeliveryDirectives.skip && details.deltaUpdateFailed) { + msn = previousDeliveryDirectives.msn; + part = previousDeliveryDirectives.part; + skip = HlsSkip.No; + } + return new HlsUrlParameters(msn, part, skip); + }; + _proto.checkRetry = function checkRetry(errorEvent) { + var _this2 = this; + var errorDetails = errorEvent.details; + var isTimeout = isTimeoutError(errorEvent); + var errorAction = errorEvent.errorAction; + var _ref = errorAction || {}, + action = _ref.action, + _ref$retryCount = _ref.retryCount, + retryCount = _ref$retryCount === void 0 ? 0 : _ref$retryCount, + retryConfig = _ref.retryConfig; + var retry = !!errorAction && !!retryConfig && (action === NetworkErrorAction.RetryRequest || !errorAction.resolved && action === NetworkErrorAction.SendAlternateToPenaltyBox); + if (retry) { + var _errorEvent$context; + this.requestScheduled = -1; + if (retryCount >= retryConfig.maxNumRetry) { + return false; + } + if (isTimeout && (_errorEvent$context = errorEvent.context) != null && _errorEvent$context.deliveryDirectives) { + // The LL-HLS request already timed out so retry immediately + this.warn("Retrying playlist loading " + (retryCount + 1) + "/" + retryConfig.maxNumRetry + " after \"" + errorDetails + "\" without delivery-directives"); + this.loadPlaylist(); + } else { + var delay = getRetryDelay(retryConfig, retryCount); + // Schedule level/track reload + this.timer = self.setTimeout(function () { + return _this2.loadPlaylist(); + }, delay); + this.warn("Retrying playlist loading " + (retryCount + 1) + "/" + retryConfig.maxNumRetry + " after \"" + errorDetails + "\" in " + delay + "ms"); + } + // `levelRetry = true` used to inform other controllers that a retry is happening + errorEvent.levelRetry = true; + errorAction.resolved = true; + } + return retry; + }; + return BasePlaylistController; + }(); + + /* + * compute an Exponential Weighted moving average + * - https://en.wikipedia.org/wiki/Moving_average#Exponential_moving_average + * - heavily inspired from shaka-player + */ + var EWMA = /*#__PURE__*/function () { + // About half of the estimated value will be from the last |halfLife| samples by weight. + function EWMA(halfLife, estimate, weight) { + if (estimate === void 0) { + estimate = 0; + } + if (weight === void 0) { + weight = 0; + } + this.halfLife = void 0; + this.alpha_ = void 0; + this.estimate_ = void 0; + this.totalWeight_ = void 0; + this.halfLife = halfLife; + // Larger values of alpha expire historical data more slowly. + this.alpha_ = halfLife ? Math.exp(Math.log(0.5) / halfLife) : 0; + this.estimate_ = estimate; + this.totalWeight_ = weight; + } + var _proto = EWMA.prototype; + _proto.sample = function sample(weight, value) { + var adjAlpha = Math.pow(this.alpha_, weight); + this.estimate_ = value * (1 - adjAlpha) + adjAlpha * this.estimate_; + this.totalWeight_ += weight; + }; + _proto.getTotalWeight = function getTotalWeight() { + return this.totalWeight_; + }; + _proto.getEstimate = function getEstimate() { + if (this.alpha_) { + var zeroFactor = 1 - Math.pow(this.alpha_, this.totalWeight_); + if (zeroFactor) { + return this.estimate_ / zeroFactor; + } + } + return this.estimate_; + }; + return EWMA; + }(); + + /* + * EWMA Bandwidth Estimator + * - heavily inspired from shaka-player + * Tracks bandwidth samples and estimates available bandwidth. + * Based on the minimum of two exponentially-weighted moving averages with + * different half-lives. + */ + + var EwmaBandWidthEstimator = /*#__PURE__*/function () { + function EwmaBandWidthEstimator(slow, fast, defaultEstimate, defaultTTFB) { + if (defaultTTFB === void 0) { + defaultTTFB = 100; + } + this.defaultEstimate_ = void 0; + this.minWeight_ = void 0; + this.minDelayMs_ = void 0; + this.slow_ = void 0; + this.fast_ = void 0; + this.defaultTTFB_ = void 0; + this.ttfb_ = void 0; + this.defaultEstimate_ = defaultEstimate; + this.minWeight_ = 0.001; + this.minDelayMs_ = 50; + this.slow_ = new EWMA(slow); + this.fast_ = new EWMA(fast); + this.defaultTTFB_ = defaultTTFB; + this.ttfb_ = new EWMA(slow); + } + var _proto = EwmaBandWidthEstimator.prototype; + _proto.update = function update(slow, fast) { + var slow_ = this.slow_, + fast_ = this.fast_, + ttfb_ = this.ttfb_; + if (slow_.halfLife !== slow) { + this.slow_ = new EWMA(slow, slow_.getEstimate(), slow_.getTotalWeight()); + } + if (fast_.halfLife !== fast) { + this.fast_ = new EWMA(fast, fast_.getEstimate(), fast_.getTotalWeight()); + } + if (ttfb_.halfLife !== slow) { + this.ttfb_ = new EWMA(slow, ttfb_.getEstimate(), ttfb_.getTotalWeight()); + } + }; + _proto.sample = function sample(durationMs, numBytes) { + durationMs = Math.max(durationMs, this.minDelayMs_); + var numBits = 8 * numBytes; + // weight is duration in seconds + var durationS = durationMs / 1000; + // value is bandwidth in bits/s + var bandwidthInBps = numBits / durationS; + this.fast_.sample(durationS, bandwidthInBps); + this.slow_.sample(durationS, bandwidthInBps); + }; + _proto.sampleTTFB = function sampleTTFB(ttfb) { + // weight is frequency curve applied to TTFB in seconds + // (longer times have less weight with expected input under 1 second) + var seconds = ttfb / 1000; + var weight = Math.sqrt(2) * Math.exp(-Math.pow(seconds, 2) / 2); + this.ttfb_.sample(weight, Math.max(ttfb, 5)); + }; + _proto.canEstimate = function canEstimate() { + return this.fast_.getTotalWeight() >= this.minWeight_; + }; + _proto.getEstimate = function getEstimate() { + if (this.canEstimate()) { + // console.log('slow estimate:'+ Math.round(this.slow_.getEstimate())); + // console.log('fast estimate:'+ Math.round(this.fast_.getEstimate())); + // Take the minimum of these two estimates. This should have the effect of + // adapting down quickly, but up more slowly. + return Math.min(this.fast_.getEstimate(), this.slow_.getEstimate()); + } else { + return this.defaultEstimate_; + } + }; + _proto.getEstimateTTFB = function getEstimateTTFB() { + if (this.ttfb_.getTotalWeight() >= this.minWeight_) { + return this.ttfb_.getEstimate(); + } else { + return this.defaultTTFB_; + } + }; + _proto.destroy = function destroy() {}; + return EwmaBandWidthEstimator; + }(); + + var SUPPORTED_INFO_DEFAULT = { + supported: true, + configurations: [], + decodingInfoResults: [{ + supported: true, + powerEfficient: true, + smooth: true + }] + }; + var SUPPORTED_INFO_CACHE = {}; + function requiresMediaCapabilitiesDecodingInfo(level, audioTracksByGroup, currentVideoRange, currentFrameRate, currentBw, audioPreference) { + // Only test support when configuration is exceeds minimum options + var audioGroups = level.audioCodec ? level.audioGroups : null; + var audioCodecPreference = audioPreference == null ? void 0 : audioPreference.audioCodec; + var channelsPreference = audioPreference == null ? void 0 : audioPreference.channels; + var maxChannels = channelsPreference ? parseInt(channelsPreference) : audioCodecPreference ? Infinity : 2; + var audioChannels = null; + if (audioGroups != null && audioGroups.length) { + try { + if (audioGroups.length === 1 && audioGroups[0]) { + audioChannels = audioTracksByGroup.groups[audioGroups[0]].channels; + } else { + audioChannels = audioGroups.reduce(function (acc, groupId) { + if (groupId) { + var audioTrackGroup = audioTracksByGroup.groups[groupId]; + if (!audioTrackGroup) { + throw new Error("Audio track group " + groupId + " not found"); + } + // Sum all channel key values + Object.keys(audioTrackGroup.channels).forEach(function (key) { + acc[key] = (acc[key] || 0) + audioTrackGroup.channels[key]; + }); + } + return acc; + }, { + 2: 0 + }); + } + } catch (error) { + return true; + } + } + return level.videoCodec !== undefined && (level.width > 1920 && level.height > 1088 || level.height > 1920 && level.width > 1088 || level.frameRate > Math.max(currentFrameRate, 30) || level.videoRange !== 'SDR' && level.videoRange !== currentVideoRange || level.bitrate > Math.max(currentBw, 8e6)) || !!audioChannels && isFiniteNumber(maxChannels) && Object.keys(audioChannels).some(function (channels) { + return parseInt(channels) > maxChannels; + }); + } + function getMediaDecodingInfoPromise(level, audioTracksByGroup, mediaCapabilities) { + var videoCodecs = level.videoCodec; + var audioCodecs = level.audioCodec; + if (!videoCodecs || !audioCodecs || !mediaCapabilities) { + return Promise.resolve(SUPPORTED_INFO_DEFAULT); + } + var baseVideoConfiguration = { + width: level.width, + height: level.height, + bitrate: Math.ceil(Math.max(level.bitrate * 0.9, level.averageBitrate)), + // Assume a framerate of 30fps since MediaCapabilities will not accept Level default of 0. + framerate: level.frameRate || 30 + }; + var videoRange = level.videoRange; + if (videoRange !== 'SDR') { + baseVideoConfiguration.transferFunction = videoRange.toLowerCase(); + } + var configurations = videoCodecs.split(',').map(function (videoCodec) { + return { + type: 'media-source', + video: _objectSpread2(_objectSpread2({}, baseVideoConfiguration), {}, { + contentType: mimeTypeForCodec(videoCodec, 'video') + }) + }; + }); + if (audioCodecs && level.audioGroups) { + level.audioGroups.forEach(function (audioGroupId) { + var _audioTracksByGroup$g; + if (!audioGroupId) { + return; + } + (_audioTracksByGroup$g = audioTracksByGroup.groups[audioGroupId]) == null ? void 0 : _audioTracksByGroup$g.tracks.forEach(function (audioTrack) { + if (audioTrack.groupId === audioGroupId) { + var channels = audioTrack.channels || ''; + var channelsNumber = parseFloat(channels); + if (isFiniteNumber(channelsNumber) && channelsNumber > 2) { + configurations.push.apply(configurations, audioCodecs.split(',').map(function (audioCodec) { + return { + type: 'media-source', + audio: { + contentType: mimeTypeForCodec(audioCodec, 'audio'), + channels: '' + channelsNumber + // spatialRendering: + // audioCodec === 'ec-3' && channels.indexOf('JOC'), + } + }; + })); + } + } + }); + }); + } + return Promise.all(configurations.map(function (configuration) { + // Cache MediaCapabilities promises + var decodingInfoKey = getMediaDecodingInfoKey(configuration); + return SUPPORTED_INFO_CACHE[decodingInfoKey] || (SUPPORTED_INFO_CACHE[decodingInfoKey] = mediaCapabilities.decodingInfo(configuration)); + })).then(function (decodingInfoResults) { + return { + supported: !decodingInfoResults.some(function (info) { + return !info.supported; + }), + configurations: configurations, + decodingInfoResults: decodingInfoResults + }; + }).catch(function (error) { + return { + supported: false, + configurations: configurations, + decodingInfoResults: [], + error: error + }; + }); + } + function getMediaDecodingInfoKey(config) { + var audio = config.audio, + video = config.video; + var mediaConfig = video || audio; + if (mediaConfig) { + var codec = mediaConfig.contentType.split('"')[1]; + if (video) { + return "r" + video.height + "x" + video.width + "f" + Math.ceil(video.framerate) + (video.transferFunction || 'sd') + "_" + codec + "_" + Math.ceil(video.bitrate / 1e5); + } + if (audio) { + return "c" + audio.channels + (audio.spatialRendering ? 's' : 'n') + "_" + codec; + } + } + return ''; + } + + /** + * @returns Whether we can detect and validate HDR capability within the window context + */ + function isHdrSupported() { + if (typeof matchMedia === 'function') { + var mediaQueryList = matchMedia('(dynamic-range: high)'); + var badQuery = matchMedia('bad query'); + if (mediaQueryList.media !== badQuery.media) { + return mediaQueryList.matches === true; + } + } + return false; + } + + /** + * Sanitizes inputs to return the active video selection options for HDR/SDR. + * When both inputs are null: + * + * `{ preferHDR: false, allowedVideoRanges: [] }` + * + * When `currentVideoRange` non-null, maintain the active range: + * + * `{ preferHDR: currentVideoRange !== 'SDR', allowedVideoRanges: [currentVideoRange] }` + * + * When VideoSelectionOption non-null: + * + * - Allow all video ranges if `allowedVideoRanges` unspecified. + * - If `preferHDR` is non-null use the value to filter `allowedVideoRanges`. + * - Else check window for HDR support and set `preferHDR` to the result. + * + * @param currentVideoRange + * @param videoPreference + */ + function getVideoSelectionOptions(currentVideoRange, videoPreference) { + var preferHDR = false; + var allowedVideoRanges = []; + if (currentVideoRange) { + preferHDR = currentVideoRange !== 'SDR'; + allowedVideoRanges = [currentVideoRange]; + } + if (videoPreference) { + allowedVideoRanges = videoPreference.allowedVideoRanges || VideoRangeValues.slice(0); + preferHDR = videoPreference.preferHDR !== undefined ? videoPreference.preferHDR : isHdrSupported(); + if (preferHDR) { + allowedVideoRanges = allowedVideoRanges.filter(function (range) { + return range !== 'SDR'; + }); + } else { + allowedVideoRanges = ['SDR']; + } + } + return { + preferHDR: preferHDR, + allowedVideoRanges: allowedVideoRanges + }; + } + + function getStartCodecTier(codecTiers, currentVideoRange, currentBw, audioPreference, videoPreference) { + var codecSets = Object.keys(codecTiers); + var channelsPreference = audioPreference == null ? void 0 : audioPreference.channels; + var audioCodecPreference = audioPreference == null ? void 0 : audioPreference.audioCodec; + var preferStereo = channelsPreference && parseInt(channelsPreference) === 2; + // Use first level set to determine stereo, and minimum resolution and framerate + var hasStereo = true; + var hasCurrentVideoRange = false; + var minHeight = Infinity; + var minFramerate = Infinity; + var minBitrate = Infinity; + var selectedScore = 0; + var videoRanges = []; + var _getVideoSelectionOpt = getVideoSelectionOptions(currentVideoRange, videoPreference), + preferHDR = _getVideoSelectionOpt.preferHDR, + allowedVideoRanges = _getVideoSelectionOpt.allowedVideoRanges; + var _loop = function _loop() { + var tier = codecTiers[codecSets[i]]; + hasStereo = tier.channels[2] > 0; + minHeight = Math.min(minHeight, tier.minHeight); + minFramerate = Math.min(minFramerate, tier.minFramerate); + minBitrate = Math.min(minBitrate, tier.minBitrate); + var matchingVideoRanges = allowedVideoRanges.filter(function (range) { + return tier.videoRanges[range] > 0; + }); + if (matchingVideoRanges.length > 0) { + hasCurrentVideoRange = true; + videoRanges = matchingVideoRanges; + } + }; + for (var i = codecSets.length; i--;) { + _loop(); + } + minHeight = isFiniteNumber(minHeight) ? minHeight : 0; + minFramerate = isFiniteNumber(minFramerate) ? minFramerate : 0; + var maxHeight = Math.max(1080, minHeight); + var maxFramerate = Math.max(30, minFramerate); + minBitrate = isFiniteNumber(minBitrate) ? minBitrate : currentBw; + currentBw = Math.max(minBitrate, currentBw); + // If there are no variants with matching preference, set currentVideoRange to undefined + if (!hasCurrentVideoRange) { + currentVideoRange = undefined; + videoRanges = []; + } + var codecSet = codecSets.reduce(function (selected, candidate) { + // Remove candiates which do not meet bitrate, default audio, stereo or channels preference, 1080p or lower, 30fps or lower, or SDR/HDR selection if present + var candidateTier = codecTiers[candidate]; + if (candidate === selected) { + return selected; + } + if (candidateTier.minBitrate > currentBw) { + logStartCodecCandidateIgnored(candidate, "min bitrate of " + candidateTier.minBitrate + " > current estimate of " + currentBw); + return selected; + } + if (!candidateTier.hasDefaultAudio) { + logStartCodecCandidateIgnored(candidate, "no renditions with default or auto-select sound found"); + return selected; + } + if (audioCodecPreference && candidate.indexOf(audioCodecPreference.substring(0, 4)) % 5 !== 0) { + logStartCodecCandidateIgnored(candidate, "audio codec preference \"" + audioCodecPreference + "\" not found"); + return selected; + } + if (channelsPreference && !preferStereo) { + if (!candidateTier.channels[channelsPreference]) { + logStartCodecCandidateIgnored(candidate, "no renditions with " + channelsPreference + " channel sound found (channels options: " + Object.keys(candidateTier.channels) + ")"); + return selected; + } + } else if ((!audioCodecPreference || preferStereo) && hasStereo && candidateTier.channels['2'] === 0) { + logStartCodecCandidateIgnored(candidate, "no renditions with stereo sound found"); + return selected; + } + if (candidateTier.minHeight > maxHeight) { + logStartCodecCandidateIgnored(candidate, "min resolution of " + candidateTier.minHeight + " > maximum of " + maxHeight); + return selected; + } + if (candidateTier.minFramerate > maxFramerate) { + logStartCodecCandidateIgnored(candidate, "min framerate of " + candidateTier.minFramerate + " > maximum of " + maxFramerate); + return selected; + } + if (!videoRanges.some(function (range) { + return candidateTier.videoRanges[range] > 0; + })) { + logStartCodecCandidateIgnored(candidate, "no variants with VIDEO-RANGE of " + JSON.stringify(videoRanges) + " found"); + return selected; + } + if (candidateTier.maxScore < selectedScore) { + logStartCodecCandidateIgnored(candidate, "max score of " + candidateTier.maxScore + " < selected max of " + selectedScore); + return selected; + } + // Remove candiates with less preferred codecs or more errors + if (selected && (codecsSetSelectionPreferenceValue(candidate) >= codecsSetSelectionPreferenceValue(selected) || candidateTier.fragmentError > codecTiers[selected].fragmentError)) { + return selected; + } + selectedScore = candidateTier.maxScore; + return candidate; + }, undefined); + return { + codecSet: codecSet, + videoRanges: videoRanges, + preferHDR: preferHDR, + minFramerate: minFramerate, + minBitrate: minBitrate + }; + } + function logStartCodecCandidateIgnored(codeSet, reason) { + logger.log("[abr] start candidates with \"" + codeSet + "\" ignored because " + reason); + } + function getAudioTracksByGroup(allAudioTracks) { + return allAudioTracks.reduce(function (audioTracksByGroup, track) { + var trackGroup = audioTracksByGroup.groups[track.groupId]; + if (!trackGroup) { + trackGroup = audioTracksByGroup.groups[track.groupId] = { + tracks: [], + channels: { + 2: 0 + }, + hasDefault: false, + hasAutoSelect: false + }; + } + trackGroup.tracks.push(track); + var channelsKey = track.channels || '2'; + trackGroup.channels[channelsKey] = (trackGroup.channels[channelsKey] || 0) + 1; + trackGroup.hasDefault = trackGroup.hasDefault || track.default; + trackGroup.hasAutoSelect = trackGroup.hasAutoSelect || track.autoselect; + if (trackGroup.hasDefault) { + audioTracksByGroup.hasDefaultAudio = true; + } + if (trackGroup.hasAutoSelect) { + audioTracksByGroup.hasAutoSelectAudio = true; + } + return audioTracksByGroup; + }, { + hasDefaultAudio: false, + hasAutoSelectAudio: false, + groups: {} + }); + } + function getCodecTiers(levels, audioTracksByGroup, minAutoLevel, maxAutoLevel) { + return levels.slice(minAutoLevel, maxAutoLevel + 1).reduce(function (tiers, level) { + if (!level.codecSet) { + return tiers; + } + var audioGroups = level.audioGroups; + var tier = tiers[level.codecSet]; + if (!tier) { + tiers[level.codecSet] = tier = { + minBitrate: Infinity, + minHeight: Infinity, + minFramerate: Infinity, + maxScore: 0, + videoRanges: { + SDR: 0 + }, + channels: { + '2': 0 + }, + hasDefaultAudio: !audioGroups, + fragmentError: 0 + }; + } + tier.minBitrate = Math.min(tier.minBitrate, level.bitrate); + var lesserWidthOrHeight = Math.min(level.height, level.width); + tier.minHeight = Math.min(tier.minHeight, lesserWidthOrHeight); + tier.minFramerate = Math.min(tier.minFramerate, level.frameRate); + tier.maxScore = Math.max(tier.maxScore, level.score); + tier.fragmentError += level.fragmentError; + tier.videoRanges[level.videoRange] = (tier.videoRanges[level.videoRange] || 0) + 1; + if (audioGroups) { + audioGroups.forEach(function (audioGroupId) { + if (!audioGroupId) { + return; + } + var audioGroup = audioTracksByGroup.groups[audioGroupId]; + if (!audioGroup) { + return; + } + // Default audio is any group with DEFAULT=YES, or if missing then any group with AUTOSELECT=YES, or all variants + tier.hasDefaultAudio = tier.hasDefaultAudio || audioTracksByGroup.hasDefaultAudio ? audioGroup.hasDefault : audioGroup.hasAutoSelect || !audioTracksByGroup.hasDefaultAudio && !audioTracksByGroup.hasAutoSelectAudio; + Object.keys(audioGroup.channels).forEach(function (channels) { + tier.channels[channels] = (tier.channels[channels] || 0) + audioGroup.channels[channels]; + }); + }); + } + return tiers; + }, {}); + } + function findMatchingOption(option, tracks, matchPredicate) { + if ('attrs' in option) { + var index = tracks.indexOf(option); + if (index !== -1) { + return index; + } + } + for (var i = 0; i < tracks.length; i++) { + var _track = tracks[i]; + if (matchesOption(option, _track, matchPredicate)) { + return i; + } + } + return -1; + } + function matchesOption(option, track, matchPredicate) { + var groupId = option.groupId, + name = option.name, + lang = option.lang, + assocLang = option.assocLang, + characteristics = option.characteristics, + isDefault = option.default; + var forced = option.forced; + return (groupId === undefined || track.groupId === groupId) && (name === undefined || track.name === name) && (lang === undefined || track.lang === lang) && (lang === undefined || track.assocLang === assocLang) && (isDefault === undefined || track.default === isDefault) && (forced === undefined || track.forced === forced) && (characteristics === undefined || characteristicsMatch(characteristics, track.characteristics)) && (matchPredicate === undefined || matchPredicate(option, track)); + } + function characteristicsMatch(characteristicsA, characteristicsB) { + if (characteristicsB === void 0) { + characteristicsB = ''; + } + var arrA = characteristicsA.split(','); + var arrB = characteristicsB.split(','); + // Expects each item to be unique: + return arrA.length === arrB.length && !arrA.some(function (el) { + return arrB.indexOf(el) === -1; + }); + } + function audioMatchPredicate(option, track) { + var audioCodec = option.audioCodec, + channels = option.channels; + return (audioCodec === undefined || (track.audioCodec || '').substring(0, 4) === audioCodec.substring(0, 4)) && (channels === undefined || channels === (track.channels || '2')); + } + function findClosestLevelWithAudioGroup(option, levels, allAudioTracks, searchIndex, matchPredicate) { + var currentLevel = levels[searchIndex]; + // Are there variants with same URI as current level? + // If so, find a match that does not require any level URI change + var variants = levels.reduce(function (variantMap, level, index) { + var uri = level.uri; + var renditions = variantMap[uri] || (variantMap[uri] = []); + renditions.push(index); + return variantMap; + }, {}); + var renditions = variants[currentLevel.uri]; + if (renditions.length > 1) { + searchIndex = Math.max.apply(Math, renditions); + } + // Find best match + var currentVideoRange = currentLevel.videoRange; + var currentFrameRate = currentLevel.frameRate; + var currentVideoCodec = currentLevel.codecSet.substring(0, 4); + var matchingVideo = searchDownAndUpList(levels, searchIndex, function (level) { + if (level.videoRange !== currentVideoRange || level.frameRate !== currentFrameRate || level.codecSet.substring(0, 4) !== currentVideoCodec) { + return false; + } + var audioGroups = level.audioGroups; + var tracks = allAudioTracks.filter(function (track) { + return !audioGroups || audioGroups.indexOf(track.groupId) !== -1; + }); + return findMatchingOption(option, tracks, matchPredicate) > -1; + }); + if (matchingVideo > -1) { + return matchingVideo; + } + return searchDownAndUpList(levels, searchIndex, function (level) { + var audioGroups = level.audioGroups; + var tracks = allAudioTracks.filter(function (track) { + return !audioGroups || audioGroups.indexOf(track.groupId) !== -1; + }); + return findMatchingOption(option, tracks, matchPredicate) > -1; + }); + } + function searchDownAndUpList(arr, searchIndex, predicate) { + for (var i = searchIndex; i > -1; i--) { + if (predicate(arr[i])) { + return i; + } + } + for (var _i = searchIndex + 1; _i < arr.length; _i++) { + if (predicate(arr[_i])) { + return _i; + } + } + return -1; + } + + var AbrController = /*#__PURE__*/function () { + function AbrController(_hls) { + var _this = this; + this.hls = void 0; + this.lastLevelLoadSec = 0; + this.lastLoadedFragLevel = -1; + this.firstSelection = -1; + this._nextAutoLevel = -1; + this.nextAutoLevelKey = ''; + this.audioTracksByGroup = null; + this.codecTiers = null; + this.timer = -1; + this.fragCurrent = null; + this.partCurrent = null; + this.bitrateTestDelay = 0; + this.bwEstimator = void 0; + /* + This method monitors the download rate of the current fragment, and will downswitch if that fragment will not load + quickly enough to prevent underbuffering + */ + this._abandonRulesCheck = function () { + var frag = _this.fragCurrent, + part = _this.partCurrent, + hls = _this.hls; + var autoLevelEnabled = hls.autoLevelEnabled, + media = hls.media; + if (!frag || !media) { + return; + } + var now = performance.now(); + var stats = part ? part.stats : frag.stats; + var duration = part ? part.duration : frag.duration; + var timeLoading = now - stats.loading.start; + var minAutoLevel = hls.minAutoLevel; + // If frag loading is aborted, complete, or from lowest level, stop timer and return + if (stats.aborted || stats.loaded && stats.loaded === stats.total || frag.level <= minAutoLevel) { + _this.clearTimer(); + // reset forced auto level value so that next level will be selected + _this._nextAutoLevel = -1; + return; + } + + // This check only runs if we're in ABR mode and actually playing + if (!autoLevelEnabled || media.paused || !media.playbackRate || !media.readyState) { + return; + } + var bufferInfo = hls.mainForwardBufferInfo; + if (bufferInfo === null) { + return; + } + var ttfbEstimate = _this.bwEstimator.getEstimateTTFB(); + var playbackRate = Math.abs(media.playbackRate); + // To maintain stable adaptive playback, only begin monitoring frag loading after half or more of its playback duration has passed + if (timeLoading <= Math.max(ttfbEstimate, 1000 * (duration / (playbackRate * 2)))) { + return; + } + + // bufferStarvationDelay is an estimate of the amount time (in seconds) it will take to exhaust the buffer + var bufferStarvationDelay = bufferInfo.len / playbackRate; + var ttfb = stats.loading.first ? stats.loading.first - stats.loading.start : -1; + var loadedFirstByte = stats.loaded && ttfb > -1; + var bwEstimate = _this.getBwEstimate(); + var levels = hls.levels; + var level = levels[frag.level]; + var expectedLen = stats.total || Math.max(stats.loaded, Math.round(duration * level.averageBitrate / 8)); + var timeStreaming = loadedFirstByte ? timeLoading - ttfb : timeLoading; + if (timeStreaming < 1 && loadedFirstByte) { + timeStreaming = Math.min(timeLoading, stats.loaded * 8 / bwEstimate); + } + var loadRate = loadedFirstByte ? stats.loaded * 1000 / timeStreaming : 0; + // fragLoadDelay is an estimate of the time (in seconds) it will take to buffer the remainder of the fragment + var fragLoadedDelay = loadRate ? (expectedLen - stats.loaded) / loadRate : expectedLen * 8 / bwEstimate + ttfbEstimate / 1000; + // Only downswitch if the time to finish loading the current fragment is greater than the amount of buffer left + if (fragLoadedDelay <= bufferStarvationDelay) { + return; + } + var bwe = loadRate ? loadRate * 8 : bwEstimate; + var fragLevelNextLoadedDelay = Number.POSITIVE_INFINITY; + var nextLoadLevel; + // Iterate through lower level and try to find the largest one that avoids rebuffering + for (nextLoadLevel = frag.level - 1; nextLoadLevel > minAutoLevel; nextLoadLevel--) { + // compute time to load next fragment at lower level + // 8 = bits per byte (bps/Bps) + var levelNextBitrate = levels[nextLoadLevel].maxBitrate; + fragLevelNextLoadedDelay = _this.getTimeToLoadFrag(ttfbEstimate / 1000, bwe, duration * levelNextBitrate, !levels[nextLoadLevel].details); + if (fragLevelNextLoadedDelay < bufferStarvationDelay) { + break; + } + } + // Only emergency switch down if it takes less time to load a new fragment at lowest level instead of continuing + // to load the current one + if (fragLevelNextLoadedDelay >= fragLoadedDelay) { + return; + } + + // if estimated load time of new segment is completely unreasonable, ignore and do not emergency switch down + if (fragLevelNextLoadedDelay > duration * 10) { + return; + } + hls.nextLoadLevel = hls.nextAutoLevel = nextLoadLevel; + if (loadedFirstByte) { + // If there has been loading progress, sample bandwidth using loading time offset by minimum TTFB time + _this.bwEstimator.sample(timeLoading - Math.min(ttfbEstimate, ttfb), stats.loaded); + } else { + // If there has been no loading progress, sample TTFB + _this.bwEstimator.sampleTTFB(timeLoading); + } + var nextLoadLevelBitrate = levels[nextLoadLevel].maxBitrate; + if (_this.getBwEstimate() * _this.hls.config.abrBandWidthUpFactor > nextLoadLevelBitrate) { + _this.resetEstimator(nextLoadLevelBitrate); + } + _this.clearTimer(); + logger.warn("[abr] Fragment " + frag.sn + (part ? ' part ' + part.index : '') + " of level " + frag.level + " is loading too slowly;\n Time to underbuffer: " + bufferStarvationDelay.toFixed(3) + " s\n Estimated load time for current fragment: " + fragLoadedDelay.toFixed(3) + " s\n Estimated load time for down switch fragment: " + fragLevelNextLoadedDelay.toFixed(3) + " s\n TTFB estimate: " + (ttfb | 0) + " ms\n Current BW estimate: " + (isFiniteNumber(bwEstimate) ? bwEstimate | 0 : 'Unknown') + " bps\n New BW estimate: " + (_this.getBwEstimate() | 0) + " bps\n Switching to level " + nextLoadLevel + " @ " + (nextLoadLevelBitrate | 0) + " bps"); + hls.trigger(Events.FRAG_LOAD_EMERGENCY_ABORTED, { + frag: frag, + part: part, + stats: stats + }); + }; + this.hls = _hls; + this.bwEstimator = this.initEstimator(); + this.registerListeners(); + } + var _proto = AbrController.prototype; + _proto.resetEstimator = function resetEstimator(abrEwmaDefaultEstimate) { + if (abrEwmaDefaultEstimate) { + logger.log("setting initial bwe to " + abrEwmaDefaultEstimate); + this.hls.config.abrEwmaDefaultEstimate = abrEwmaDefaultEstimate; + } + this.firstSelection = -1; + this.bwEstimator = this.initEstimator(); + }; + _proto.initEstimator = function initEstimator() { + var config = this.hls.config; + return new EwmaBandWidthEstimator(config.abrEwmaSlowVoD, config.abrEwmaFastVoD, config.abrEwmaDefaultEstimate); + }; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.FRAG_LOADING, this.onFragLoading, this); + hls.on(Events.FRAG_LOADED, this.onFragLoaded, this); + hls.on(Events.FRAG_BUFFERED, this.onFragBuffered, this); + hls.on(Events.LEVEL_SWITCHING, this.onLevelSwitching, this); + hls.on(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.on(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.on(Events.MAX_AUTO_LEVEL_UPDATED, this.onMaxAutoLevelUpdated, this); + hls.on(Events.ERROR, this.onError, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + if (!hls) { + return; + } + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.FRAG_LOADING, this.onFragLoading, this); + hls.off(Events.FRAG_LOADED, this.onFragLoaded, this); + hls.off(Events.FRAG_BUFFERED, this.onFragBuffered, this); + hls.off(Events.LEVEL_SWITCHING, this.onLevelSwitching, this); + hls.off(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.off(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.off(Events.MAX_AUTO_LEVEL_UPDATED, this.onMaxAutoLevelUpdated, this); + hls.off(Events.ERROR, this.onError, this); + }; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.clearTimer(); + // @ts-ignore + this.hls = this._abandonRulesCheck = null; + this.fragCurrent = this.partCurrent = null; + }; + _proto.onManifestLoading = function onManifestLoading(event, data) { + this.lastLoadedFragLevel = -1; + this.firstSelection = -1; + this.lastLevelLoadSec = 0; + this.fragCurrent = this.partCurrent = null; + this.onLevelsUpdated(); + this.clearTimer(); + }; + _proto.onLevelsUpdated = function onLevelsUpdated() { + if (this.lastLoadedFragLevel > -1 && this.fragCurrent) { + this.lastLoadedFragLevel = this.fragCurrent.level; + } + this._nextAutoLevel = -1; + this.onMaxAutoLevelUpdated(); + this.codecTiers = null; + this.audioTracksByGroup = null; + }; + _proto.onMaxAutoLevelUpdated = function onMaxAutoLevelUpdated() { + this.firstSelection = -1; + this.nextAutoLevelKey = ''; + }; + _proto.onFragLoading = function onFragLoading(event, data) { + var frag = data.frag; + if (this.ignoreFragment(frag)) { + return; + } + if (!frag.bitrateTest) { + var _data$part; + this.fragCurrent = frag; + this.partCurrent = (_data$part = data.part) != null ? _data$part : null; + } + this.clearTimer(); + this.timer = self.setInterval(this._abandonRulesCheck, 100); + }; + _proto.onLevelSwitching = function onLevelSwitching(event, data) { + this.clearTimer(); + }; + _proto.onError = function onError(event, data) { + if (data.fatal) { + return; + } + switch (data.details) { + case ErrorDetails.BUFFER_ADD_CODEC_ERROR: + case ErrorDetails.BUFFER_APPEND_ERROR: + // Reset last loaded level so that a new selection can be made after calling recoverMediaError + this.lastLoadedFragLevel = -1; + this.firstSelection = -1; + break; + case ErrorDetails.FRAG_LOAD_TIMEOUT: + { + var frag = data.frag; + var fragCurrent = this.fragCurrent, + part = this.partCurrent; + if (frag && fragCurrent && frag.sn === fragCurrent.sn && frag.level === fragCurrent.level) { + var now = performance.now(); + var stats = part ? part.stats : frag.stats; + var timeLoading = now - stats.loading.start; + var ttfb = stats.loading.first ? stats.loading.first - stats.loading.start : -1; + var loadedFirstByte = stats.loaded && ttfb > -1; + if (loadedFirstByte) { + var ttfbEstimate = this.bwEstimator.getEstimateTTFB(); + this.bwEstimator.sample(timeLoading - Math.min(ttfbEstimate, ttfb), stats.loaded); + } else { + this.bwEstimator.sampleTTFB(timeLoading); + } + } + break; + } + } + }; + _proto.getTimeToLoadFrag = function getTimeToLoadFrag(timeToFirstByteSec, bandwidth, fragSizeBits, isSwitch) { + var fragLoadSec = timeToFirstByteSec + fragSizeBits / bandwidth; + var playlistLoadSec = isSwitch ? this.lastLevelLoadSec : 0; + return fragLoadSec + playlistLoadSec; + }; + _proto.onLevelLoaded = function onLevelLoaded(event, data) { + var config = this.hls.config; + var loading = data.stats.loading; + var timeLoadingMs = loading.end - loading.start; + if (isFiniteNumber(timeLoadingMs)) { + this.lastLevelLoadSec = timeLoadingMs / 1000; + } + if (data.details.live) { + this.bwEstimator.update(config.abrEwmaSlowLive, config.abrEwmaFastLive); + } else { + this.bwEstimator.update(config.abrEwmaSlowVoD, config.abrEwmaFastVoD); + } + }; + _proto.onFragLoaded = function onFragLoaded(event, _ref) { + var frag = _ref.frag, + part = _ref.part; + var stats = part ? part.stats : frag.stats; + if (frag.type === PlaylistLevelType.MAIN) { + this.bwEstimator.sampleTTFB(stats.loading.first - stats.loading.start); + } + if (this.ignoreFragment(frag)) { + return; + } + // stop monitoring bw once frag loaded + this.clearTimer(); + // reset forced auto level value so that next level will be selected + if (frag.level === this._nextAutoLevel) { + this._nextAutoLevel = -1; + } + this.firstSelection = -1; + + // compute level average bitrate + if (this.hls.config.abrMaxWithRealBitrate) { + var duration = part ? part.duration : frag.duration; + var level = this.hls.levels[frag.level]; + var loadedBytes = (level.loaded ? level.loaded.bytes : 0) + stats.loaded; + var loadedDuration = (level.loaded ? level.loaded.duration : 0) + duration; + level.loaded = { + bytes: loadedBytes, + duration: loadedDuration + }; + level.realBitrate = Math.round(8 * loadedBytes / loadedDuration); + } + if (frag.bitrateTest) { + var fragBufferedData = { + stats: stats, + frag: frag, + part: part, + id: frag.type + }; + this.onFragBuffered(Events.FRAG_BUFFERED, fragBufferedData); + frag.bitrateTest = false; + } else { + // store level id after successful fragment load for playback + this.lastLoadedFragLevel = frag.level; + } + }; + _proto.onFragBuffered = function onFragBuffered(event, data) { + var frag = data.frag, + part = data.part; + var stats = part != null && part.stats.loaded ? part.stats : frag.stats; + if (stats.aborted) { + return; + } + if (this.ignoreFragment(frag)) { + return; + } + // Use the difference between parsing and request instead of buffering and request to compute fragLoadingProcessing; + // rationale is that buffer appending only happens once media is attached. This can happen when config.startFragPrefetch + // is used. If we used buffering in that case, our BW estimate sample will be very large. + var processingMs = stats.parsing.end - stats.loading.start - Math.min(stats.loading.first - stats.loading.start, this.bwEstimator.getEstimateTTFB()); + this.bwEstimator.sample(processingMs, stats.loaded); + stats.bwEstimate = this.getBwEstimate(); + if (frag.bitrateTest) { + this.bitrateTestDelay = processingMs / 1000; + } else { + this.bitrateTestDelay = 0; + } + }; + _proto.ignoreFragment = function ignoreFragment(frag) { + // Only count non-alt-audio frags which were actually buffered in our BW calculations + return frag.type !== PlaylistLevelType.MAIN || frag.sn === 'initSegment'; + }; + _proto.clearTimer = function clearTimer() { + if (this.timer > -1) { + self.clearInterval(this.timer); + this.timer = -1; + } + }; + _proto.getAutoLevelKey = function getAutoLevelKey() { + return this.getBwEstimate() + "_" + this.getStarvationDelay().toFixed(2); + }; + _proto.getNextABRAutoLevel = function getNextABRAutoLevel() { + var fragCurrent = this.fragCurrent, + partCurrent = this.partCurrent, + hls = this.hls; + var maxAutoLevel = hls.maxAutoLevel, + config = hls.config, + minAutoLevel = hls.minAutoLevel; + var currentFragDuration = partCurrent ? partCurrent.duration : fragCurrent ? fragCurrent.duration : 0; + var avgbw = this.getBwEstimate(); + // bufferStarvationDelay is the wall-clock time left until the playback buffer is exhausted. + var bufferStarvationDelay = this.getStarvationDelay(); + var bwFactor = config.abrBandWidthFactor; + var bwUpFactor = config.abrBandWidthUpFactor; + + // First, look to see if we can find a level matching with our avg bandwidth AND that could also guarantee no rebuffering at all + if (bufferStarvationDelay) { + var _bestLevel = this.findBestLevel(avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay, 0, bwFactor, bwUpFactor); + if (_bestLevel >= 0) { + return _bestLevel; + } + } + // not possible to get rid of rebuffering... try to find level that will guarantee less than maxStarvationDelay of rebuffering + var maxStarvationDelay = currentFragDuration ? Math.min(currentFragDuration, config.maxStarvationDelay) : config.maxStarvationDelay; + if (!bufferStarvationDelay) { + // in case buffer is empty, let's check if previous fragment was loaded to perform a bitrate test + var bitrateTestDelay = this.bitrateTestDelay; + if (bitrateTestDelay) { + // if it is the case, then we need to adjust our max starvation delay using maxLoadingDelay config value + // max video loading delay used in automatic start level selection : + // in that mode ABR controller will ensure that video loading time (ie the time to fetch the first fragment at lowest quality level + + // the time to fetch the fragment at the appropriate quality level is less than ```maxLoadingDelay``` ) + // cap maxLoadingDelay and ensure it is not bigger 'than bitrate test' frag duration + var maxLoadingDelay = currentFragDuration ? Math.min(currentFragDuration, config.maxLoadingDelay) : config.maxLoadingDelay; + maxStarvationDelay = maxLoadingDelay - bitrateTestDelay; + logger.info("[abr] bitrate test took " + Math.round(1000 * bitrateTestDelay) + "ms, set first fragment max fetchDuration to " + Math.round(1000 * maxStarvationDelay) + " ms"); + // don't use conservative factor on bitrate test + bwFactor = bwUpFactor = 1; + } + } + var bestLevel = this.findBestLevel(avgbw, minAutoLevel, maxAutoLevel, bufferStarvationDelay, maxStarvationDelay, bwFactor, bwUpFactor); + logger.info("[abr] " + (bufferStarvationDelay ? 'rebuffering expected' : 'buffer is empty') + ", optimal quality level " + bestLevel); + if (bestLevel > -1) { + return bestLevel; + } + // If no matching level found, see if min auto level would be a better option + var minLevel = hls.levels[minAutoLevel]; + var autoLevel = hls.levels[hls.loadLevel]; + if ((minLevel == null ? void 0 : minLevel.bitrate) < (autoLevel == null ? void 0 : autoLevel.bitrate)) { + return minAutoLevel; + } + // or if bitrate is not lower, continue to use loadLevel + return hls.loadLevel; + }; + _proto.getStarvationDelay = function getStarvationDelay() { + var hls = this.hls; + var media = hls.media; + if (!media) { + return Infinity; + } + // playbackRate is the absolute value of the playback rate; if media.playbackRate is 0, we use 1 to load as + // if we're playing back at the normal rate. + var playbackRate = media && media.playbackRate !== 0 ? Math.abs(media.playbackRate) : 1.0; + var bufferInfo = hls.mainForwardBufferInfo; + return (bufferInfo ? bufferInfo.len : 0) / playbackRate; + }; + _proto.getBwEstimate = function getBwEstimate() { + return this.bwEstimator.canEstimate() ? this.bwEstimator.getEstimate() : this.hls.config.abrEwmaDefaultEstimate; + }; + _proto.findBestLevel = function findBestLevel(currentBw, minAutoLevel, maxAutoLevel, bufferStarvationDelay, maxStarvationDelay, bwFactor, bwUpFactor) { + var _level$details, + _this2 = this; + var maxFetchDuration = bufferStarvationDelay + maxStarvationDelay; + var lastLoadedFragLevel = this.lastLoadedFragLevel; + var selectionBaseLevel = lastLoadedFragLevel === -1 ? this.hls.firstLevel : lastLoadedFragLevel; + var fragCurrent = this.fragCurrent, + partCurrent = this.partCurrent; + var _this$hls = this.hls, + levels = _this$hls.levels, + allAudioTracks = _this$hls.allAudioTracks, + loadLevel = _this$hls.loadLevel, + config = _this$hls.config; + if (levels.length === 1) { + return 0; + } + var level = levels[selectionBaseLevel]; + var live = !!(level != null && (_level$details = level.details) != null && _level$details.live); + var firstSelection = loadLevel === -1 || lastLoadedFragLevel === -1; + var currentCodecSet; + var currentVideoRange = 'SDR'; + var currentFrameRate = (level == null ? void 0 : level.frameRate) || 0; + var audioPreference = config.audioPreference, + videoPreference = config.videoPreference; + var audioTracksByGroup = this.audioTracksByGroup || (this.audioTracksByGroup = getAudioTracksByGroup(allAudioTracks)); + if (firstSelection) { + if (this.firstSelection !== -1) { + return this.firstSelection; + } + var codecTiers = this.codecTiers || (this.codecTiers = getCodecTiers(levels, audioTracksByGroup, minAutoLevel, maxAutoLevel)); + var startTier = getStartCodecTier(codecTiers, currentVideoRange, currentBw, audioPreference, videoPreference); + var codecSet = startTier.codecSet, + videoRanges = startTier.videoRanges, + minFramerate = startTier.minFramerate, + minBitrate = startTier.minBitrate, + preferHDR = startTier.preferHDR; + currentCodecSet = codecSet; + currentVideoRange = preferHDR ? videoRanges[videoRanges.length - 1] : videoRanges[0]; + currentFrameRate = minFramerate; + currentBw = Math.max(currentBw, minBitrate); + logger.log("[abr] picked start tier " + JSON.stringify(startTier)); + } else { + currentCodecSet = level == null ? void 0 : level.codecSet; + currentVideoRange = level == null ? void 0 : level.videoRange; + } + var currentFragDuration = partCurrent ? partCurrent.duration : fragCurrent ? fragCurrent.duration : 0; + var ttfbEstimateSec = this.bwEstimator.getEstimateTTFB() / 1000; + var levelsSkipped = []; + var _loop = function _loop() { + var _levelInfo$supportedR; + var levelInfo = levels[i]; + var upSwitch = i > selectionBaseLevel; + if (!levelInfo) { + return 0; // continue + } + if (config.useMediaCapabilities && !levelInfo.supportedResult && !levelInfo.supportedPromise) { + var mediaCapabilities = navigator.mediaCapabilities; + if (typeof (mediaCapabilities == null ? void 0 : mediaCapabilities.decodingInfo) === 'function' && requiresMediaCapabilitiesDecodingInfo(levelInfo, audioTracksByGroup, currentVideoRange, currentFrameRate, currentBw, audioPreference)) { + levelInfo.supportedPromise = getMediaDecodingInfoPromise(levelInfo, audioTracksByGroup, mediaCapabilities); + levelInfo.supportedPromise.then(function (decodingInfo) { + if (!_this2.hls) { + return; + } + levelInfo.supportedResult = decodingInfo; + var levels = _this2.hls.levels; + var index = levels.indexOf(levelInfo); + if (decodingInfo.error) { + logger.warn("[abr] MediaCapabilities decodingInfo error: \"" + decodingInfo.error + "\" for level " + index + " " + JSON.stringify(decodingInfo)); + } else if (!decodingInfo.supported) { + logger.warn("[abr] Unsupported MediaCapabilities decodingInfo result for level " + index + " " + JSON.stringify(decodingInfo)); + if (index > -1 && levels.length > 1) { + logger.log("[abr] Removing unsupported level " + index); + _this2.hls.removeLevel(index); + } + } + }); + } else { + levelInfo.supportedResult = SUPPORTED_INFO_DEFAULT; + } + } + + // skip candidates which change codec-family or video-range, + // and which decrease or increase frame-rate for up and down-switch respectfully + if (currentCodecSet && levelInfo.codecSet !== currentCodecSet || currentVideoRange && levelInfo.videoRange !== currentVideoRange || upSwitch && currentFrameRate > levelInfo.frameRate || !upSwitch && currentFrameRate > 0 && currentFrameRate < levelInfo.frameRate || levelInfo.supportedResult && !((_levelInfo$supportedR = levelInfo.supportedResult.decodingInfoResults) != null && _levelInfo$supportedR[0].smooth)) { + levelsSkipped.push(i); + return 0; // continue + } + var levelDetails = levelInfo.details; + var avgDuration = (partCurrent ? levelDetails == null ? void 0 : levelDetails.partTarget : levelDetails == null ? void 0 : levelDetails.averagetargetduration) || currentFragDuration; + var adjustedbw; + // follow algorithm captured from stagefright : + // https://android.googlesource.com/platform/frameworks/av/+/master/media/libstagefright/httplive/LiveSession.cpp + // Pick the highest bandwidth stream below or equal to estimated bandwidth. + // consider only 80% of the available bandwidth, but if we are switching up, + // be even more conservative (70%) to avoid overestimating and immediately + // switching back. + if (!upSwitch) { + adjustedbw = bwFactor * currentBw; + } else { + adjustedbw = bwUpFactor * currentBw; + } + + // Use average bitrate when starvation delay (buffer length) is gt or eq two segment durations and rebuffering is not expected (maxStarvationDelay > 0) + var bitrate = currentFragDuration && bufferStarvationDelay >= currentFragDuration * 2 && maxStarvationDelay === 0 ? levels[i].averageBitrate : levels[i].maxBitrate; + var fetchDuration = _this2.getTimeToLoadFrag(ttfbEstimateSec, adjustedbw, bitrate * avgDuration, levelDetails === undefined); + var canSwitchWithinTolerance = + // if adjusted bw is greater than level bitrate AND + adjustedbw >= bitrate && ( + // no level change, or new level has no error history + i === lastLoadedFragLevel || levelInfo.loadError === 0 && levelInfo.fragmentError === 0) && ( + // fragment fetchDuration unknown OR live stream OR fragment fetchDuration less than max allowed fetch duration, then this level matches + // we don't account for max Fetch Duration for live streams, this is to avoid switching down when near the edge of live sliding window ... + // special case to support startLevel = -1 (bitrateTest) on live streams : in that case we should not exit loop so that findBestLevel will return -1 + fetchDuration <= ttfbEstimateSec || !isFiniteNumber(fetchDuration) || live && !_this2.bitrateTestDelay || fetchDuration < maxFetchDuration); + if (canSwitchWithinTolerance) { + var forcedAutoLevel = _this2.forcedAutoLevel; + if (i !== loadLevel && (forcedAutoLevel === -1 || forcedAutoLevel !== loadLevel)) { + if (levelsSkipped.length) { + logger.trace("[abr] Skipped level(s) " + levelsSkipped.join(',') + " of " + maxAutoLevel + " max with CODECS and VIDEO-RANGE:\"" + levels[levelsSkipped[0]].codecs + "\" " + levels[levelsSkipped[0]].videoRange + "; not compatible with \"" + level.codecs + "\" " + currentVideoRange); + } + logger.info("[abr] switch candidate:" + selectionBaseLevel + "->" + i + " adjustedbw(" + Math.round(adjustedbw) + ")-bitrate=" + Math.round(adjustedbw - bitrate) + " ttfb:" + ttfbEstimateSec.toFixed(1) + " avgDuration:" + avgDuration.toFixed(1) + " maxFetchDuration:" + maxFetchDuration.toFixed(1) + " fetchDuration:" + fetchDuration.toFixed(1) + " firstSelection:" + firstSelection + " codecSet:" + currentCodecSet + " videoRange:" + currentVideoRange + " hls.loadLevel:" + loadLevel); + } + if (firstSelection) { + _this2.firstSelection = i; + } + // as we are looping from highest to lowest, this will return the best achievable quality level + return { + v: i + }; + } + }, + _ret; + for (var i = maxAutoLevel; i >= minAutoLevel; i--) { + _ret = _loop(); + if (_ret === 0) continue; + if (_ret) return _ret.v; + } + // not enough time budget even with quality level 0 ... rebuffering might happen + return -1; + }; + _createClass(AbrController, [{ + key: "firstAutoLevel", + get: function get() { + var _this$hls2 = this.hls, + maxAutoLevel = _this$hls2.maxAutoLevel, + minAutoLevel = _this$hls2.minAutoLevel; + var bwEstimate = this.getBwEstimate(); + var maxStartDelay = this.hls.config.maxStarvationDelay; + var abrAutoLevel = this.findBestLevel(bwEstimate, minAutoLevel, maxAutoLevel, 0, maxStartDelay, 1, 1); + if (abrAutoLevel > -1) { + return abrAutoLevel; + } + var firstLevel = this.hls.firstLevel; + var clamped = Math.min(Math.max(firstLevel, minAutoLevel), maxAutoLevel); + logger.warn("[abr] Could not find best starting auto level. Defaulting to first in playlist " + firstLevel + " clamped to " + clamped); + return clamped; + } + }, { + key: "forcedAutoLevel", + get: function get() { + if (this.nextAutoLevelKey) { + return -1; + } + return this._nextAutoLevel; + } + + // return next auto level + }, { + key: "nextAutoLevel", + get: function get() { + var forcedAutoLevel = this.forcedAutoLevel; + var bwEstimator = this.bwEstimator; + var useEstimate = bwEstimator.canEstimate(); + var loadedFirstFrag = this.lastLoadedFragLevel > -1; + // in case next auto level has been forced, and bw not available or not reliable, return forced value + if (forcedAutoLevel !== -1 && (!useEstimate || !loadedFirstFrag || this.nextAutoLevelKey === this.getAutoLevelKey())) { + return forcedAutoLevel; + } + + // compute next level using ABR logic + var nextABRAutoLevel = useEstimate && loadedFirstFrag ? this.getNextABRAutoLevel() : this.firstAutoLevel; + + // use forced auto level while it hasn't errored more than ABR selection + if (forcedAutoLevel !== -1) { + var levels = this.hls.levels; + if (levels.length > Math.max(forcedAutoLevel, nextABRAutoLevel) && levels[forcedAutoLevel].loadError <= levels[nextABRAutoLevel].loadError) { + return forcedAutoLevel; + } + } + + // save result until state has changed + this._nextAutoLevel = nextABRAutoLevel; + this.nextAutoLevelKey = this.getAutoLevelKey(); + return nextABRAutoLevel; + }, + set: function set(nextLevel) { + var _this$hls3 = this.hls, + maxAutoLevel = _this$hls3.maxAutoLevel, + minAutoLevel = _this$hls3.minAutoLevel; + var value = Math.min(Math.max(nextLevel, minAutoLevel), maxAutoLevel); + if (this._nextAutoLevel !== value) { + this.nextAutoLevelKey = ''; + this._nextAutoLevel = value; + } + } + }]); + return AbrController; + }(); + + /** + * @ignore + * Sub-class specialization of EventHandler base class. + * + * TaskLoop allows to schedule a task function being called (optionnaly repeatedly) on the main loop, + * scheduled asynchroneously, avoiding recursive calls in the same tick. + * + * The task itself is implemented in `doTick`. It can be requested and called for single execution + * using the `tick` method. + * + * It will be assured that the task execution method (`tick`) only gets called once per main loop "tick", + * no matter how often it gets requested for execution. Execution in further ticks will be scheduled accordingly. + * + * If further execution requests have already been scheduled on the next tick, it can be checked with `hasNextTick`, + * and cancelled with `clearNextTick`. + * + * The task can be scheduled as an interval repeatedly with a period as parameter (see `setInterval`, `clearInterval`). + * + * Sub-classes need to implement the `doTick` method which will effectively have the task execution routine. + * + * Further explanations: + * + * The baseclass has a `tick` method that will schedule the doTick call. It may be called synchroneously + * only for a stack-depth of one. On re-entrant calls, sub-sequent calls are scheduled for next main loop ticks. + * + * When the task execution (`tick` method) is called in re-entrant way this is detected and + * we are limiting the task execution per call stack to exactly one, but scheduling/post-poning further + * task processing on the next main loop iteration (also known as "next tick" in the Node/JS runtime lingo). + */ + var TaskLoop = /*#__PURE__*/function () { + function TaskLoop() { + this._boundTick = void 0; + this._tickTimer = null; + this._tickInterval = null; + this._tickCallCount = 0; + this._boundTick = this.tick.bind(this); + } + var _proto = TaskLoop.prototype; + _proto.destroy = function destroy() { + this.onHandlerDestroying(); + this.onHandlerDestroyed(); + }; + _proto.onHandlerDestroying = function onHandlerDestroying() { + // clear all timers before unregistering from event bus + this.clearNextTick(); + this.clearInterval(); + }; + _proto.onHandlerDestroyed = function onHandlerDestroyed() {}; + _proto.hasInterval = function hasInterval() { + return !!this._tickInterval; + }; + _proto.hasNextTick = function hasNextTick() { + return !!this._tickTimer; + } + + /** + * @param millis - Interval time (ms) + * @eturns True when interval has been scheduled, false when already scheduled (no effect) + */; + _proto.setInterval = function setInterval(millis) { + if (!this._tickInterval) { + this._tickCallCount = 0; + this._tickInterval = self.setInterval(this._boundTick, millis); + return true; + } + return false; + } + + /** + * @returns True when interval was cleared, false when none was set (no effect) + */; + _proto.clearInterval = function clearInterval() { + if (this._tickInterval) { + self.clearInterval(this._tickInterval); + this._tickInterval = null; + return true; + } + return false; + } + + /** + * @returns True when timeout was cleared, false when none was set (no effect) + */; + _proto.clearNextTick = function clearNextTick() { + if (this._tickTimer) { + self.clearTimeout(this._tickTimer); + this._tickTimer = null; + return true; + } + return false; + } + + /** + * Will call the subclass doTick implementation in this main loop tick + * or in the next one (via setTimeout(,0)) in case it has already been called + * in this tick (in case this is a re-entrant call). + */; + _proto.tick = function tick() { + this._tickCallCount++; + if (this._tickCallCount === 1) { + this.doTick(); + // re-entrant call to tick from previous doTick call stack + // -> schedule a call on the next main loop iteration to process this task processing request + if (this._tickCallCount > 1) { + // make sure only one timer exists at any time at max + this.tickImmediate(); + } + this._tickCallCount = 0; + } + }; + _proto.tickImmediate = function tickImmediate() { + this.clearNextTick(); + this._tickTimer = self.setTimeout(this._boundTick, 0); + } + + /** + * For subclass to implement task logic + * @abstract + */; + _proto.doTick = function doTick() {}; + return TaskLoop; + }(); + + var FragmentState = { + NOT_LOADED: "NOT_LOADED", + APPENDING: "APPENDING", + PARTIAL: "PARTIAL", + OK: "OK" + }; + var FragmentTracker = /*#__PURE__*/function () { + function FragmentTracker(hls) { + this.activePartLists = Object.create(null); + this.endListFragments = Object.create(null); + this.fragments = Object.create(null); + this.timeRanges = Object.create(null); + this.bufferPadding = 0.2; + this.hls = void 0; + this.hasGaps = false; + this.hls = hls; + this._registerListeners(); + } + var _proto = FragmentTracker.prototype; + _proto._registerListeners = function _registerListeners() { + var hls = this.hls; + hls.on(Events.BUFFER_APPENDED, this.onBufferAppended, this); + hls.on(Events.FRAG_BUFFERED, this.onFragBuffered, this); + hls.on(Events.FRAG_LOADED, this.onFragLoaded, this); + }; + _proto._unregisterListeners = function _unregisterListeners() { + var hls = this.hls; + hls.off(Events.BUFFER_APPENDED, this.onBufferAppended, this); + hls.off(Events.FRAG_BUFFERED, this.onFragBuffered, this); + hls.off(Events.FRAG_LOADED, this.onFragLoaded, this); + }; + _proto.destroy = function destroy() { + this._unregisterListeners(); + // @ts-ignore + this.fragments = + // @ts-ignore + this.activePartLists = + // @ts-ignore + this.endListFragments = this.timeRanges = null; + } + + /** + * Return a Fragment or Part with an appended range that matches the position and levelType + * Otherwise, return null + */; + _proto.getAppendedFrag = function getAppendedFrag(position, levelType) { + var activeParts = this.activePartLists[levelType]; + if (activeParts) { + for (var i = activeParts.length; i--;) { + var activePart = activeParts[i]; + if (!activePart) { + break; + } + var appendedPTS = activePart.end; + if (activePart.start <= position && appendedPTS !== null && position <= appendedPTS) { + return activePart; + } + } + } + return this.getBufferedFrag(position, levelType); + } + + /** + * Return a buffered Fragment that matches the position and levelType. + * A buffered Fragment is one whose loading, parsing and appending is done (completed or "partial" meaning aborted). + * If not found any Fragment, return null + */; + _proto.getBufferedFrag = function getBufferedFrag(position, levelType) { + var fragments = this.fragments; + var keys = Object.keys(fragments); + for (var i = keys.length; i--;) { + var fragmentEntity = fragments[keys[i]]; + if ((fragmentEntity == null ? void 0 : fragmentEntity.body.type) === levelType && fragmentEntity.buffered) { + var frag = fragmentEntity.body; + if (frag.start <= position && position <= frag.end) { + return frag; + } + } + } + return null; + } + + /** + * Partial fragments effected by coded frame eviction will be removed + * The browser will unload parts of the buffer to free up memory for new buffer data + * Fragments will need to be reloaded when the buffer is freed up, removing partial fragments will allow them to reload(since there might be parts that are still playable) + */; + _proto.detectEvictedFragments = function detectEvictedFragments(elementaryStream, timeRange, playlistType, appendedPart) { + var _this = this; + if (this.timeRanges) { + this.timeRanges[elementaryStream] = timeRange; + } + // Check if any flagged fragments have been unloaded + // excluding anything newer than appendedPartSn + var appendedPartSn = (appendedPart == null ? void 0 : appendedPart.fragment.sn) || -1; + Object.keys(this.fragments).forEach(function (key) { + var fragmentEntity = _this.fragments[key]; + if (!fragmentEntity) { + return; + } + if (appendedPartSn >= fragmentEntity.body.sn) { + return; + } + if (!fragmentEntity.buffered && !fragmentEntity.loaded) { + if (fragmentEntity.body.type === playlistType) { + _this.removeFragment(fragmentEntity.body); + } + return; + } + var esData = fragmentEntity.range[elementaryStream]; + if (!esData) { + return; + } + esData.time.some(function (time) { + var isNotBuffered = !_this.isTimeBuffered(time.startPTS, time.endPTS, timeRange); + if (isNotBuffered) { + // Unregister partial fragment as it needs to load again to be reused + _this.removeFragment(fragmentEntity.body); + } + return isNotBuffered; + }); + }); + } + + /** + * Checks if the fragment passed in is loaded in the buffer properly + * Partially loaded fragments will be registered as a partial fragment + */; + _proto.detectPartialFragments = function detectPartialFragments(data) { + var _this2 = this; + var timeRanges = this.timeRanges; + var frag = data.frag, + part = data.part; + if (!timeRanges || frag.sn === 'initSegment') { + return; + } + var fragKey = getFragmentKey(frag); + var fragmentEntity = this.fragments[fragKey]; + if (!fragmentEntity || fragmentEntity.buffered && frag.gap) { + return; + } + var isFragHint = !frag.relurl; + Object.keys(timeRanges).forEach(function (elementaryStream) { + var streamInfo = frag.elementaryStreams[elementaryStream]; + if (!streamInfo) { + return; + } + var timeRange = timeRanges[elementaryStream]; + var partial = isFragHint || streamInfo.partial === true; + fragmentEntity.range[elementaryStream] = _this2.getBufferedTimes(frag, part, partial, timeRange); + }); + fragmentEntity.loaded = null; + if (Object.keys(fragmentEntity.range).length) { + fragmentEntity.buffered = true; + var endList = fragmentEntity.body.endList = frag.endList || fragmentEntity.body.endList; + if (endList) { + this.endListFragments[fragmentEntity.body.type] = fragmentEntity; + } + if (!isPartial(fragmentEntity)) { + // Remove older fragment parts from lookup after frag is tracked as buffered + this.removeParts(frag.sn - 1, frag.type); + } + } else { + // remove fragment if nothing was appended + this.removeFragment(fragmentEntity.body); + } + }; + _proto.removeParts = function removeParts(snToKeep, levelType) { + var activeParts = this.activePartLists[levelType]; + if (!activeParts) { + return; + } + this.activePartLists[levelType] = activeParts.filter(function (part) { + return part.fragment.sn >= snToKeep; + }); + }; + _proto.fragBuffered = function fragBuffered(frag, force) { + var fragKey = getFragmentKey(frag); + var fragmentEntity = this.fragments[fragKey]; + if (!fragmentEntity && force) { + fragmentEntity = this.fragments[fragKey] = { + body: frag, + appendedPTS: null, + loaded: null, + buffered: false, + range: Object.create(null) + }; + if (frag.gap) { + this.hasGaps = true; + } + } + if (fragmentEntity) { + fragmentEntity.loaded = null; + fragmentEntity.buffered = true; + } + }; + _proto.getBufferedTimes = function getBufferedTimes(fragment, part, partial, timeRange) { + var buffered = { + time: [], + partial: partial + }; + var startPTS = fragment.start; + var endPTS = fragment.end; + var minEndPTS = fragment.minEndPTS || endPTS; + var maxStartPTS = fragment.maxStartPTS || startPTS; + for (var i = 0; i < timeRange.length; i++) { + var startTime = timeRange.start(i) - this.bufferPadding; + var endTime = timeRange.end(i) + this.bufferPadding; + if (maxStartPTS >= startTime && minEndPTS <= endTime) { + // Fragment is entirely contained in buffer + // No need to check the other timeRange times since it's completely playable + buffered.time.push({ + startPTS: Math.max(startPTS, timeRange.start(i)), + endPTS: Math.min(endPTS, timeRange.end(i)) + }); + break; + } else if (startPTS < endTime && endPTS > startTime) { + var start = Math.max(startPTS, timeRange.start(i)); + var end = Math.min(endPTS, timeRange.end(i)); + if (end > start) { + buffered.partial = true; + // Check for intersection with buffer + // Get playable sections of the fragment + buffered.time.push({ + startPTS: start, + endPTS: end + }); + } + } else if (endPTS <= startTime) { + // No need to check the rest of the timeRange as it is in order + break; + } + } + return buffered; + } + + /** + * Gets the partial fragment for a certain time + */; + _proto.getPartialFragment = function getPartialFragment(time) { + var bestFragment = null; + var timePadding; + var startTime; + var endTime; + var bestOverlap = 0; + var bufferPadding = this.bufferPadding, + fragments = this.fragments; + Object.keys(fragments).forEach(function (key) { + var fragmentEntity = fragments[key]; + if (!fragmentEntity) { + return; + } + if (isPartial(fragmentEntity)) { + startTime = fragmentEntity.body.start - bufferPadding; + endTime = fragmentEntity.body.end + bufferPadding; + if (time >= startTime && time <= endTime) { + // Use the fragment that has the most padding from start and end time + timePadding = Math.min(time - startTime, endTime - time); + if (bestOverlap <= timePadding) { + bestFragment = fragmentEntity.body; + bestOverlap = timePadding; + } + } + } + }); + return bestFragment; + }; + _proto.isEndListAppended = function isEndListAppended(type) { + var lastFragmentEntity = this.endListFragments[type]; + return lastFragmentEntity !== undefined && (lastFragmentEntity.buffered || isPartial(lastFragmentEntity)); + }; + _proto.getState = function getState(fragment) { + var fragKey = getFragmentKey(fragment); + var fragmentEntity = this.fragments[fragKey]; + if (fragmentEntity) { + if (!fragmentEntity.buffered) { + return FragmentState.APPENDING; + } else if (isPartial(fragmentEntity)) { + return FragmentState.PARTIAL; + } else { + return FragmentState.OK; + } + } + return FragmentState.NOT_LOADED; + }; + _proto.isTimeBuffered = function isTimeBuffered(startPTS, endPTS, timeRange) { + var startTime; + var endTime; + for (var i = 0; i < timeRange.length; i++) { + startTime = timeRange.start(i) - this.bufferPadding; + endTime = timeRange.end(i) + this.bufferPadding; + if (startPTS >= startTime && endPTS <= endTime) { + return true; + } + if (endPTS <= startTime) { + // No need to check the rest of the timeRange as it is in order + return false; + } + } + return false; + }; + _proto.onFragLoaded = function onFragLoaded(event, data) { + var frag = data.frag, + part = data.part; + // don't track initsegment (for which sn is not a number) + // don't track frags used for bitrateTest, they're irrelevant. + if (frag.sn === 'initSegment' || frag.bitrateTest) { + return; + } + + // Fragment entity `loaded` FragLoadedData is null when loading parts + var loaded = part ? null : data; + var fragKey = getFragmentKey(frag); + this.fragments[fragKey] = { + body: frag, + appendedPTS: null, + loaded: loaded, + buffered: false, + range: Object.create(null) + }; + }; + _proto.onBufferAppended = function onBufferAppended(event, data) { + var _this3 = this; + var frag = data.frag, + part = data.part, + timeRanges = data.timeRanges; + if (frag.sn === 'initSegment') { + return; + } + var playlistType = frag.type; + if (part) { + var activeParts = this.activePartLists[playlistType]; + if (!activeParts) { + this.activePartLists[playlistType] = activeParts = []; + } + activeParts.push(part); + } + // Store the latest timeRanges loaded in the buffer + this.timeRanges = timeRanges; + Object.keys(timeRanges).forEach(function (elementaryStream) { + var timeRange = timeRanges[elementaryStream]; + _this3.detectEvictedFragments(elementaryStream, timeRange, playlistType, part); + }); + }; + _proto.onFragBuffered = function onFragBuffered(event, data) { + this.detectPartialFragments(data); + }; + _proto.hasFragment = function hasFragment(fragment) { + var fragKey = getFragmentKey(fragment); + return !!this.fragments[fragKey]; + }; + _proto.hasParts = function hasParts(type) { + var _this$activePartLists; + return !!((_this$activePartLists = this.activePartLists[type]) != null && _this$activePartLists.length); + }; + _proto.removeFragmentsInRange = function removeFragmentsInRange(start, end, playlistType, withGapOnly, unbufferedOnly) { + var _this4 = this; + if (withGapOnly && !this.hasGaps) { + return; + } + Object.keys(this.fragments).forEach(function (key) { + var fragmentEntity = _this4.fragments[key]; + if (!fragmentEntity) { + return; + } + var frag = fragmentEntity.body; + if (frag.type !== playlistType || withGapOnly && !frag.gap) { + return; + } + if (frag.start < end && frag.end > start && (fragmentEntity.buffered || unbufferedOnly)) { + _this4.removeFragment(frag); + } + }); + }; + _proto.removeFragment = function removeFragment(fragment) { + var fragKey = getFragmentKey(fragment); + fragment.stats.loaded = 0; + fragment.clearElementaryStreamInfo(); + var activeParts = this.activePartLists[fragment.type]; + if (activeParts) { + var snToRemove = fragment.sn; + this.activePartLists[fragment.type] = activeParts.filter(function (part) { + return part.fragment.sn !== snToRemove; + }); + } + delete this.fragments[fragKey]; + if (fragment.endList) { + delete this.endListFragments[fragment.type]; + } + }; + _proto.removeAllFragments = function removeAllFragments() { + this.fragments = Object.create(null); + this.endListFragments = Object.create(null); + this.activePartLists = Object.create(null); + this.hasGaps = false; + }; + return FragmentTracker; + }(); + function isPartial(fragmentEntity) { + var _fragmentEntity$range, _fragmentEntity$range2, _fragmentEntity$range3; + return fragmentEntity.buffered && (fragmentEntity.body.gap || ((_fragmentEntity$range = fragmentEntity.range.video) == null ? void 0 : _fragmentEntity$range.partial) || ((_fragmentEntity$range2 = fragmentEntity.range.audio) == null ? void 0 : _fragmentEntity$range2.partial) || ((_fragmentEntity$range3 = fragmentEntity.range.audiovideo) == null ? void 0 : _fragmentEntity$range3.partial)); + } + function getFragmentKey(fragment) { + return fragment.type + "_" + fragment.level + "_" + fragment.sn; + } + + /** + * Provides methods dealing with buffer length retrieval for example. + * + * In general, a helper around HTML5 MediaElement TimeRanges gathered from `buffered` property. + * + * Also @see https://developer.mozilla.org/en-US/docs/Web/API/HTMLMediaElement/buffered + */ + + var noopBuffered = { + length: 0, + start: function start() { + return 0; + }, + end: function end() { + return 0; + } + }; + var BufferHelper = /*#__PURE__*/function () { + function BufferHelper() {} + /** + * Return true if `media`'s buffered include `position` + */ + BufferHelper.isBuffered = function isBuffered(media, position) { + try { + if (media) { + var buffered = BufferHelper.getBuffered(media); + for (var i = 0; i < buffered.length; i++) { + if (position >= buffered.start(i) && position <= buffered.end(i)) { + return true; + } + } + } + } catch (error) { + // this is to catch + // InvalidStateError: Failed to read the 'buffered' property from 'SourceBuffer': + // This SourceBuffer has been removed from the parent media source + } + return false; + }; + BufferHelper.bufferInfo = function bufferInfo(media, pos, maxHoleDuration) { + try { + if (media) { + var vbuffered = BufferHelper.getBuffered(media); + var buffered = []; + var i; + for (i = 0; i < vbuffered.length; i++) { + buffered.push({ + start: vbuffered.start(i), + end: vbuffered.end(i) + }); + } + return this.bufferedInfo(buffered, pos, maxHoleDuration); + } + } catch (error) { + // this is to catch + // InvalidStateError: Failed to read the 'buffered' property from 'SourceBuffer': + // This SourceBuffer has been removed from the parent media source + } + return { + len: 0, + start: pos, + end: pos, + nextStart: undefined + }; + }; + BufferHelper.bufferedInfo = function bufferedInfo(buffered, pos, maxHoleDuration) { + pos = Math.max(0, pos); + // sort on buffer.start/smaller end (IE does not always return sorted buffered range) + buffered.sort(function (a, b) { + var diff = a.start - b.start; + if (diff) { + return diff; + } else { + return b.end - a.end; + } + }); + var buffered2 = []; + if (maxHoleDuration) { + // there might be some small holes between buffer time range + // consider that holes smaller than maxHoleDuration are irrelevant and build another + // buffer time range representations that discards those holes + for (var i = 0; i < buffered.length; i++) { + var buf2len = buffered2.length; + if (buf2len) { + var buf2end = buffered2[buf2len - 1].end; + // if small hole (value between 0 or maxHoleDuration ) or overlapping (negative) + if (buffered[i].start - buf2end < maxHoleDuration) { + // merge overlapping time ranges + // update lastRange.end only if smaller than item.end + // e.g. [ 1, 15] with [ 2,8] => [ 1,15] (no need to modify lastRange.end) + // whereas [ 1, 8] with [ 2,15] => [ 1,15] ( lastRange should switch from [1,8] to [1,15]) + if (buffered[i].end > buf2end) { + buffered2[buf2len - 1].end = buffered[i].end; + } + } else { + // big hole + buffered2.push(buffered[i]); + } + } else { + // first value + buffered2.push(buffered[i]); + } + } + } else { + buffered2 = buffered; + } + var bufferLen = 0; + + // bufferStartNext can possibly be undefined based on the conditional logic below + var bufferStartNext; + + // bufferStart and bufferEnd are buffer boundaries around current video position + var bufferStart = pos; + var bufferEnd = pos; + for (var _i = 0; _i < buffered2.length; _i++) { + var start = buffered2[_i].start; + var end = buffered2[_i].end; + // logger.log('buf start/end:' + buffered.start(i) + '/' + buffered.end(i)); + if (pos + maxHoleDuration >= start && pos < end) { + // play position is inside this buffer TimeRange, retrieve end of buffer position and buffer length + bufferStart = start; + bufferEnd = end; + bufferLen = bufferEnd - pos; + } else if (pos + maxHoleDuration < start) { + bufferStartNext = start; + break; + } + } + return { + len: bufferLen, + start: bufferStart || 0, + end: bufferEnd || 0, + nextStart: bufferStartNext + }; + } + + /** + * Safe method to get buffered property. + * SourceBuffer.buffered may throw if SourceBuffer is removed from it's MediaSource + */; + BufferHelper.getBuffered = function getBuffered(media) { + try { + return media.buffered; + } catch (e) { + logger.log('failed to get media.buffered', e); + return noopBuffered; + } + }; + return BufferHelper; + }(); + + var ChunkMetadata = function ChunkMetadata(level, sn, id, size, part, partial) { + if (size === void 0) { + size = 0; + } + if (part === void 0) { + part = -1; + } + if (partial === void 0) { + partial = false; + } + this.level = void 0; + this.sn = void 0; + this.part = void 0; + this.id = void 0; + this.size = void 0; + this.partial = void 0; + this.transmuxing = getNewPerformanceTiming(); + this.buffering = { + audio: getNewPerformanceTiming(), + video: getNewPerformanceTiming(), + audiovideo: getNewPerformanceTiming() + }; + this.level = level; + this.sn = sn; + this.id = id; + this.size = size; + this.part = part; + this.partial = partial; + }; + function getNewPerformanceTiming() { + return { + start: 0, + executeStart: 0, + executeEnd: 0, + end: 0 + }; + } + + function findFirstFragWithCC(fragments, cc) { + for (var i = 0, len = fragments.length; i < len; i++) { + var _fragments$i; + if (((_fragments$i = fragments[i]) == null ? void 0 : _fragments$i.cc) === cc) { + return fragments[i]; + } + } + return null; + } + function shouldAlignOnDiscontinuities(lastFrag, switchDetails, details) { + if (switchDetails) { + if (details.endCC > details.startCC || lastFrag && lastFrag.cc < details.startCC) { + return true; + } + } + return false; + } + + // Find the first frag in the previous level which matches the CC of the first frag of the new level + function findDiscontinuousReferenceFrag(prevDetails, curDetails) { + var prevFrags = prevDetails.fragments; + var curFrags = curDetails.fragments; + if (!curFrags.length || !prevFrags.length) { + logger.log('No fragments to align'); + return; + } + var prevStartFrag = findFirstFragWithCC(prevFrags, curFrags[0].cc); + if (!prevStartFrag || prevStartFrag && !prevStartFrag.startPTS) { + logger.log('No frag in previous level to align on'); + return; + } + return prevStartFrag; + } + function adjustFragmentStart(frag, sliding) { + if (frag) { + var start = frag.start + sliding; + frag.start = frag.startPTS = start; + frag.endPTS = start + frag.duration; + } + } + function adjustSlidingStart(sliding, details) { + // Update segments + var fragments = details.fragments; + for (var i = 0, len = fragments.length; i < len; i++) { + adjustFragmentStart(fragments[i], sliding); + } + // Update LL-HLS parts at the end of the playlist + if (details.fragmentHint) { + adjustFragmentStart(details.fragmentHint, sliding); + } + details.alignedSliding = true; + } + + /** + * Using the parameters of the last level, this function computes PTS' of the new fragments so that they form a + * contiguous stream with the last fragments. + * The PTS of a fragment lets Hls.js know where it fits into a stream - by knowing every PTS, we know which fragment to + * download at any given time. PTS is normally computed when the fragment is demuxed, so taking this step saves us time + * and an extra download. + * @param lastFrag + * @param lastLevel + * @param details + */ + function alignStream(lastFrag, switchDetails, details) { + if (!switchDetails) { + return; + } + alignDiscontinuities(lastFrag, details, switchDetails); + if (!details.alignedSliding && switchDetails) { + // If the PTS wasn't figured out via discontinuity sequence that means there was no CC increase within the level. + // Aligning via Program Date Time should therefore be reliable, since PDT should be the same within the same + // discontinuity sequence. + alignMediaPlaylistByPDT(details, switchDetails); + } + if (!details.alignedSliding && switchDetails && !details.skippedSegments) { + // Try to align on sn so that we pick a better start fragment. + // Do not perform this on playlists with delta updates as this is only to align levels on switch + // and adjustSliding only adjusts fragments after skippedSegments. + adjustSliding(switchDetails, details); + } + } + + /** + * Computes the PTS if a new level's fragments using the PTS of a fragment in the last level which shares the same + * discontinuity sequence. + * @param lastFrag - The last Fragment which shares the same discontinuity sequence + * @param lastLevel - The details of the last loaded level + * @param details - The details of the new level + */ + function alignDiscontinuities(lastFrag, details, switchDetails) { + if (shouldAlignOnDiscontinuities(lastFrag, switchDetails, details)) { + var referenceFrag = findDiscontinuousReferenceFrag(switchDetails, details); + if (referenceFrag && isFiniteNumber(referenceFrag.start)) { + logger.log("Adjusting PTS using last level due to CC increase within current level " + details.url); + adjustSlidingStart(referenceFrag.start, details); + } + } + } + + /** + * Ensures appropriate time-alignment between renditions based on PDT. + * This function assumes the timelines represented in `refDetails` are accurate, including the PDTs + * for the last discontinuity sequence number shared by both playlists when present, + * and uses the "wallclock"/PDT timeline as a cross-reference to `details`, adjusting the presentation + * times/timelines of `details` accordingly. + * Given the asynchronous nature of fetches and initial loads of live `main` and audio/subtitle tracks, + * the primary purpose of this function is to ensure the "local timelines" of audio/subtitle tracks + * are aligned to the main/video timeline, using PDT as the cross-reference/"anchor" that should + * be consistent across playlists, per the HLS spec. + * @param details - The details of the rendition you'd like to time-align (e.g. an audio rendition). + * @param refDetails - The details of the reference rendition with start and PDT times for alignment. + */ + function alignMediaPlaylistByPDT(details, refDetails) { + if (!details.hasProgramDateTime || !refDetails.hasProgramDateTime) { + return; + } + var fragments = details.fragments; + var refFragments = refDetails.fragments; + if (!fragments.length || !refFragments.length) { + return; + } + + // Calculate a delta to apply to all fragments according to the delta in PDT times and start times + // of a fragment in the reference details, and a fragment in the target details of the same discontinuity. + // If a fragment of the same discontinuity was not found use the middle fragment of both. + var refFrag; + var frag; + var targetCC = Math.min(refDetails.endCC, details.endCC); + if (refDetails.startCC < targetCC && details.startCC < targetCC) { + refFrag = findFirstFragWithCC(refFragments, targetCC); + frag = findFirstFragWithCC(fragments, targetCC); + } + if (!refFrag || !frag) { + refFrag = refFragments[Math.floor(refFragments.length / 2)]; + frag = findFirstFragWithCC(fragments, refFrag.cc) || fragments[Math.floor(fragments.length / 2)]; + } + var refPDT = refFrag.programDateTime; + var targetPDT = frag.programDateTime; + if (!refPDT || !targetPDT) { + return; + } + var delta = (targetPDT - refPDT) / 1000 - (frag.start - refFrag.start); + adjustSlidingStart(delta, details); + } + + var MIN_CHUNK_SIZE = Math.pow(2, 17); // 128kb + var FragmentLoader = /*#__PURE__*/function () { + function FragmentLoader(config) { + this.config = void 0; + this.loader = null; + this.partLoadTimeout = -1; + this.config = config; + } + var _proto = FragmentLoader.prototype; + _proto.destroy = function destroy() { + if (this.loader) { + this.loader.destroy(); + this.loader = null; + } + }; + _proto.abort = function abort() { + if (this.loader) { + // Abort the loader for current fragment. Only one may load at any given time + this.loader.abort(); + } + }; + _proto.load = function load(frag, _onProgress) { + var _this = this; + var url = frag.url; + if (!url) { + return Promise.reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.FRAG_LOAD_ERROR, + fatal: false, + frag: frag, + error: new Error("Fragment does not have a " + (url ? 'part list' : 'url')), + networkDetails: null + })); + } + this.abort(); + var config = this.config; + var FragmentILoader = config.fLoader; + var DefaultILoader = config.loader; + return new Promise(function (resolve, reject) { + if (_this.loader) { + _this.loader.destroy(); + } + if (frag.gap) { + if (frag.tagList.some(function (tags) { + return tags[0] === 'GAP'; + })) { + reject(createGapLoadError(frag)); + return; + } else { + // Reset temporary treatment as GAP tag + frag.gap = false; + } + } + var loader = _this.loader = frag.loader = FragmentILoader ? new FragmentILoader(config) : new DefaultILoader(config); + var loaderContext = createLoaderContext(frag); + var loadPolicy = getLoaderConfigWithoutReties(config.fragLoadPolicy.default); + var loaderConfig = { + loadPolicy: loadPolicy, + timeout: loadPolicy.maxLoadTimeMs, + maxRetry: 0, + retryDelay: 0, + maxRetryDelay: 0, + highWaterMark: frag.sn === 'initSegment' ? Infinity : MIN_CHUNK_SIZE + }; + // Assign frag stats to the loader's stats reference + frag.stats = loader.stats; + loader.load(loaderContext, loaderConfig, { + onSuccess: function onSuccess(response, stats, context, networkDetails) { + _this.resetLoader(frag, loader); + var payload = response.data; + if (context.resetIV && frag.decryptdata) { + frag.decryptdata.iv = new Uint8Array(payload.slice(0, 16)); + payload = payload.slice(16); + } + resolve({ + frag: frag, + part: null, + payload: payload, + networkDetails: networkDetails + }); + }, + onError: function onError(response, context, networkDetails, stats) { + _this.resetLoader(frag, loader); + reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.FRAG_LOAD_ERROR, + fatal: false, + frag: frag, + response: _objectSpread2({ + url: url, + data: undefined + }, response), + error: new Error("HTTP Error " + response.code + " " + response.text), + networkDetails: networkDetails, + stats: stats + })); + }, + onAbort: function onAbort(stats, context, networkDetails) { + _this.resetLoader(frag, loader); + reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.INTERNAL_ABORTED, + fatal: false, + frag: frag, + error: new Error('Aborted'), + networkDetails: networkDetails, + stats: stats + })); + }, + onTimeout: function onTimeout(stats, context, networkDetails) { + _this.resetLoader(frag, loader); + reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.FRAG_LOAD_TIMEOUT, + fatal: false, + frag: frag, + error: new Error("Timeout after " + loaderConfig.timeout + "ms"), + networkDetails: networkDetails, + stats: stats + })); + }, + onProgress: function onProgress(stats, context, data, networkDetails) { + if (_onProgress) { + _onProgress({ + frag: frag, + part: null, + payload: data, + networkDetails: networkDetails + }); + } + } + }); + }); + }; + _proto.loadPart = function loadPart(frag, part, onProgress) { + var _this2 = this; + this.abort(); + var config = this.config; + var FragmentILoader = config.fLoader; + var DefaultILoader = config.loader; + return new Promise(function (resolve, reject) { + if (_this2.loader) { + _this2.loader.destroy(); + } + if (frag.gap || part.gap) { + reject(createGapLoadError(frag, part)); + return; + } + var loader = _this2.loader = frag.loader = FragmentILoader ? new FragmentILoader(config) : new DefaultILoader(config); + var loaderContext = createLoaderContext(frag, part); + // Should we define another load policy for parts? + var loadPolicy = getLoaderConfigWithoutReties(config.fragLoadPolicy.default); + var loaderConfig = { + loadPolicy: loadPolicy, + timeout: loadPolicy.maxLoadTimeMs, + maxRetry: 0, + retryDelay: 0, + maxRetryDelay: 0, + highWaterMark: MIN_CHUNK_SIZE + }; + // Assign part stats to the loader's stats reference + part.stats = loader.stats; + loader.load(loaderContext, loaderConfig, { + onSuccess: function onSuccess(response, stats, context, networkDetails) { + _this2.resetLoader(frag, loader); + _this2.updateStatsFromPart(frag, part); + var partLoadedData = { + frag: frag, + part: part, + payload: response.data, + networkDetails: networkDetails + }; + onProgress(partLoadedData); + resolve(partLoadedData); + }, + onError: function onError(response, context, networkDetails, stats) { + _this2.resetLoader(frag, loader); + reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.FRAG_LOAD_ERROR, + fatal: false, + frag: frag, + part: part, + response: _objectSpread2({ + url: loaderContext.url, + data: undefined + }, response), + error: new Error("HTTP Error " + response.code + " " + response.text), + networkDetails: networkDetails, + stats: stats + })); + }, + onAbort: function onAbort(stats, context, networkDetails) { + frag.stats.aborted = part.stats.aborted; + _this2.resetLoader(frag, loader); + reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.INTERNAL_ABORTED, + fatal: false, + frag: frag, + part: part, + error: new Error('Aborted'), + networkDetails: networkDetails, + stats: stats + })); + }, + onTimeout: function onTimeout(stats, context, networkDetails) { + _this2.resetLoader(frag, loader); + reject(new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: ErrorDetails.FRAG_LOAD_TIMEOUT, + fatal: false, + frag: frag, + part: part, + error: new Error("Timeout after " + loaderConfig.timeout + "ms"), + networkDetails: networkDetails, + stats: stats + })); + } + }); + }); + }; + _proto.updateStatsFromPart = function updateStatsFromPart(frag, part) { + var fragStats = frag.stats; + var partStats = part.stats; + var partTotal = partStats.total; + fragStats.loaded += partStats.loaded; + if (partTotal) { + var estTotalParts = Math.round(frag.duration / part.duration); + var estLoadedParts = Math.min(Math.round(fragStats.loaded / partTotal), estTotalParts); + var estRemainingParts = estTotalParts - estLoadedParts; + var estRemainingBytes = estRemainingParts * Math.round(fragStats.loaded / estLoadedParts); + fragStats.total = fragStats.loaded + estRemainingBytes; + } else { + fragStats.total = Math.max(fragStats.loaded, fragStats.total); + } + var fragLoading = fragStats.loading; + var partLoading = partStats.loading; + if (fragLoading.start) { + // add to fragment loader latency + fragLoading.first += partLoading.first - partLoading.start; + } else { + fragLoading.start = partLoading.start; + fragLoading.first = partLoading.first; + } + fragLoading.end = partLoading.end; + }; + _proto.resetLoader = function resetLoader(frag, loader) { + frag.loader = null; + if (this.loader === loader) { + self.clearTimeout(this.partLoadTimeout); + this.loader = null; + } + loader.destroy(); + }; + return FragmentLoader; + }(); + function createLoaderContext(frag, part) { + if (part === void 0) { + part = null; + } + var segment = part || frag; + var loaderContext = { + frag: frag, + part: part, + responseType: 'arraybuffer', + url: segment.url, + headers: {}, + rangeStart: 0, + rangeEnd: 0 + }; + var start = segment.byteRangeStartOffset; + var end = segment.byteRangeEndOffset; + if (isFiniteNumber(start) && isFiniteNumber(end)) { + var _frag$decryptdata; + var byteRangeStart = start; + var byteRangeEnd = end; + if (frag.sn === 'initSegment' && ((_frag$decryptdata = frag.decryptdata) == null ? void 0 : _frag$decryptdata.method) === 'AES-128') { + // MAP segment encrypted with method 'AES-128', when served with HTTP Range, + // has the unencrypted size specified in the range. + // Ref: https://tools.ietf.org/html/draft-pantos-hls-rfc8216bis-08#section-6.3.6 + var fragmentLen = end - start; + if (fragmentLen % 16) { + byteRangeEnd = end + (16 - fragmentLen % 16); + } + if (start !== 0) { + loaderContext.resetIV = true; + byteRangeStart = start - 16; + } + } + loaderContext.rangeStart = byteRangeStart; + loaderContext.rangeEnd = byteRangeEnd; + } + return loaderContext; + } + function createGapLoadError(frag, part) { + var error = new Error("GAP " + (frag.gap ? 'tag' : 'attribute') + " found"); + var errorData = { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_GAP, + fatal: false, + frag: frag, + error: error, + networkDetails: null + }; + if (part) { + errorData.part = part; + } + (part ? part : frag).stats.aborted = true; + return new LoadError(errorData); + } + var LoadError = /*#__PURE__*/function (_Error) { + _inheritsLoose(LoadError, _Error); + function LoadError(data) { + var _this3; + _this3 = _Error.call(this, data.error.message) || this; + _this3.data = void 0; + _this3.data = data; + return _this3; + } + return LoadError; + }( /*#__PURE__*/_wrapNativeSuper(Error)); + + var AESCrypto = /*#__PURE__*/function () { + function AESCrypto(subtle, iv) { + this.subtle = void 0; + this.aesIV = void 0; + this.subtle = subtle; + this.aesIV = iv; + } + var _proto = AESCrypto.prototype; + _proto.decrypt = function decrypt(data, key) { + return this.subtle.decrypt({ + name: 'AES-CBC', + iv: this.aesIV + }, key, data); + }; + return AESCrypto; + }(); + + var FastAESKey = /*#__PURE__*/function () { + function FastAESKey(subtle, key) { + this.subtle = void 0; + this.key = void 0; + this.subtle = subtle; + this.key = key; + } + var _proto = FastAESKey.prototype; + _proto.expandKey = function expandKey() { + return this.subtle.importKey('raw', this.key, { + name: 'AES-CBC' + }, false, ['encrypt', 'decrypt']); + }; + return FastAESKey; + }(); + + // PKCS7 + function removePadding(array) { + var outputBytes = array.byteLength; + var paddingBytes = outputBytes && new DataView(array.buffer).getUint8(outputBytes - 1); + if (paddingBytes) { + return sliceUint8(array, 0, outputBytes - paddingBytes); + } + return array; + } + var AESDecryptor = /*#__PURE__*/function () { + function AESDecryptor() { + this.rcon = [0x0, 0x1, 0x2, 0x4, 0x8, 0x10, 0x20, 0x40, 0x80, 0x1b, 0x36]; + this.subMix = [new Uint32Array(256), new Uint32Array(256), new Uint32Array(256), new Uint32Array(256)]; + this.invSubMix = [new Uint32Array(256), new Uint32Array(256), new Uint32Array(256), new Uint32Array(256)]; + this.sBox = new Uint32Array(256); + this.invSBox = new Uint32Array(256); + this.key = new Uint32Array(0); + this.ksRows = 0; + this.keySize = 0; + this.keySchedule = void 0; + this.invKeySchedule = void 0; + this.initTable(); + } + + // Using view.getUint32() also swaps the byte order. + var _proto = AESDecryptor.prototype; + _proto.uint8ArrayToUint32Array_ = function uint8ArrayToUint32Array_(arrayBuffer) { + var view = new DataView(arrayBuffer); + var newArray = new Uint32Array(4); + for (var i = 0; i < 4; i++) { + newArray[i] = view.getUint32(i * 4); + } + return newArray; + }; + _proto.initTable = function initTable() { + var sBox = this.sBox; + var invSBox = this.invSBox; + var subMix = this.subMix; + var subMix0 = subMix[0]; + var subMix1 = subMix[1]; + var subMix2 = subMix[2]; + var subMix3 = subMix[3]; + var invSubMix = this.invSubMix; + var invSubMix0 = invSubMix[0]; + var invSubMix1 = invSubMix[1]; + var invSubMix2 = invSubMix[2]; + var invSubMix3 = invSubMix[3]; + var d = new Uint32Array(256); + var x = 0; + var xi = 0; + var i = 0; + for (i = 0; i < 256; i++) { + if (i < 128) { + d[i] = i << 1; + } else { + d[i] = i << 1 ^ 0x11b; + } + } + for (i = 0; i < 256; i++) { + var sx = xi ^ xi << 1 ^ xi << 2 ^ xi << 3 ^ xi << 4; + sx = sx >>> 8 ^ sx & 0xff ^ 0x63; + sBox[x] = sx; + invSBox[sx] = x; + + // Compute multiplication + var x2 = d[x]; + var x4 = d[x2]; + var x8 = d[x4]; + + // Compute sub/invSub bytes, mix columns tables + var t = d[sx] * 0x101 ^ sx * 0x1010100; + subMix0[x] = t << 24 | t >>> 8; + subMix1[x] = t << 16 | t >>> 16; + subMix2[x] = t << 8 | t >>> 24; + subMix3[x] = t; + + // Compute inv sub bytes, inv mix columns tables + t = x8 * 0x1010101 ^ x4 * 0x10001 ^ x2 * 0x101 ^ x * 0x1010100; + invSubMix0[sx] = t << 24 | t >>> 8; + invSubMix1[sx] = t << 16 | t >>> 16; + invSubMix2[sx] = t << 8 | t >>> 24; + invSubMix3[sx] = t; + + // Compute next counter + if (!x) { + x = xi = 1; + } else { + x = x2 ^ d[d[d[x8 ^ x2]]]; + xi ^= d[d[xi]]; + } + } + }; + _proto.expandKey = function expandKey(keyBuffer) { + // convert keyBuffer to Uint32Array + var key = this.uint8ArrayToUint32Array_(keyBuffer); + var sameKey = true; + var offset = 0; + while (offset < key.length && sameKey) { + sameKey = key[offset] === this.key[offset]; + offset++; + } + if (sameKey) { + return; + } + this.key = key; + var keySize = this.keySize = key.length; + if (keySize !== 4 && keySize !== 6 && keySize !== 8) { + throw new Error('Invalid aes key size=' + keySize); + } + var ksRows = this.ksRows = (keySize + 6 + 1) * 4; + var ksRow; + var invKsRow; + var keySchedule = this.keySchedule = new Uint32Array(ksRows); + var invKeySchedule = this.invKeySchedule = new Uint32Array(ksRows); + var sbox = this.sBox; + var rcon = this.rcon; + var invSubMix = this.invSubMix; + var invSubMix0 = invSubMix[0]; + var invSubMix1 = invSubMix[1]; + var invSubMix2 = invSubMix[2]; + var invSubMix3 = invSubMix[3]; + var prev; + var t; + for (ksRow = 0; ksRow < ksRows; ksRow++) { + if (ksRow < keySize) { + prev = keySchedule[ksRow] = key[ksRow]; + continue; + } + t = prev; + if (ksRow % keySize === 0) { + // Rot word + t = t << 8 | t >>> 24; + + // Sub word + t = sbox[t >>> 24] << 24 | sbox[t >>> 16 & 0xff] << 16 | sbox[t >>> 8 & 0xff] << 8 | sbox[t & 0xff]; + + // Mix Rcon + t ^= rcon[ksRow / keySize | 0] << 24; + } else if (keySize > 6 && ksRow % keySize === 4) { + // Sub word + t = sbox[t >>> 24] << 24 | sbox[t >>> 16 & 0xff] << 16 | sbox[t >>> 8 & 0xff] << 8 | sbox[t & 0xff]; + } + keySchedule[ksRow] = prev = (keySchedule[ksRow - keySize] ^ t) >>> 0; + } + for (invKsRow = 0; invKsRow < ksRows; invKsRow++) { + ksRow = ksRows - invKsRow; + if (invKsRow & 3) { + t = keySchedule[ksRow]; + } else { + t = keySchedule[ksRow - 4]; + } + if (invKsRow < 4 || ksRow <= 4) { + invKeySchedule[invKsRow] = t; + } else { + invKeySchedule[invKsRow] = invSubMix0[sbox[t >>> 24]] ^ invSubMix1[sbox[t >>> 16 & 0xff]] ^ invSubMix2[sbox[t >>> 8 & 0xff]] ^ invSubMix3[sbox[t & 0xff]]; + } + invKeySchedule[invKsRow] = invKeySchedule[invKsRow] >>> 0; + } + } + + // Adding this as a method greatly improves performance. + ; + _proto.networkToHostOrderSwap = function networkToHostOrderSwap(word) { + return word << 24 | (word & 0xff00) << 8 | (word & 0xff0000) >> 8 | word >>> 24; + }; + _proto.decrypt = function decrypt(inputArrayBuffer, offset, aesIV) { + var nRounds = this.keySize + 6; + var invKeySchedule = this.invKeySchedule; + var invSBOX = this.invSBox; + var invSubMix = this.invSubMix; + var invSubMix0 = invSubMix[0]; + var invSubMix1 = invSubMix[1]; + var invSubMix2 = invSubMix[2]; + var invSubMix3 = invSubMix[3]; + var initVector = this.uint8ArrayToUint32Array_(aesIV); + var initVector0 = initVector[0]; + var initVector1 = initVector[1]; + var initVector2 = initVector[2]; + var initVector3 = initVector[3]; + var inputInt32 = new Int32Array(inputArrayBuffer); + var outputInt32 = new Int32Array(inputInt32.length); + var t0, t1, t2, t3; + var s0, s1, s2, s3; + var inputWords0, inputWords1, inputWords2, inputWords3; + var ksRow, i; + var swapWord = this.networkToHostOrderSwap; + while (offset < inputInt32.length) { + inputWords0 = swapWord(inputInt32[offset]); + inputWords1 = swapWord(inputInt32[offset + 1]); + inputWords2 = swapWord(inputInt32[offset + 2]); + inputWords3 = swapWord(inputInt32[offset + 3]); + s0 = inputWords0 ^ invKeySchedule[0]; + s1 = inputWords3 ^ invKeySchedule[1]; + s2 = inputWords2 ^ invKeySchedule[2]; + s3 = inputWords1 ^ invKeySchedule[3]; + ksRow = 4; + + // Iterate through the rounds of decryption + for (i = 1; i < nRounds; i++) { + t0 = invSubMix0[s0 >>> 24] ^ invSubMix1[s1 >> 16 & 0xff] ^ invSubMix2[s2 >> 8 & 0xff] ^ invSubMix3[s3 & 0xff] ^ invKeySchedule[ksRow]; + t1 = invSubMix0[s1 >>> 24] ^ invSubMix1[s2 >> 16 & 0xff] ^ invSubMix2[s3 >> 8 & 0xff] ^ invSubMix3[s0 & 0xff] ^ invKeySchedule[ksRow + 1]; + t2 = invSubMix0[s2 >>> 24] ^ invSubMix1[s3 >> 16 & 0xff] ^ invSubMix2[s0 >> 8 & 0xff] ^ invSubMix3[s1 & 0xff] ^ invKeySchedule[ksRow + 2]; + t3 = invSubMix0[s3 >>> 24] ^ invSubMix1[s0 >> 16 & 0xff] ^ invSubMix2[s1 >> 8 & 0xff] ^ invSubMix3[s2 & 0xff] ^ invKeySchedule[ksRow + 3]; + // Update state + s0 = t0; + s1 = t1; + s2 = t2; + s3 = t3; + ksRow = ksRow + 4; + } + + // Shift rows, sub bytes, add round key + t0 = invSBOX[s0 >>> 24] << 24 ^ invSBOX[s1 >> 16 & 0xff] << 16 ^ invSBOX[s2 >> 8 & 0xff] << 8 ^ invSBOX[s3 & 0xff] ^ invKeySchedule[ksRow]; + t1 = invSBOX[s1 >>> 24] << 24 ^ invSBOX[s2 >> 16 & 0xff] << 16 ^ invSBOX[s3 >> 8 & 0xff] << 8 ^ invSBOX[s0 & 0xff] ^ invKeySchedule[ksRow + 1]; + t2 = invSBOX[s2 >>> 24] << 24 ^ invSBOX[s3 >> 16 & 0xff] << 16 ^ invSBOX[s0 >> 8 & 0xff] << 8 ^ invSBOX[s1 & 0xff] ^ invKeySchedule[ksRow + 2]; + t3 = invSBOX[s3 >>> 24] << 24 ^ invSBOX[s0 >> 16 & 0xff] << 16 ^ invSBOX[s1 >> 8 & 0xff] << 8 ^ invSBOX[s2 & 0xff] ^ invKeySchedule[ksRow + 3]; + + // Write + outputInt32[offset] = swapWord(t0 ^ initVector0); + outputInt32[offset + 1] = swapWord(t3 ^ initVector1); + outputInt32[offset + 2] = swapWord(t2 ^ initVector2); + outputInt32[offset + 3] = swapWord(t1 ^ initVector3); + + // reset initVector to last 4 unsigned int + initVector0 = inputWords0; + initVector1 = inputWords1; + initVector2 = inputWords2; + initVector3 = inputWords3; + offset = offset + 4; + } + return outputInt32.buffer; + }; + return AESDecryptor; + }(); + + var CHUNK_SIZE = 16; // 16 bytes, 128 bits + var Decrypter = /*#__PURE__*/function () { + function Decrypter(config, _temp) { + var _ref = _temp === void 0 ? {} : _temp, + _ref$removePKCS7Paddi = _ref.removePKCS7Padding, + removePKCS7Padding = _ref$removePKCS7Paddi === void 0 ? true : _ref$removePKCS7Paddi; + this.logEnabled = true; + this.removePKCS7Padding = void 0; + this.subtle = null; + this.softwareDecrypter = null; + this.key = null; + this.fastAesKey = null; + this.remainderData = null; + this.currentIV = null; + this.currentResult = null; + this.useSoftware = void 0; + this.useSoftware = config.enableSoftwareAES; + this.removePKCS7Padding = removePKCS7Padding; + // built in decryptor expects PKCS7 padding + if (removePKCS7Padding) { + try { + var browserCrypto = self.crypto; + if (browserCrypto) { + this.subtle = browserCrypto.subtle || browserCrypto.webkitSubtle; + } + } catch (e) { + /* no-op */ + } + } + this.useSoftware = !this.subtle; + } + var _proto = Decrypter.prototype; + _proto.destroy = function destroy() { + this.subtle = null; + this.softwareDecrypter = null; + this.key = null; + this.fastAesKey = null; + this.remainderData = null; + this.currentIV = null; + this.currentResult = null; + }; + _proto.isSync = function isSync() { + return this.useSoftware; + }; + _proto.flush = function flush() { + var currentResult = this.currentResult, + remainderData = this.remainderData; + if (!currentResult || remainderData) { + this.reset(); + return null; + } + var data = new Uint8Array(currentResult); + this.reset(); + if (this.removePKCS7Padding) { + return removePadding(data); + } + return data; + }; + _proto.reset = function reset() { + this.currentResult = null; + this.currentIV = null; + this.remainderData = null; + if (this.softwareDecrypter) { + this.softwareDecrypter = null; + } + }; + _proto.decrypt = function decrypt(data, key, iv) { + var _this = this; + if (this.useSoftware) { + return new Promise(function (resolve, reject) { + _this.softwareDecrypt(new Uint8Array(data), key, iv); + var decryptResult = _this.flush(); + if (decryptResult) { + resolve(decryptResult.buffer); + } else { + reject(new Error('[softwareDecrypt] Failed to decrypt data')); + } + }); + } + return this.webCryptoDecrypt(new Uint8Array(data), key, iv); + } + + // Software decryption is progressive. Progressive decryption may not return a result on each call. Any cached + // data is handled in the flush() call + ; + _proto.softwareDecrypt = function softwareDecrypt(data, key, iv) { + var currentIV = this.currentIV, + currentResult = this.currentResult, + remainderData = this.remainderData; + this.logOnce('JS AES decrypt'); + // The output is staggered during progressive parsing - the current result is cached, and emitted on the next call + // This is done in order to strip PKCS7 padding, which is found at the end of each segment. We only know we've reached + // the end on flush(), but by that time we have already received all bytes for the segment. + // Progressive decryption does not work with WebCrypto + + if (remainderData) { + data = appendUint8Array(remainderData, data); + this.remainderData = null; + } + + // Byte length must be a multiple of 16 (AES-128 = 128 bit blocks = 16 bytes) + var currentChunk = this.getValidChunk(data); + if (!currentChunk.length) { + return null; + } + if (currentIV) { + iv = currentIV; + } + var softwareDecrypter = this.softwareDecrypter; + if (!softwareDecrypter) { + softwareDecrypter = this.softwareDecrypter = new AESDecryptor(); + } + softwareDecrypter.expandKey(key); + var result = currentResult; + this.currentResult = softwareDecrypter.decrypt(currentChunk.buffer, 0, iv); + this.currentIV = sliceUint8(currentChunk, -16).buffer; + if (!result) { + return null; + } + return result; + }; + _proto.webCryptoDecrypt = function webCryptoDecrypt(data, key, iv) { + var _this2 = this; + if (this.key !== key || !this.fastAesKey) { + if (!this.subtle) { + return Promise.resolve(this.onWebCryptoError(data, key, iv)); + } + this.key = key; + this.fastAesKey = new FastAESKey(this.subtle, key); + } + return this.fastAesKey.expandKey().then(function (aesKey) { + // decrypt using web crypto + if (!_this2.subtle) { + return Promise.reject(new Error('web crypto not initialized')); + } + _this2.logOnce('WebCrypto AES decrypt'); + var crypto = new AESCrypto(_this2.subtle, new Uint8Array(iv)); + return crypto.decrypt(data.buffer, aesKey); + }).catch(function (err) { + logger.warn("[decrypter]: WebCrypto Error, disable WebCrypto API, " + err.name + ": " + err.message); + return _this2.onWebCryptoError(data, key, iv); + }); + }; + _proto.onWebCryptoError = function onWebCryptoError(data, key, iv) { + this.useSoftware = true; + this.logEnabled = true; + this.softwareDecrypt(data, key, iv); + var decryptResult = this.flush(); + if (decryptResult) { + return decryptResult.buffer; + } + throw new Error('WebCrypto and softwareDecrypt: failed to decrypt data'); + }; + _proto.getValidChunk = function getValidChunk(data) { + var currentChunk = data; + var splitPoint = data.length - data.length % CHUNK_SIZE; + if (splitPoint !== data.length) { + currentChunk = sliceUint8(data, 0, splitPoint); + this.remainderData = sliceUint8(data, splitPoint); + } + return currentChunk; + }; + _proto.logOnce = function logOnce(msg) { + if (!this.logEnabled) { + return; + } + logger.log("[decrypter]: " + msg); + this.logEnabled = false; + }; + return Decrypter; + }(); + + /** + * TimeRanges to string helper + */ + + var TimeRanges = { + toString: function toString(r) { + var log = ''; + var len = r.length; + for (var i = 0; i < len; i++) { + log += "[" + r.start(i).toFixed(3) + "-" + r.end(i).toFixed(3) + "]"; + } + return log; + } + }; + + var State = { + STOPPED: 'STOPPED', + IDLE: 'IDLE', + KEY_LOADING: 'KEY_LOADING', + FRAG_LOADING: 'FRAG_LOADING', + FRAG_LOADING_WAITING_RETRY: 'FRAG_LOADING_WAITING_RETRY', + WAITING_TRACK: 'WAITING_TRACK', + PARSING: 'PARSING', + PARSED: 'PARSED', + ENDED: 'ENDED', + ERROR: 'ERROR', + WAITING_INIT_PTS: 'WAITING_INIT_PTS', + WAITING_LEVEL: 'WAITING_LEVEL' + }; + var BaseStreamController = /*#__PURE__*/function (_TaskLoop) { + _inheritsLoose(BaseStreamController, _TaskLoop); + function BaseStreamController(hls, fragmentTracker, keyLoader, logPrefix, playlistType) { + var _this; + _this = _TaskLoop.call(this) || this; + _this.hls = void 0; + _this.fragPrevious = null; + _this.fragCurrent = null; + _this.fragmentTracker = void 0; + _this.transmuxer = null; + _this._state = State.STOPPED; + _this.playlistType = void 0; + _this.media = null; + _this.mediaBuffer = null; + _this.config = void 0; + _this.bitrateTest = false; + _this.lastCurrentTime = 0; + _this.nextLoadPosition = 0; + _this.startPosition = 0; + _this.startTimeOffset = null; + _this.loadedmetadata = false; + _this.retryDate = 0; + _this.levels = null; + _this.fragmentLoader = void 0; + _this.keyLoader = void 0; + _this.levelLastLoaded = null; + _this.startFragRequested = false; + _this.decrypter = void 0; + _this.initPTS = []; + _this.buffering = true; + _this.onvseeking = null; + _this.onvended = null; + _this.logPrefix = ''; + _this.log = void 0; + _this.warn = void 0; + _this.playlistType = playlistType; + _this.logPrefix = logPrefix; + _this.log = logger.log.bind(logger, logPrefix + ":"); + _this.warn = logger.warn.bind(logger, logPrefix + ":"); + _this.hls = hls; + _this.fragmentLoader = new FragmentLoader(hls.config); + _this.keyLoader = keyLoader; + _this.fragmentTracker = fragmentTracker; + _this.config = hls.config; + _this.decrypter = new Decrypter(hls.config); + hls.on(Events.MANIFEST_LOADED, _this.onManifestLoaded, _assertThisInitialized(_this)); + return _this; + } + var _proto = BaseStreamController.prototype; + _proto.doTick = function doTick() { + this.onTickEnd(); + }; + _proto.onTickEnd = function onTickEnd() {} + + // eslint-disable-next-line @typescript-eslint/no-unused-vars + ; + _proto.startLoad = function startLoad(startPosition) {}; + _proto.stopLoad = function stopLoad() { + this.fragmentLoader.abort(); + this.keyLoader.abort(this.playlistType); + var frag = this.fragCurrent; + if (frag != null && frag.loader) { + frag.abortRequests(); + this.fragmentTracker.removeFragment(frag); + } + this.resetTransmuxer(); + this.fragCurrent = null; + this.fragPrevious = null; + this.clearInterval(); + this.clearNextTick(); + this.state = State.STOPPED; + }; + _proto.pauseBuffering = function pauseBuffering() { + this.buffering = false; + }; + _proto.resumeBuffering = function resumeBuffering() { + this.buffering = true; + }; + _proto._streamEnded = function _streamEnded(bufferInfo, levelDetails) { + // If playlist is live, there is another buffered range after the current range, nothing buffered, media is detached, + // of nothing loading/loaded return false + if (levelDetails.live || bufferInfo.nextStart || !bufferInfo.end || !this.media) { + return false; + } + var partList = levelDetails.partList; + // Since the last part isn't guaranteed to correspond to the last playlist segment for Low-Latency HLS, + // check instead if the last part is buffered. + if (partList != null && partList.length) { + var lastPart = partList[partList.length - 1]; + + // Checking the midpoint of the part for potential margin of error and related issues. + // NOTE: Technically I believe parts could yield content that is < the computed duration (including potential a duration of 0) + // and still be spec-compliant, so there may still be edge cases here. Likewise, there could be issues in end of stream + // part mismatches for independent audio and video playlists/segments. + var lastPartBuffered = BufferHelper.isBuffered(this.media, lastPart.start + lastPart.duration / 2); + return lastPartBuffered; + } + var playlistType = levelDetails.fragments[levelDetails.fragments.length - 1].type; + return this.fragmentTracker.isEndListAppended(playlistType); + }; + _proto.getLevelDetails = function getLevelDetails() { + if (this.levels && this.levelLastLoaded !== null) { + var _this$levelLastLoaded; + return (_this$levelLastLoaded = this.levelLastLoaded) == null ? void 0 : _this$levelLastLoaded.details; + } + }; + _proto.onMediaAttached = function onMediaAttached(event, data) { + var media = this.media = this.mediaBuffer = data.media; + this.onvseeking = this.onMediaSeeking.bind(this); + this.onvended = this.onMediaEnded.bind(this); + media.addEventListener('seeking', this.onvseeking); + media.addEventListener('ended', this.onvended); + var config = this.config; + if (this.levels && config.autoStartLoad && this.state === State.STOPPED) { + this.startLoad(config.startPosition); + } + }; + _proto.onMediaDetaching = function onMediaDetaching() { + var media = this.media; + if (media != null && media.ended) { + this.log('MSE detaching and video ended, reset startPosition'); + this.startPosition = this.lastCurrentTime = 0; + } + + // remove video listeners + if (media && this.onvseeking && this.onvended) { + media.removeEventListener('seeking', this.onvseeking); + media.removeEventListener('ended', this.onvended); + this.onvseeking = this.onvended = null; + } + if (this.keyLoader) { + this.keyLoader.detach(); + } + this.media = this.mediaBuffer = null; + this.loadedmetadata = false; + this.fragmentTracker.removeAllFragments(); + this.stopLoad(); + }; + _proto.onMediaSeeking = function onMediaSeeking() { + var config = this.config, + fragCurrent = this.fragCurrent, + media = this.media, + mediaBuffer = this.mediaBuffer, + state = this.state; + var currentTime = media ? media.currentTime : 0; + var bufferInfo = BufferHelper.bufferInfo(mediaBuffer ? mediaBuffer : media, currentTime, config.maxBufferHole); + this.log("media seeking to " + (isFiniteNumber(currentTime) ? currentTime.toFixed(3) : currentTime) + ", state: " + state); + if (this.state === State.ENDED) { + this.resetLoadingState(); + } else if (fragCurrent) { + // Seeking while frag load is in progress + var tolerance = config.maxFragLookUpTolerance; + var fragStartOffset = fragCurrent.start - tolerance; + var fragEndOffset = fragCurrent.start + fragCurrent.duration + tolerance; + // if seeking out of buffered range or into new one + if (!bufferInfo.len || fragEndOffset < bufferInfo.start || fragStartOffset > bufferInfo.end) { + var pastFragment = currentTime > fragEndOffset; + // if the seek position is outside the current fragment range + if (currentTime < fragStartOffset || pastFragment) { + if (pastFragment && fragCurrent.loader) { + this.log('seeking outside of buffer while fragment load in progress, cancel fragment load'); + fragCurrent.abortRequests(); + this.resetLoadingState(); + } + this.fragPrevious = null; + } + } + } + if (media) { + // Remove gap fragments + this.fragmentTracker.removeFragmentsInRange(currentTime, Infinity, this.playlistType, true); + this.lastCurrentTime = currentTime; + } + + // in case seeking occurs although no media buffered, adjust startPosition and nextLoadPosition to seek target + if (!this.loadedmetadata && !bufferInfo.len) { + this.nextLoadPosition = this.startPosition = currentTime; + } + + // Async tick to speed up processing + this.tickImmediate(); + }; + _proto.onMediaEnded = function onMediaEnded() { + // reset startPosition and lastCurrentTime to restart playback @ stream beginning + this.startPosition = this.lastCurrentTime = 0; + }; + _proto.onManifestLoaded = function onManifestLoaded(event, data) { + this.startTimeOffset = data.startTimeOffset; + this.initPTS = []; + }; + _proto.onHandlerDestroying = function onHandlerDestroying() { + this.hls.off(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + this.stopLoad(); + _TaskLoop.prototype.onHandlerDestroying.call(this); + // @ts-ignore + this.hls = null; + }; + _proto.onHandlerDestroyed = function onHandlerDestroyed() { + this.state = State.STOPPED; + if (this.fragmentLoader) { + this.fragmentLoader.destroy(); + } + if (this.keyLoader) { + this.keyLoader.destroy(); + } + if (this.decrypter) { + this.decrypter.destroy(); + } + this.hls = this.log = this.warn = this.decrypter = this.keyLoader = this.fragmentLoader = this.fragmentTracker = null; + _TaskLoop.prototype.onHandlerDestroyed.call(this); + }; + _proto.loadFragment = function loadFragment(frag, level, targetBufferTime) { + this._loadFragForPlayback(frag, level, targetBufferTime); + }; + _proto._loadFragForPlayback = function _loadFragForPlayback(frag, level, targetBufferTime) { + var _this2 = this; + var progressCallback = function progressCallback(data) { + if (_this2.fragContextChanged(frag)) { + _this2.warn("Fragment " + frag.sn + (data.part ? ' p: ' + data.part.index : '') + " of level " + frag.level + " was dropped during download."); + _this2.fragmentTracker.removeFragment(frag); + return; + } + frag.stats.chunkCount++; + _this2._handleFragmentLoadProgress(data); + }; + this._doFragLoad(frag, level, targetBufferTime, progressCallback).then(function (data) { + if (!data) { + // if we're here we probably needed to backtrack or are waiting for more parts + return; + } + var state = _this2.state; + if (_this2.fragContextChanged(frag)) { + if (state === State.FRAG_LOADING || !_this2.fragCurrent && state === State.PARSING) { + _this2.fragmentTracker.removeFragment(frag); + _this2.state = State.IDLE; + } + return; + } + if ('payload' in data) { + _this2.log("Loaded fragment " + frag.sn + " of level " + frag.level); + _this2.hls.trigger(Events.FRAG_LOADED, data); + } + + // Pass through the whole payload; controllers not implementing progressive loading receive data from this callback + _this2._handleFragmentLoadComplete(data); + }).catch(function (reason) { + if (_this2.state === State.STOPPED || _this2.state === State.ERROR) { + return; + } + _this2.warn("Frag error: " + ((reason == null ? void 0 : reason.message) || reason)); + _this2.resetFragmentLoading(frag); + }); + }; + _proto.clearTrackerIfNeeded = function clearTrackerIfNeeded(frag) { + var _this$mediaBuffer; + var fragmentTracker = this.fragmentTracker; + var fragState = fragmentTracker.getState(frag); + if (fragState === FragmentState.APPENDING) { + // Lower the max buffer length and try again + var playlistType = frag.type; + var bufferedInfo = this.getFwdBufferInfo(this.mediaBuffer, playlistType); + var minForwardBufferLength = Math.max(frag.duration, bufferedInfo ? bufferedInfo.len : this.config.maxBufferLength); + // If backtracking, always remove from the tracker without reducing max buffer length + var backtrackFragment = this.backtrackFragment; + var backtracked = backtrackFragment ? frag.sn - backtrackFragment.sn : 0; + if (backtracked === 1 || this.reduceMaxBufferLength(minForwardBufferLength, frag.duration)) { + fragmentTracker.removeFragment(frag); + } + } else if (((_this$mediaBuffer = this.mediaBuffer) == null ? void 0 : _this$mediaBuffer.buffered.length) === 0) { + // Stop gap for bad tracker / buffer flush behavior + fragmentTracker.removeAllFragments(); + } else if (fragmentTracker.hasParts(frag.type)) { + // In low latency mode, remove fragments for which only some parts were buffered + fragmentTracker.detectPartialFragments({ + frag: frag, + part: null, + stats: frag.stats, + id: frag.type + }); + if (fragmentTracker.getState(frag) === FragmentState.PARTIAL) { + fragmentTracker.removeFragment(frag); + } + } + }; + _proto.checkLiveUpdate = function checkLiveUpdate(details) { + if (details.updated && !details.live) { + // Live stream ended, update fragment tracker + var lastFragment = details.fragments[details.fragments.length - 1]; + this.fragmentTracker.detectPartialFragments({ + frag: lastFragment, + part: null, + stats: lastFragment.stats, + id: lastFragment.type + }); + } + if (!details.fragments[0]) { + details.deltaUpdateFailed = true; + } + }; + _proto.flushMainBuffer = function flushMainBuffer(startOffset, endOffset, type) { + if (type === void 0) { + type = null; + } + if (!(startOffset - endOffset)) { + return; + } + // When alternate audio is playing, the audio-stream-controller is responsible for the audio buffer. Otherwise, + // passing a null type flushes both buffers + var flushScope = { + startOffset: startOffset, + endOffset: endOffset, + type: type + }; + this.hls.trigger(Events.BUFFER_FLUSHING, flushScope); + }; + _proto._loadInitSegment = function _loadInitSegment(frag, level) { + var _this3 = this; + this._doFragLoad(frag, level).then(function (data) { + if (!data || _this3.fragContextChanged(frag) || !_this3.levels) { + throw new Error('init load aborted'); + } + return data; + }).then(function (data) { + var hls = _this3.hls; + var payload = data.payload; + var decryptData = frag.decryptdata; + + // check to see if the payload needs to be decrypted + if (payload && payload.byteLength > 0 && decryptData != null && decryptData.key && decryptData.iv && decryptData.method === 'AES-128') { + var startTime = self.performance.now(); + // decrypt init segment data + return _this3.decrypter.decrypt(new Uint8Array(payload), decryptData.key.buffer, decryptData.iv.buffer).catch(function (err) { + hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_DECRYPT_ERROR, + fatal: false, + error: err, + reason: err.message, + frag: frag + }); + throw err; + }).then(function (decryptedData) { + var endTime = self.performance.now(); + hls.trigger(Events.FRAG_DECRYPTED, { + frag: frag, + payload: decryptedData, + stats: { + tstart: startTime, + tdecrypt: endTime + } + }); + data.payload = decryptedData; + return _this3.completeInitSegmentLoad(data); + }); + } + return _this3.completeInitSegmentLoad(data); + }).catch(function (reason) { + if (_this3.state === State.STOPPED || _this3.state === State.ERROR) { + return; + } + _this3.warn(reason); + _this3.resetFragmentLoading(frag); + }); + }; + _proto.completeInitSegmentLoad = function completeInitSegmentLoad(data) { + var levels = this.levels; + if (!levels) { + throw new Error('init load aborted, missing levels'); + } + var stats = data.frag.stats; + this.state = State.IDLE; + data.frag.data = new Uint8Array(data.payload); + stats.parsing.start = stats.buffering.start = self.performance.now(); + stats.parsing.end = stats.buffering.end = self.performance.now(); + this.tick(); + }; + _proto.fragContextChanged = function fragContextChanged(frag) { + var fragCurrent = this.fragCurrent; + return !frag || !fragCurrent || frag.sn !== fragCurrent.sn || frag.level !== fragCurrent.level; + }; + _proto.fragBufferedComplete = function fragBufferedComplete(frag, part) { + var _frag$startPTS, _frag$endPTS, _this$fragCurrent, _this$fragPrevious; + var media = this.mediaBuffer ? this.mediaBuffer : this.media; + this.log("Buffered " + frag.type + " sn: " + frag.sn + (part ? ' part: ' + part.index : '') + " of " + (this.playlistType === PlaylistLevelType.MAIN ? 'level' : 'track') + " " + frag.level + " (frag:[" + ((_frag$startPTS = frag.startPTS) != null ? _frag$startPTS : NaN).toFixed(3) + "-" + ((_frag$endPTS = frag.endPTS) != null ? _frag$endPTS : NaN).toFixed(3) + "] > buffer:" + (media ? TimeRanges.toString(BufferHelper.getBuffered(media)) : '(detached)') + ")"); + if (frag.sn !== 'initSegment') { + var _this$levels; + if (frag.type !== PlaylistLevelType.SUBTITLE) { + var el = frag.elementaryStreams; + if (!Object.keys(el).some(function (type) { + return !!el[type]; + })) { + // empty segment + this.state = State.IDLE; + return; + } + } + var level = (_this$levels = this.levels) == null ? void 0 : _this$levels[frag.level]; + if (level != null && level.fragmentError) { + this.log("Resetting level fragment error count of " + level.fragmentError + " on frag buffered"); + level.fragmentError = 0; + } + } + this.state = State.IDLE; + if (!media) { + return; + } + if (!this.loadedmetadata && frag.type == PlaylistLevelType.MAIN && media.buffered.length && ((_this$fragCurrent = this.fragCurrent) == null ? void 0 : _this$fragCurrent.sn) === ((_this$fragPrevious = this.fragPrevious) == null ? void 0 : _this$fragPrevious.sn)) { + this.loadedmetadata = true; + this.seekToStartPos(); + } + this.tick(); + }; + _proto.seekToStartPos = function seekToStartPos() {}; + _proto._handleFragmentLoadComplete = function _handleFragmentLoadComplete(fragLoadedEndData) { + var transmuxer = this.transmuxer; + if (!transmuxer) { + return; + } + var frag = fragLoadedEndData.frag, + part = fragLoadedEndData.part, + partsLoaded = fragLoadedEndData.partsLoaded; + // If we did not load parts, or loaded all parts, we have complete (not partial) fragment data + var complete = !partsLoaded || partsLoaded.length === 0 || partsLoaded.some(function (fragLoaded) { + return !fragLoaded; + }); + var chunkMeta = new ChunkMetadata(frag.level, frag.sn, frag.stats.chunkCount + 1, 0, part ? part.index : -1, !complete); + transmuxer.flush(chunkMeta); + } + + // eslint-disable-next-line @typescript-eslint/no-unused-vars + ; + _proto._handleFragmentLoadProgress = function _handleFragmentLoadProgress(frag) {}; + _proto._doFragLoad = function _doFragLoad(frag, level, targetBufferTime, progressCallback) { + var _frag$decryptdata, + _this4 = this; + if (targetBufferTime === void 0) { + targetBufferTime = null; + } + var details = level == null ? void 0 : level.details; + if (!this.levels || !details) { + throw new Error("frag load aborted, missing level" + (details ? '' : ' detail') + "s"); + } + var keyLoadingPromise = null; + if (frag.encrypted && !((_frag$decryptdata = frag.decryptdata) != null && _frag$decryptdata.key)) { + this.log("Loading key for " + frag.sn + " of [" + details.startSN + "-" + details.endSN + "], " + (this.logPrefix === '[stream-controller]' ? 'level' : 'track') + " " + frag.level); + this.state = State.KEY_LOADING; + this.fragCurrent = frag; + keyLoadingPromise = this.keyLoader.load(frag).then(function (keyLoadedData) { + if (!_this4.fragContextChanged(keyLoadedData.frag)) { + _this4.hls.trigger(Events.KEY_LOADED, keyLoadedData); + if (_this4.state === State.KEY_LOADING) { + _this4.state = State.IDLE; + } + return keyLoadedData; + } + }); + this.hls.trigger(Events.KEY_LOADING, { + frag: frag + }); + if (this.fragCurrent === null) { + keyLoadingPromise = Promise.reject(new Error("frag load aborted, context changed in KEY_LOADING")); + } + } else if (!frag.encrypted && details.encryptedFragments.length) { + this.keyLoader.loadClear(frag, details.encryptedFragments); + } + targetBufferTime = Math.max(frag.start, targetBufferTime || 0); + if (this.config.lowLatencyMode && frag.sn !== 'initSegment') { + var partList = details.partList; + if (partList && progressCallback) { + if (targetBufferTime > frag.end && details.fragmentHint) { + frag = details.fragmentHint; + } + var partIndex = this.getNextPart(partList, frag, targetBufferTime); + if (partIndex > -1) { + var part = partList[partIndex]; + this.log("Loading part sn: " + frag.sn + " p: " + part.index + " cc: " + frag.cc + " of playlist [" + details.startSN + "-" + details.endSN + "] parts [0-" + partIndex + "-" + (partList.length - 1) + "] " + (this.logPrefix === '[stream-controller]' ? 'level' : 'track') + ": " + frag.level + ", target: " + parseFloat(targetBufferTime.toFixed(3))); + this.nextLoadPosition = part.start + part.duration; + this.state = State.FRAG_LOADING; + var _result; + if (keyLoadingPromise) { + _result = keyLoadingPromise.then(function (keyLoadedData) { + if (!keyLoadedData || _this4.fragContextChanged(keyLoadedData.frag)) { + return null; + } + return _this4.doFragPartsLoad(frag, part, level, progressCallback); + }).catch(function (error) { + return _this4.handleFragLoadError(error); + }); + } else { + _result = this.doFragPartsLoad(frag, part, level, progressCallback).catch(function (error) { + return _this4.handleFragLoadError(error); + }); + } + this.hls.trigger(Events.FRAG_LOADING, { + frag: frag, + part: part, + targetBufferTime: targetBufferTime + }); + if (this.fragCurrent === null) { + return Promise.reject(new Error("frag load aborted, context changed in FRAG_LOADING parts")); + } + return _result; + } else if (!frag.url || this.loadedEndOfParts(partList, targetBufferTime)) { + // Fragment hint has no parts + return Promise.resolve(null); + } + } + } + this.log("Loading fragment " + frag.sn + " cc: " + frag.cc + " " + (details ? 'of [' + details.startSN + '-' + details.endSN + '] ' : '') + (this.logPrefix === '[stream-controller]' ? 'level' : 'track') + ": " + frag.level + ", target: " + parseFloat(targetBufferTime.toFixed(3))); + // Don't update nextLoadPosition for fragments which are not buffered + if (isFiniteNumber(frag.sn) && !this.bitrateTest) { + this.nextLoadPosition = frag.start + frag.duration; + } + this.state = State.FRAG_LOADING; + + // Load key before streaming fragment data + var dataOnProgress = this.config.progressive; + var result; + if (dataOnProgress && keyLoadingPromise) { + result = keyLoadingPromise.then(function (keyLoadedData) { + if (!keyLoadedData || _this4.fragContextChanged(keyLoadedData == null ? void 0 : keyLoadedData.frag)) { + return null; + } + return _this4.fragmentLoader.load(frag, progressCallback); + }).catch(function (error) { + return _this4.handleFragLoadError(error); + }); + } else { + // load unencrypted fragment data with progress event, + // or handle fragment result after key and fragment are finished loading + result = Promise.all([this.fragmentLoader.load(frag, dataOnProgress ? progressCallback : undefined), keyLoadingPromise]).then(function (_ref) { + var fragLoadedData = _ref[0]; + if (!dataOnProgress && fragLoadedData && progressCallback) { + progressCallback(fragLoadedData); + } + return fragLoadedData; + }).catch(function (error) { + return _this4.handleFragLoadError(error); + }); + } + this.hls.trigger(Events.FRAG_LOADING, { + frag: frag, + targetBufferTime: targetBufferTime + }); + if (this.fragCurrent === null) { + return Promise.reject(new Error("frag load aborted, context changed in FRAG_LOADING")); + } + return result; + }; + _proto.doFragPartsLoad = function doFragPartsLoad(frag, fromPart, level, progressCallback) { + var _this5 = this; + return new Promise(function (resolve, reject) { + var _level$details; + var partsLoaded = []; + var initialPartList = (_level$details = level.details) == null ? void 0 : _level$details.partList; + var loadPart = function loadPart(part) { + _this5.fragmentLoader.loadPart(frag, part, progressCallback).then(function (partLoadedData) { + partsLoaded[part.index] = partLoadedData; + var loadedPart = partLoadedData.part; + _this5.hls.trigger(Events.FRAG_LOADED, partLoadedData); + var nextPart = getPartWith(level, frag.sn, part.index + 1) || findPart(initialPartList, frag.sn, part.index + 1); + if (nextPart) { + loadPart(nextPart); + } else { + return resolve({ + frag: frag, + part: loadedPart, + partsLoaded: partsLoaded + }); + } + }).catch(reject); + }; + loadPart(fromPart); + }); + }; + _proto.handleFragLoadError = function handleFragLoadError(error) { + if ('data' in error) { + var data = error.data; + if (error.data && data.details === ErrorDetails.INTERNAL_ABORTED) { + this.handleFragLoadAborted(data.frag, data.part); + } else { + this.hls.trigger(Events.ERROR, data); + } + } else { + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.OTHER_ERROR, + details: ErrorDetails.INTERNAL_EXCEPTION, + err: error, + error: error, + fatal: true + }); + } + return null; + }; + _proto._handleTransmuxerFlush = function _handleTransmuxerFlush(chunkMeta) { + var context = this.getCurrentContext(chunkMeta); + if (!context || this.state !== State.PARSING) { + if (!this.fragCurrent && this.state !== State.STOPPED && this.state !== State.ERROR) { + this.state = State.IDLE; + } + return; + } + var frag = context.frag, + part = context.part, + level = context.level; + var now = self.performance.now(); + frag.stats.parsing.end = now; + if (part) { + part.stats.parsing.end = now; + } + this.updateLevelTiming(frag, part, level, chunkMeta.partial); + }; + _proto.getCurrentContext = function getCurrentContext(chunkMeta) { + var levels = this.levels, + fragCurrent = this.fragCurrent; + var levelIndex = chunkMeta.level, + sn = chunkMeta.sn, + partIndex = chunkMeta.part; + if (!(levels != null && levels[levelIndex])) { + this.warn("Levels object was unset while buffering fragment " + sn + " of level " + levelIndex + ". The current chunk will not be buffered."); + return null; + } + var level = levels[levelIndex]; + var part = partIndex > -1 ? getPartWith(level, sn, partIndex) : null; + var frag = part ? part.fragment : getFragmentWithSN(level, sn, fragCurrent); + if (!frag) { + return null; + } + if (fragCurrent && fragCurrent !== frag) { + frag.stats = fragCurrent.stats; + } + return { + frag: frag, + part: part, + level: level + }; + }; + _proto.bufferFragmentData = function bufferFragmentData(data, frag, part, chunkMeta, noBacktracking) { + var _buffer; + if (!data || this.state !== State.PARSING) { + return; + } + var data1 = data.data1, + data2 = data.data2; + var buffer = data1; + if (data1 && data2) { + // Combine the moof + mdat so that we buffer with a single append + buffer = appendUint8Array(data1, data2); + } + if (!((_buffer = buffer) != null && _buffer.length)) { + return; + } + var segment = { + type: data.type, + frag: frag, + part: part, + chunkMeta: chunkMeta, + parent: frag.type, + data: buffer + }; + this.hls.trigger(Events.BUFFER_APPENDING, segment); + if (data.dropped && data.independent && !part) { + if (noBacktracking) { + return; + } + // Clear buffer so that we reload previous segments sequentially if required + this.flushBufferGap(frag); + } + }; + _proto.flushBufferGap = function flushBufferGap(frag) { + var media = this.media; + if (!media) { + return; + } + // If currentTime is not buffered, clear the back buffer so that we can backtrack as much as needed + if (!BufferHelper.isBuffered(media, media.currentTime)) { + this.flushMainBuffer(0, frag.start); + return; + } + // Remove back-buffer without interrupting playback to allow back tracking + var currentTime = media.currentTime; + var bufferInfo = BufferHelper.bufferInfo(media, currentTime, 0); + var fragDuration = frag.duration; + var segmentFraction = Math.min(this.config.maxFragLookUpTolerance * 2, fragDuration * 0.25); + var start = Math.max(Math.min(frag.start - segmentFraction, bufferInfo.end - segmentFraction), currentTime + segmentFraction); + if (frag.start - start > segmentFraction) { + this.flushMainBuffer(start, frag.start); + } + }; + _proto.getFwdBufferInfo = function getFwdBufferInfo(bufferable, type) { + var pos = this.getLoadPosition(); + if (!isFiniteNumber(pos)) { + return null; + } + return this.getFwdBufferInfoAtPos(bufferable, pos, type); + }; + _proto.getFwdBufferInfoAtPos = function getFwdBufferInfoAtPos(bufferable, pos, type) { + var maxBufferHole = this.config.maxBufferHole; + var bufferInfo = BufferHelper.bufferInfo(bufferable, pos, maxBufferHole); + // Workaround flaw in getting forward buffer when maxBufferHole is smaller than gap at current pos + if (bufferInfo.len === 0 && bufferInfo.nextStart !== undefined) { + var bufferedFragAtPos = this.fragmentTracker.getBufferedFrag(pos, type); + if (bufferedFragAtPos && bufferInfo.nextStart < bufferedFragAtPos.end) { + return BufferHelper.bufferInfo(bufferable, pos, Math.max(bufferInfo.nextStart, maxBufferHole)); + } + } + return bufferInfo; + }; + _proto.getMaxBufferLength = function getMaxBufferLength(levelBitrate) { + var config = this.config; + var maxBufLen; + if (levelBitrate) { + maxBufLen = Math.max(8 * config.maxBufferSize / levelBitrate, config.maxBufferLength); + } else { + maxBufLen = config.maxBufferLength; + } + return Math.min(maxBufLen, config.maxMaxBufferLength); + }; + _proto.reduceMaxBufferLength = function reduceMaxBufferLength(threshold, fragDuration) { + var config = this.config; + var minLength = Math.max(Math.min(threshold - fragDuration, config.maxBufferLength), fragDuration); + var reducedLength = Math.max(threshold - fragDuration * 3, config.maxMaxBufferLength / 2, minLength); + if (reducedLength >= minLength) { + // reduce max buffer length as it might be too high. we do this to avoid loop flushing ... + config.maxMaxBufferLength = reducedLength; + this.warn("Reduce max buffer length to " + reducedLength + "s"); + return true; + } + return false; + }; + _proto.getAppendedFrag = function getAppendedFrag(position, playlistType) { + var fragOrPart = this.fragmentTracker.getAppendedFrag(position, PlaylistLevelType.MAIN); + if (fragOrPart && 'fragment' in fragOrPart) { + return fragOrPart.fragment; + } + return fragOrPart; + }; + _proto.getNextFragment = function getNextFragment(pos, levelDetails) { + var fragments = levelDetails.fragments; + var fragLen = fragments.length; + if (!fragLen) { + return null; + } + + // find fragment index, contiguous with end of buffer position + var config = this.config; + var start = fragments[0].start; + var frag; + if (levelDetails.live) { + var initialLiveManifestSize = config.initialLiveManifestSize; + if (fragLen < initialLiveManifestSize) { + this.warn("Not enough fragments to start playback (have: " + fragLen + ", need: " + initialLiveManifestSize + ")"); + return null; + } + // The real fragment start times for a live stream are only known after the PTS range for that level is known. + // In order to discover the range, we load the best matching fragment for that level and demux it. + // Do not load using live logic if the starting frag is requested - we want to use getFragmentAtPosition() so that + // we get the fragment matching that start time + if (!levelDetails.PTSKnown && !this.startFragRequested && this.startPosition === -1 || pos < start) { + frag = this.getInitialLiveFragment(levelDetails, fragments); + this.startPosition = this.nextLoadPosition = frag ? this.hls.liveSyncPosition || frag.start : pos; + } + } else if (pos <= start) { + // VoD playlist: if loadPosition before start of playlist, load first fragment + frag = fragments[0]; + } + + // If we haven't run into any special cases already, just load the fragment most closely matching the requested position + if (!frag) { + var end = config.lowLatencyMode ? levelDetails.partEnd : levelDetails.fragmentEnd; + frag = this.getFragmentAtPosition(pos, end, levelDetails); + } + return this.mapToInitFragWhenRequired(frag); + }; + _proto.isLoopLoading = function isLoopLoading(frag, targetBufferTime) { + var trackerState = this.fragmentTracker.getState(frag); + return (trackerState === FragmentState.OK || trackerState === FragmentState.PARTIAL && !!frag.gap) && this.nextLoadPosition > targetBufferTime; + }; + _proto.getNextFragmentLoopLoading = function getNextFragmentLoopLoading(frag, levelDetails, bufferInfo, playlistType, maxBufLen) { + var gapStart = frag.gap; + var nextFragment = this.getNextFragment(this.nextLoadPosition, levelDetails); + if (nextFragment === null) { + return nextFragment; + } + frag = nextFragment; + if (gapStart && frag && !frag.gap && bufferInfo.nextStart) { + // Media buffered after GAP tags should not make the next buffer timerange exceed forward buffer length + var nextbufferInfo = this.getFwdBufferInfoAtPos(this.mediaBuffer ? this.mediaBuffer : this.media, bufferInfo.nextStart, playlistType); + if (nextbufferInfo !== null && bufferInfo.len + nextbufferInfo.len >= maxBufLen) { + // Returning here might result in not finding an audio and video candiate to skip to + this.log("buffer full after gaps in \"" + playlistType + "\" playlist starting at sn: " + frag.sn); + return null; + } + } + return frag; + }; + _proto.mapToInitFragWhenRequired = function mapToInitFragWhenRequired(frag) { + // If an initSegment is present, it must be buffered first + if (frag != null && frag.initSegment && !(frag != null && frag.initSegment.data) && !this.bitrateTest) { + return frag.initSegment; + } + return frag; + }; + _proto.getNextPart = function getNextPart(partList, frag, targetBufferTime) { + var nextPart = -1; + var contiguous = false; + var independentAttrOmitted = true; + for (var i = 0, len = partList.length; i < len; i++) { + var part = partList[i]; + independentAttrOmitted = independentAttrOmitted && !part.independent; + if (nextPart > -1 && targetBufferTime < part.start) { + break; + } + var loaded = part.loaded; + if (loaded) { + nextPart = -1; + } else if ((contiguous || part.independent || independentAttrOmitted) && part.fragment === frag) { + nextPart = i; + } + contiguous = loaded; + } + return nextPart; + }; + _proto.loadedEndOfParts = function loadedEndOfParts(partList, targetBufferTime) { + var lastPart = partList[partList.length - 1]; + return lastPart && targetBufferTime > lastPart.start && lastPart.loaded; + } + + /* + This method is used find the best matching first fragment for a live playlist. This fragment is used to calculate the + "sliding" of the playlist, which is its offset from the start of playback. After sliding we can compute the real + start and end times for each fragment in the playlist (after which this method will not need to be called). + */; + _proto.getInitialLiveFragment = function getInitialLiveFragment(levelDetails, fragments) { + var fragPrevious = this.fragPrevious; + var frag = null; + if (fragPrevious) { + if (levelDetails.hasProgramDateTime) { + // Prefer using PDT, because it can be accurate enough to choose the correct fragment without knowing the level sliding + this.log("Live playlist, switching playlist, load frag with same PDT: " + fragPrevious.programDateTime); + frag = findFragmentByPDT(fragments, fragPrevious.endProgramDateTime, this.config.maxFragLookUpTolerance); + } + if (!frag) { + // SN does not need to be accurate between renditions, but depending on the packaging it may be so. + var targetSN = fragPrevious.sn + 1; + if (targetSN >= levelDetails.startSN && targetSN <= levelDetails.endSN) { + var fragNext = fragments[targetSN - levelDetails.startSN]; + // Ensure that we're staying within the continuity range, since PTS resets upon a new range + if (fragPrevious.cc === fragNext.cc) { + frag = fragNext; + this.log("Live playlist, switching playlist, load frag with next SN: " + frag.sn); + } + } + // It's important to stay within the continuity range if available; otherwise the fragments in the playlist + // will have the wrong start times + if (!frag) { + frag = findFragWithCC(fragments, fragPrevious.cc); + if (frag) { + this.log("Live playlist, switching playlist, load frag with same CC: " + frag.sn); + } + } + } + } else { + // Find a new start fragment when fragPrevious is null + var liveStart = this.hls.liveSyncPosition; + if (liveStart !== null) { + frag = this.getFragmentAtPosition(liveStart, this.bitrateTest ? levelDetails.fragmentEnd : levelDetails.edge, levelDetails); + } + } + return frag; + } + + /* + This method finds the best matching fragment given the provided position. + */; + _proto.getFragmentAtPosition = function getFragmentAtPosition(bufferEnd, end, levelDetails) { + var config = this.config; + var fragPrevious = this.fragPrevious; + var fragments = levelDetails.fragments, + endSN = levelDetails.endSN; + var fragmentHint = levelDetails.fragmentHint; + var maxFragLookUpTolerance = config.maxFragLookUpTolerance; + var partList = levelDetails.partList; + var loadingParts = !!(config.lowLatencyMode && partList != null && partList.length && fragmentHint); + if (loadingParts && fragmentHint && !this.bitrateTest) { + // Include incomplete fragment with parts at end + fragments = fragments.concat(fragmentHint); + endSN = fragmentHint.sn; + } + var frag; + if (bufferEnd < end) { + var lookupTolerance = bufferEnd > end - maxFragLookUpTolerance ? 0 : maxFragLookUpTolerance; + // Remove the tolerance if it would put the bufferEnd past the actual end of stream + // Uses buffer and sequence number to calculate switch segment (required if using EXT-X-DISCONTINUITY-SEQUENCE) + frag = findFragmentByPTS(fragPrevious, fragments, bufferEnd, lookupTolerance); + } else { + // reach end of playlist + frag = fragments[fragments.length - 1]; + } + if (frag) { + var curSNIdx = frag.sn - levelDetails.startSN; + // Move fragPrevious forward to support forcing the next fragment to load + // when the buffer catches up to a previously buffered range. + var fragState = this.fragmentTracker.getState(frag); + if (fragState === FragmentState.OK || fragState === FragmentState.PARTIAL && frag.gap) { + fragPrevious = frag; + } + if (fragPrevious && frag.sn === fragPrevious.sn && (!loadingParts || partList[0].fragment.sn > frag.sn)) { + // Force the next fragment to load if the previous one was already selected. This can occasionally happen with + // non-uniform fragment durations + var sameLevel = fragPrevious && frag.level === fragPrevious.level; + if (sameLevel) { + var nextFrag = fragments[curSNIdx + 1]; + if (frag.sn < endSN && this.fragmentTracker.getState(nextFrag) !== FragmentState.OK) { + frag = nextFrag; + } else { + frag = null; + } + } + } + } + return frag; + }; + _proto.synchronizeToLiveEdge = function synchronizeToLiveEdge(levelDetails) { + var config = this.config, + media = this.media; + if (!media) { + return; + } + var liveSyncPosition = this.hls.liveSyncPosition; + var currentTime = media.currentTime; + var start = levelDetails.fragments[0].start; + var end = levelDetails.edge; + var withinSlidingWindow = currentTime >= start - config.maxFragLookUpTolerance && currentTime <= end; + // Continue if we can seek forward to sync position or if current time is outside of sliding window + if (liveSyncPosition !== null && media.duration > liveSyncPosition && (currentTime < liveSyncPosition || !withinSlidingWindow)) { + // Continue if buffer is starving or if current time is behind max latency + var maxLatency = config.liveMaxLatencyDuration !== undefined ? config.liveMaxLatencyDuration : config.liveMaxLatencyDurationCount * levelDetails.targetduration; + if (!withinSlidingWindow && media.readyState < 4 || currentTime < end - maxLatency) { + if (!this.loadedmetadata) { + this.nextLoadPosition = liveSyncPosition; + } + // Only seek if ready and there is not a significant forward buffer available for playback + if (media.readyState) { + this.warn("Playback: " + currentTime.toFixed(3) + " is located too far from the end of live sliding playlist: " + end + ", reset currentTime to : " + liveSyncPosition.toFixed(3)); + media.currentTime = liveSyncPosition; + } + } + } + }; + _proto.alignPlaylists = function alignPlaylists(details, previousDetails, switchDetails) { + // FIXME: If not for `shouldAlignOnDiscontinuities` requiring fragPrevious.cc, + // this could all go in level-helper mergeDetails() + var length = details.fragments.length; + if (!length) { + this.warn("No fragments in live playlist"); + return 0; + } + var slidingStart = details.fragments[0].start; + var firstLevelLoad = !previousDetails; + var aligned = details.alignedSliding && isFiniteNumber(slidingStart); + if (firstLevelLoad || !aligned && !slidingStart) { + var fragPrevious = this.fragPrevious; + alignStream(fragPrevious, switchDetails, details); + var alignedSlidingStart = details.fragments[0].start; + this.log("Live playlist sliding: " + alignedSlidingStart.toFixed(2) + " start-sn: " + (previousDetails ? previousDetails.startSN : 'na') + "->" + details.startSN + " prev-sn: " + (fragPrevious ? fragPrevious.sn : 'na') + " fragments: " + length); + return alignedSlidingStart; + } + return slidingStart; + }; + _proto.waitForCdnTuneIn = function waitForCdnTuneIn(details) { + // Wait for Low-Latency CDN Tune-in to get an updated playlist + var advancePartLimit = 3; + return details.live && details.canBlockReload && details.partTarget && details.tuneInGoal > Math.max(details.partHoldBack, details.partTarget * advancePartLimit); + }; + _proto.setStartPosition = function setStartPosition(details, sliding) { + // compute start position if set to -1. use it straight away if value is defined + var startPosition = this.startPosition; + if (startPosition < sliding) { + startPosition = -1; + } + if (startPosition === -1 || this.lastCurrentTime === -1) { + // Use Playlist EXT-X-START:TIME-OFFSET when set + // Prioritize Multivariant Playlist offset so that main, audio, and subtitle stream-controller start times match + var offsetInMultivariantPlaylist = this.startTimeOffset !== null; + var startTimeOffset = offsetInMultivariantPlaylist ? this.startTimeOffset : details.startTimeOffset; + if (startTimeOffset !== null && isFiniteNumber(startTimeOffset)) { + startPosition = sliding + startTimeOffset; + if (startTimeOffset < 0) { + startPosition += details.totalduration; + } + startPosition = Math.min(Math.max(sliding, startPosition), sliding + details.totalduration); + this.log("Start time offset " + startTimeOffset + " found in " + (offsetInMultivariantPlaylist ? 'multivariant' : 'media') + " playlist, adjust startPosition to " + startPosition); + this.startPosition = startPosition; + } else if (details.live) { + // Leave this.startPosition at -1, so that we can use `getInitialLiveFragment` logic when startPosition has + // not been specified via the config or an as an argument to startLoad (#3736). + startPosition = this.hls.liveSyncPosition || sliding; + } else { + this.startPosition = startPosition = 0; + } + this.lastCurrentTime = startPosition; + } + this.nextLoadPosition = startPosition; + }; + _proto.getLoadPosition = function getLoadPosition() { + var media = this.media; + // if we have not yet loaded any fragment, start loading from start position + var pos = 0; + if (this.loadedmetadata && media) { + pos = media.currentTime; + } else if (this.nextLoadPosition) { + pos = this.nextLoadPosition; + } + return pos; + }; + _proto.handleFragLoadAborted = function handleFragLoadAborted(frag, part) { + if (this.transmuxer && frag.sn !== 'initSegment' && frag.stats.aborted) { + this.warn("Fragment " + frag.sn + (part ? ' part ' + part.index : '') + " of level " + frag.level + " was aborted"); + this.resetFragmentLoading(frag); + } + }; + _proto.resetFragmentLoading = function resetFragmentLoading(frag) { + if (!this.fragCurrent || !this.fragContextChanged(frag) && this.state !== State.FRAG_LOADING_WAITING_RETRY) { + this.state = State.IDLE; + } + }; + _proto.onFragmentOrKeyLoadError = function onFragmentOrKeyLoadError(filterType, data) { + if (data.chunkMeta && !data.frag) { + var context = this.getCurrentContext(data.chunkMeta); + if (context) { + data.frag = context.frag; + } + } + var frag = data.frag; + // Handle frag error related to caller's filterType + if (!frag || frag.type !== filterType || !this.levels) { + return; + } + if (this.fragContextChanged(frag)) { + var _this$fragCurrent2; + this.warn("Frag load error must match current frag to retry " + frag.url + " > " + ((_this$fragCurrent2 = this.fragCurrent) == null ? void 0 : _this$fragCurrent2.url)); + return; + } + var gapTagEncountered = data.details === ErrorDetails.FRAG_GAP; + if (gapTagEncountered) { + this.fragmentTracker.fragBuffered(frag, true); + } + // keep retrying until the limit will be reached + var errorAction = data.errorAction; + var _ref2 = errorAction || {}, + action = _ref2.action, + _ref2$retryCount = _ref2.retryCount, + retryCount = _ref2$retryCount === void 0 ? 0 : _ref2$retryCount, + retryConfig = _ref2.retryConfig; + if (errorAction && action === NetworkErrorAction.RetryRequest && retryConfig) { + this.resetStartWhenNotLoaded(this.levelLastLoaded); + var delay = getRetryDelay(retryConfig, retryCount); + this.warn("Fragment " + frag.sn + " of " + filterType + " " + frag.level + " errored with " + data.details + ", retrying loading " + (retryCount + 1) + "/" + retryConfig.maxNumRetry + " in " + delay + "ms"); + errorAction.resolved = true; + this.retryDate = self.performance.now() + delay; + this.state = State.FRAG_LOADING_WAITING_RETRY; + } else if (retryConfig && errorAction) { + this.resetFragmentErrors(filterType); + if (retryCount < retryConfig.maxNumRetry) { + // Network retry is skipped when level switch is preferred + if (!gapTagEncountered && action !== NetworkErrorAction.RemoveAlternatePermanently) { + errorAction.resolved = true; + } + } else { + logger.warn(data.details + " reached or exceeded max retry (" + retryCount + ")"); + return; + } + } else if ((errorAction == null ? void 0 : errorAction.action) === NetworkErrorAction.SendAlternateToPenaltyBox) { + this.state = State.WAITING_LEVEL; + } else { + this.state = State.ERROR; + } + // Perform next async tick sooner to speed up error action resolution + this.tickImmediate(); + }; + _proto.reduceLengthAndFlushBuffer = function reduceLengthAndFlushBuffer(data) { + // if in appending state + if (this.state === State.PARSING || this.state === State.PARSED) { + var frag = data.frag; + var playlistType = data.parent; + var bufferedInfo = this.getFwdBufferInfo(this.mediaBuffer, playlistType); + // 0.5 : tolerance needed as some browsers stalls playback before reaching buffered end + // reduce max buf len if current position is buffered + var buffered = bufferedInfo && bufferedInfo.len > 0.5; + if (buffered) { + this.reduceMaxBufferLength(bufferedInfo.len, (frag == null ? void 0 : frag.duration) || 10); + } + var flushBuffer = !buffered; + if (flushBuffer) { + // current position is not buffered, but browser is still complaining about buffer full error + // this happens on IE/Edge, refer to https://github.com/video-dev/hls.js/pull/708 + // in that case flush the whole audio buffer to recover + this.warn("Buffer full error while media.currentTime is not buffered, flush " + playlistType + " buffer"); + } + if (frag) { + this.fragmentTracker.removeFragment(frag); + this.nextLoadPosition = frag.start; + } + this.resetLoadingState(); + return flushBuffer; + } + return false; + }; + _proto.resetFragmentErrors = function resetFragmentErrors(filterType) { + if (filterType === PlaylistLevelType.AUDIO) { + // Reset current fragment since audio track audio is essential and may not have a fail-over track + this.fragCurrent = null; + } + // Fragment errors that result in a level switch or redundant fail-over + // should reset the stream controller state to idle + if (!this.loadedmetadata) { + this.startFragRequested = false; + } + if (this.state !== State.STOPPED) { + this.state = State.IDLE; + } + }; + _proto.afterBufferFlushed = function afterBufferFlushed(media, bufferType, playlistType) { + if (!media) { + return; + } + // After successful buffer flushing, filter flushed fragments from bufferedFrags use mediaBuffered instead of media + // (so that we will check against video.buffered ranges in case of alt audio track) + var bufferedTimeRanges = BufferHelper.getBuffered(media); + this.fragmentTracker.detectEvictedFragments(bufferType, bufferedTimeRanges, playlistType); + if (this.state === State.ENDED) { + this.resetLoadingState(); + } + }; + _proto.resetLoadingState = function resetLoadingState() { + this.log('Reset loading state'); + this.fragCurrent = null; + this.fragPrevious = null; + this.state = State.IDLE; + }; + _proto.resetStartWhenNotLoaded = function resetStartWhenNotLoaded(level) { + // if loadedmetadata is not set, it means that first frag request failed + // in that case, reset startFragRequested flag + if (!this.loadedmetadata) { + this.startFragRequested = false; + var details = level ? level.details : null; + if (details != null && details.live) { + // Update the start position and return to IDLE to recover live start + this.startPosition = -1; + this.setStartPosition(details, 0); + this.resetLoadingState(); + } else { + this.nextLoadPosition = this.startPosition; + } + } + }; + _proto.resetWhenMissingContext = function resetWhenMissingContext(chunkMeta) { + this.warn("The loading context changed while buffering fragment " + chunkMeta.sn + " of level " + chunkMeta.level + ". This chunk will not be buffered."); + this.removeUnbufferedFrags(); + this.resetStartWhenNotLoaded(this.levelLastLoaded); + this.resetLoadingState(); + }; + _proto.removeUnbufferedFrags = function removeUnbufferedFrags(start) { + if (start === void 0) { + start = 0; + } + this.fragmentTracker.removeFragmentsInRange(start, Infinity, this.playlistType, false, true); + }; + _proto.updateLevelTiming = function updateLevelTiming(frag, part, level, partial) { + var _this6 = this, + _this$transmuxer; + var details = level.details; + if (!details) { + this.warn('level.details undefined'); + return; + } + var parsed = Object.keys(frag.elementaryStreams).reduce(function (result, type) { + var info = frag.elementaryStreams[type]; + if (info) { + var parsedDuration = info.endPTS - info.startPTS; + if (parsedDuration <= 0) { + // Destroy the transmuxer after it's next time offset failed to advance because duration was <= 0. + // The new transmuxer will be configured with a time offset matching the next fragment start, + // preventing the timeline from shifting. + _this6.warn("Could not parse fragment " + frag.sn + " " + type + " duration reliably (" + parsedDuration + ")"); + return result || false; + } + var drift = partial ? 0 : updateFragPTSDTS(details, frag, info.startPTS, info.endPTS, info.startDTS, info.endDTS); + _this6.hls.trigger(Events.LEVEL_PTS_UPDATED, { + details: details, + level: level, + drift: drift, + type: type, + frag: frag, + start: info.startPTS, + end: info.endPTS + }); + return true; + } + return result; + }, false); + if (!parsed && ((_this$transmuxer = this.transmuxer) == null ? void 0 : _this$transmuxer.error) === null) { + var error = new Error("Found no media in fragment " + frag.sn + " of level " + frag.level + " resetting transmuxer to fallback to playlist timing"); + if (level.fragmentError === 0) { + // Mark and track the odd empty segment as a gap to avoid reloading + level.fragmentError++; + frag.gap = true; + this.fragmentTracker.removeFragment(frag); + this.fragmentTracker.fragBuffered(frag, true); + } + this.warn(error.message); + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + fatal: false, + error: error, + frag: frag, + reason: "Found no media in msn " + frag.sn + " of level \"" + level.url + "\"" + }); + if (!this.hls) { + return; + } + this.resetTransmuxer(); + // For this error fallthrough. Marking parsed will allow advancing to next fragment. + } + this.state = State.PARSED; + this.hls.trigger(Events.FRAG_PARSED, { + frag: frag, + part: part + }); + }; + _proto.resetTransmuxer = function resetTransmuxer() { + if (this.transmuxer) { + this.transmuxer.destroy(); + this.transmuxer = null; + } + }; + _proto.recoverWorkerError = function recoverWorkerError(data) { + if (data.event === 'demuxerWorker') { + this.fragmentTracker.removeAllFragments(); + this.resetTransmuxer(); + this.resetStartWhenNotLoaded(this.levelLastLoaded); + this.resetLoadingState(); + } + }; + _createClass(BaseStreamController, [{ + key: "state", + get: function get() { + return this._state; + }, + set: function set(nextState) { + var previousState = this._state; + if (previousState !== nextState) { + this._state = nextState; + this.log(previousState + "->" + nextState); + } + } + }]); + return BaseStreamController; + }(TaskLoop); + + var ChunkCache = /*#__PURE__*/function () { + function ChunkCache() { + this.chunks = []; + this.dataLength = 0; + } + var _proto = ChunkCache.prototype; + _proto.push = function push(chunk) { + this.chunks.push(chunk); + this.dataLength += chunk.length; + }; + _proto.flush = function flush() { + var chunks = this.chunks, + dataLength = this.dataLength; + var result; + if (!chunks.length) { + return new Uint8Array(0); + } else if (chunks.length === 1) { + result = chunks[0]; + } else { + result = concatUint8Arrays(chunks, dataLength); + } + this.reset(); + return result; + }; + _proto.reset = function reset() { + this.chunks.length = 0; + this.dataLength = 0; + }; + return ChunkCache; + }(); + function concatUint8Arrays(chunks, dataLength) { + var result = new Uint8Array(dataLength); + var offset = 0; + for (var i = 0; i < chunks.length; i++) { + var chunk = chunks[i]; + result.set(chunk, offset); + offset += chunk.length; + } + return result; + } + + function dummyTrack(type, inputTimeScale) { + if (type === void 0) { + type = ''; + } + if (inputTimeScale === void 0) { + inputTimeScale = 90000; + } + return { + type: type, + id: -1, + pid: -1, + inputTimeScale: inputTimeScale, + sequenceNumber: -1, + samples: [], + dropped: 0 + }; + } + + var BaseAudioDemuxer = /*#__PURE__*/function () { + function BaseAudioDemuxer() { + this._audioTrack = void 0; + this._id3Track = void 0; + this.frameIndex = 0; + this.cachedData = null; + this.basePTS = null; + this.initPTS = null; + this.lastPTS = null; + } + var _proto = BaseAudioDemuxer.prototype; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, trackDuration) { + this._id3Track = { + type: 'id3', + id: 3, + pid: -1, + inputTimeScale: 90000, + sequenceNumber: 0, + samples: [], + dropped: 0 + }; + }; + _proto.resetTimeStamp = function resetTimeStamp(deaultTimestamp) { + this.initPTS = deaultTimestamp; + this.resetContiguity(); + }; + _proto.resetContiguity = function resetContiguity() { + this.basePTS = null; + this.lastPTS = null; + this.frameIndex = 0; + }; + _proto.canParse = function canParse(data, offset) { + return false; + }; + _proto.appendFrame = function appendFrame(track, data, offset) {} + + // feed incoming data to the front of the parsing pipeline + ; + _proto.demux = function demux(data, timeOffset) { + if (this.cachedData) { + data = appendUint8Array(this.cachedData, data); + this.cachedData = null; + } + var id3Data = getID3Data(data, 0); + var offset = id3Data ? id3Data.length : 0; + var lastDataIndex; + var track = this._audioTrack; + var id3Track = this._id3Track; + var timestamp = id3Data ? getTimeStamp(id3Data) : undefined; + var length = data.length; + if (this.basePTS === null || this.frameIndex === 0 && isFiniteNumber(timestamp)) { + this.basePTS = initPTSFn(timestamp, timeOffset, this.initPTS); + this.lastPTS = this.basePTS; + } + if (this.lastPTS === null) { + this.lastPTS = this.basePTS; + } + + // more expressive than alternative: id3Data?.length + if (id3Data && id3Data.length > 0) { + id3Track.samples.push({ + pts: this.lastPTS, + dts: this.lastPTS, + data: id3Data, + type: MetadataSchema.audioId3, + duration: Number.POSITIVE_INFINITY + }); + } + while (offset < length) { + if (this.canParse(data, offset)) { + var frame = this.appendFrame(track, data, offset); + if (frame) { + this.frameIndex++; + this.lastPTS = frame.sample.pts; + offset += frame.length; + lastDataIndex = offset; + } else { + offset = length; + } + } else if (canParse$2(data, offset)) { + // after a ID3.canParse, a call to ID3.getID3Data *should* always returns some data + id3Data = getID3Data(data, offset); + id3Track.samples.push({ + pts: this.lastPTS, + dts: this.lastPTS, + data: id3Data, + type: MetadataSchema.audioId3, + duration: Number.POSITIVE_INFINITY + }); + offset += id3Data.length; + lastDataIndex = offset; + } else { + offset++; + } + if (offset === length && lastDataIndex !== length) { + var partialData = sliceUint8(data, lastDataIndex); + if (this.cachedData) { + this.cachedData = appendUint8Array(this.cachedData, partialData); + } else { + this.cachedData = partialData; + } + } + } + return { + audioTrack: track, + videoTrack: dummyTrack(), + id3Track: id3Track, + textTrack: dummyTrack() + }; + }; + _proto.demuxSampleAes = function demuxSampleAes(data, keyData, timeOffset) { + return Promise.reject(new Error("[" + this + "] This demuxer does not support Sample-AES decryption")); + }; + _proto.flush = function flush(timeOffset) { + // Parse cache in case of remaining frames. + var cachedData = this.cachedData; + if (cachedData) { + this.cachedData = null; + this.demux(cachedData, 0); + } + return { + audioTrack: this._audioTrack, + videoTrack: dummyTrack(), + id3Track: this._id3Track, + textTrack: dummyTrack() + }; + }; + _proto.destroy = function destroy() {}; + return BaseAudioDemuxer; + }(); + /** + * Initialize PTS + * <p> + * use timestamp unless it is undefined, NaN or Infinity + * </p> + */ + var initPTSFn = function initPTSFn(timestamp, timeOffset, initPTS) { + if (isFiniteNumber(timestamp)) { + return timestamp * 90; + } + var init90kHz = initPTS ? initPTS.baseTime * 90000 / initPTS.timescale : 0; + return timeOffset * 90000 + init90kHz; + }; + + /** + * ADTS parser helper + * @link https://wiki.multimedia.cx/index.php?title=ADTS + */ + function getAudioConfig(observer, data, offset, audioCodec) { + var adtsObjectType; + var adtsExtensionSamplingIndex; + var adtsChannelConfig; + var config; + var userAgent = navigator.userAgent.toLowerCase(); + var manifestCodec = audioCodec; + var adtsSamplingRates = [96000, 88200, 64000, 48000, 44100, 32000, 24000, 22050, 16000, 12000, 11025, 8000, 7350]; + // byte 2 + adtsObjectType = ((data[offset + 2] & 0xc0) >>> 6) + 1; + var adtsSamplingIndex = (data[offset + 2] & 0x3c) >>> 2; + if (adtsSamplingIndex > adtsSamplingRates.length - 1) { + var error = new Error("invalid ADTS sampling index:" + adtsSamplingIndex); + observer.emit(Events.ERROR, Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + fatal: true, + error: error, + reason: error.message + }); + return; + } + adtsChannelConfig = (data[offset + 2] & 0x01) << 2; + // byte 3 + adtsChannelConfig |= (data[offset + 3] & 0xc0) >>> 6; + logger.log("manifest codec:" + audioCodec + ", ADTS type:" + adtsObjectType + ", samplingIndex:" + adtsSamplingIndex); + // firefox: freq less than 24kHz = AAC SBR (HE-AAC) + if (/firefox/i.test(userAgent)) { + if (adtsSamplingIndex >= 6) { + adtsObjectType = 5; + config = new Array(4); + // HE-AAC uses SBR (Spectral Band Replication) , high frequencies are constructed from low frequencies + // there is a factor 2 between frame sample rate and output sample rate + // multiply frequency by 2 (see table below, equivalent to substract 3) + adtsExtensionSamplingIndex = adtsSamplingIndex - 3; + } else { + adtsObjectType = 2; + config = new Array(2); + adtsExtensionSamplingIndex = adtsSamplingIndex; + } + // Android : always use AAC + } else if (userAgent.indexOf('android') !== -1) { + adtsObjectType = 2; + config = new Array(2); + adtsExtensionSamplingIndex = adtsSamplingIndex; + } else { + /* for other browsers (Chrome/Vivaldi/Opera ...) + always force audio type to be HE-AAC SBR, as some browsers do not support audio codec switch properly (like Chrome ...) + */ + adtsObjectType = 5; + config = new Array(4); + // if (manifest codec is HE-AAC or HE-AACv2) OR (manifest codec not specified AND frequency less than 24kHz) + if (audioCodec && (audioCodec.indexOf('mp4a.40.29') !== -1 || audioCodec.indexOf('mp4a.40.5') !== -1) || !audioCodec && adtsSamplingIndex >= 6) { + // HE-AAC uses SBR (Spectral Band Replication) , high frequencies are constructed from low frequencies + // there is a factor 2 between frame sample rate and output sample rate + // multiply frequency by 2 (see table below, equivalent to substract 3) + adtsExtensionSamplingIndex = adtsSamplingIndex - 3; + } else { + // if (manifest codec is AAC) AND (frequency less than 24kHz AND nb channel is 1) OR (manifest codec not specified and mono audio) + // Chrome fails to play back with low frequency AAC LC mono when initialized with HE-AAC. This is not a problem with stereo. + if (audioCodec && audioCodec.indexOf('mp4a.40.2') !== -1 && (adtsSamplingIndex >= 6 && adtsChannelConfig === 1 || /vivaldi/i.test(userAgent)) || !audioCodec && adtsChannelConfig === 1) { + adtsObjectType = 2; + config = new Array(2); + } + adtsExtensionSamplingIndex = adtsSamplingIndex; + } + } + /* refer to http://wiki.multimedia.cx/index.php?title=MPEG-4_Audio#Audio_Specific_Config + ISO 14496-3 (AAC).pdf - Table 1.13 — Syntax of AudioSpecificConfig() + Audio Profile / Audio Object Type + 0: Null + 1: AAC Main + 2: AAC LC (Low Complexity) + 3: AAC SSR (Scalable Sample Rate) + 4: AAC LTP (Long Term Prediction) + 5: SBR (Spectral Band Replication) + 6: AAC Scalable + sampling freq + 0: 96000 Hz + 1: 88200 Hz + 2: 64000 Hz + 3: 48000 Hz + 4: 44100 Hz + 5: 32000 Hz + 6: 24000 Hz + 7: 22050 Hz + 8: 16000 Hz + 9: 12000 Hz + 10: 11025 Hz + 11: 8000 Hz + 12: 7350 Hz + 13: Reserved + 14: Reserved + 15: frequency is written explictly + Channel Configurations + These are the channel configurations: + 0: Defined in AOT Specifc Config + 1: 1 channel: front-center + 2: 2 channels: front-left, front-right + */ + // audioObjectType = profile => profile, the MPEG-4 Audio Object Type minus 1 + config[0] = adtsObjectType << 3; + // samplingFrequencyIndex + config[0] |= (adtsSamplingIndex & 0x0e) >> 1; + config[1] |= (adtsSamplingIndex & 0x01) << 7; + // channelConfiguration + config[1] |= adtsChannelConfig << 3; + if (adtsObjectType === 5) { + // adtsExtensionSamplingIndex + config[1] |= (adtsExtensionSamplingIndex & 0x0e) >> 1; + config[2] = (adtsExtensionSamplingIndex & 0x01) << 7; + // adtsObjectType (force to 2, chrome is checking that object type is less than 5 ??? + // https://chromium.googlesource.com/chromium/src.git/+/master/media/formats/mp4/aac.cc + config[2] |= 2 << 2; + config[3] = 0; + } + return { + config: config, + samplerate: adtsSamplingRates[adtsSamplingIndex], + channelCount: adtsChannelConfig, + codec: 'mp4a.40.' + adtsObjectType, + manifestCodec: manifestCodec + }; + } + function isHeaderPattern$1(data, offset) { + return data[offset] === 0xff && (data[offset + 1] & 0xf6) === 0xf0; + } + function getHeaderLength(data, offset) { + return data[offset + 1] & 0x01 ? 7 : 9; + } + function getFullFrameLength(data, offset) { + return (data[offset + 3] & 0x03) << 11 | data[offset + 4] << 3 | (data[offset + 5] & 0xe0) >>> 5; + } + function canGetFrameLength(data, offset) { + return offset + 5 < data.length; + } + function isHeader$1(data, offset) { + // Look for ADTS header | 1111 1111 | 1111 X00X | where X can be either 0 or 1 + // Layer bits (position 14 and 15) in header should be always 0 for ADTS + // More info https://wiki.multimedia.cx/index.php?title=ADTS + return offset + 1 < data.length && isHeaderPattern$1(data, offset); + } + function canParse$1(data, offset) { + return canGetFrameLength(data, offset) && isHeaderPattern$1(data, offset) && getFullFrameLength(data, offset) <= data.length - offset; + } + function probe$1(data, offset) { + // same as isHeader but we also check that ADTS frame follows last ADTS frame + // or end of data is reached + if (isHeader$1(data, offset)) { + // ADTS header Length + var headerLength = getHeaderLength(data, offset); + if (offset + headerLength >= data.length) { + return false; + } + // ADTS frame Length + var frameLength = getFullFrameLength(data, offset); + if (frameLength <= headerLength) { + return false; + } + var newOffset = offset + frameLength; + return newOffset === data.length || isHeader$1(data, newOffset); + } + return false; + } + function initTrackConfig(track, observer, data, offset, audioCodec) { + if (!track.samplerate) { + var config = getAudioConfig(observer, data, offset, audioCodec); + if (!config) { + return; + } + track.config = config.config; + track.samplerate = config.samplerate; + track.channelCount = config.channelCount; + track.codec = config.codec; + track.manifestCodec = config.manifestCodec; + logger.log("parsed codec:" + track.codec + ", rate:" + config.samplerate + ", channels:" + config.channelCount); + } + } + function getFrameDuration(samplerate) { + return 1024 * 90000 / samplerate; + } + function parseFrameHeader(data, offset) { + // The protection skip bit tells us if we have 2 bytes of CRC data at the end of the ADTS header + var headerLength = getHeaderLength(data, offset); + if (offset + headerLength <= data.length) { + // retrieve frame size + var frameLength = getFullFrameLength(data, offset) - headerLength; + if (frameLength > 0) { + // logger.log(`AAC frame, offset/length/total/pts:${offset+headerLength}/${frameLength}/${data.byteLength}`); + return { + headerLength: headerLength, + frameLength: frameLength + }; + } + } + } + function appendFrame$1(track, data, offset, pts, frameIndex) { + var frameDuration = getFrameDuration(track.samplerate); + var stamp = pts + frameIndex * frameDuration; + var header = parseFrameHeader(data, offset); + var unit; + if (header) { + var frameLength = header.frameLength, + headerLength = header.headerLength; + var _length = headerLength + frameLength; + var missing = Math.max(0, offset + _length - data.length); + // logger.log(`AAC frame ${frameIndex}, pts:${stamp} length@offset/total: ${frameLength}@${offset+headerLength}/${data.byteLength} missing: ${missing}`); + if (missing) { + unit = new Uint8Array(_length - headerLength); + unit.set(data.subarray(offset + headerLength, data.length), 0); + } else { + unit = data.subarray(offset + headerLength, offset + _length); + } + var _sample = { + unit: unit, + pts: stamp + }; + if (!missing) { + track.samples.push(_sample); + } + return { + sample: _sample, + length: _length, + missing: missing + }; + } + // overflow incomplete header + var length = data.length - offset; + unit = new Uint8Array(length); + unit.set(data.subarray(offset, data.length), 0); + var sample = { + unit: unit, + pts: stamp + }; + return { + sample: sample, + length: length, + missing: -1 + }; + } + + /** + * MPEG parser helper + */ + + var chromeVersion$1 = null; + var BitratesMap = [32, 64, 96, 128, 160, 192, 224, 256, 288, 320, 352, 384, 416, 448, 32, 48, 56, 64, 80, 96, 112, 128, 160, 192, 224, 256, 320, 384, 32, 40, 48, 56, 64, 80, 96, 112, 128, 160, 192, 224, 256, 320, 32, 48, 56, 64, 80, 96, 112, 128, 144, 160, 176, 192, 224, 256, 8, 16, 24, 32, 40, 48, 56, 64, 80, 96, 112, 128, 144, 160]; + var SamplingRateMap = [44100, 48000, 32000, 22050, 24000, 16000, 11025, 12000, 8000]; + var SamplesCoefficients = [ + // MPEG 2.5 + [0, + // Reserved + 72, + // Layer3 + 144, + // Layer2 + 12 // Layer1 + ], + // Reserved + [0, + // Reserved + 0, + // Layer3 + 0, + // Layer2 + 0 // Layer1 + ], + // MPEG 2 + [0, + // Reserved + 72, + // Layer3 + 144, + // Layer2 + 12 // Layer1 + ], + // MPEG 1 + [0, + // Reserved + 144, + // Layer3 + 144, + // Layer2 + 12 // Layer1 + ]]; + var BytesInSlot = [0, + // Reserved + 1, + // Layer3 + 1, + // Layer2 + 4 // Layer1 + ]; + function appendFrame(track, data, offset, pts, frameIndex) { + // Using http://www.datavoyage.com/mpgscript/mpeghdr.htm as a reference + if (offset + 24 > data.length) { + return; + } + var header = parseHeader(data, offset); + if (header && offset + header.frameLength <= data.length) { + var frameDuration = header.samplesPerFrame * 90000 / header.sampleRate; + var stamp = pts + frameIndex * frameDuration; + var sample = { + unit: data.subarray(offset, offset + header.frameLength), + pts: stamp, + dts: stamp + }; + track.config = []; + track.channelCount = header.channelCount; + track.samplerate = header.sampleRate; + track.samples.push(sample); + return { + sample: sample, + length: header.frameLength, + missing: 0 + }; + } + } + function parseHeader(data, offset) { + var mpegVersion = data[offset + 1] >> 3 & 3; + var mpegLayer = data[offset + 1] >> 1 & 3; + var bitRateIndex = data[offset + 2] >> 4 & 15; + var sampleRateIndex = data[offset + 2] >> 2 & 3; + if (mpegVersion !== 1 && bitRateIndex !== 0 && bitRateIndex !== 15 && sampleRateIndex !== 3) { + var paddingBit = data[offset + 2] >> 1 & 1; + var channelMode = data[offset + 3] >> 6; + var columnInBitrates = mpegVersion === 3 ? 3 - mpegLayer : mpegLayer === 3 ? 3 : 4; + var bitRate = BitratesMap[columnInBitrates * 14 + bitRateIndex - 1] * 1000; + var columnInSampleRates = mpegVersion === 3 ? 0 : mpegVersion === 2 ? 1 : 2; + var sampleRate = SamplingRateMap[columnInSampleRates * 3 + sampleRateIndex]; + var channelCount = channelMode === 3 ? 1 : 2; // If bits of channel mode are `11` then it is a single channel (Mono) + var sampleCoefficient = SamplesCoefficients[mpegVersion][mpegLayer]; + var bytesInSlot = BytesInSlot[mpegLayer]; + var samplesPerFrame = sampleCoefficient * 8 * bytesInSlot; + var frameLength = Math.floor(sampleCoefficient * bitRate / sampleRate + paddingBit) * bytesInSlot; + if (chromeVersion$1 === null) { + var userAgent = navigator.userAgent || ''; + var result = userAgent.match(/Chrome\/(\d+)/i); + chromeVersion$1 = result ? parseInt(result[1]) : 0; + } + var needChromeFix = !!chromeVersion$1 && chromeVersion$1 <= 87; + if (needChromeFix && mpegLayer === 2 && bitRate >= 224000 && channelMode === 0) { + // Work around bug in Chromium by setting channelMode to dual-channel (01) instead of stereo (00) + data[offset + 3] = data[offset + 3] | 0x80; + } + return { + sampleRate: sampleRate, + channelCount: channelCount, + frameLength: frameLength, + samplesPerFrame: samplesPerFrame + }; + } + } + function isHeaderPattern(data, offset) { + return data[offset] === 0xff && (data[offset + 1] & 0xe0) === 0xe0 && (data[offset + 1] & 0x06) !== 0x00; + } + function isHeader(data, offset) { + // Look for MPEG header | 1111 1111 | 111X XYZX | where X can be either 0 or 1 and Y or Z should be 1 + // Layer bits (position 14 and 15) in header should be always different from 0 (Layer I or Layer II or Layer III) + // More info http://www.mp3-tech.org/programmer/frame_header.html + return offset + 1 < data.length && isHeaderPattern(data, offset); + } + function canParse(data, offset) { + var headerSize = 4; + return isHeaderPattern(data, offset) && headerSize <= data.length - offset; + } + function probe(data, offset) { + // same as isHeader but we also check that MPEG frame follows last MPEG frame + // or end of data is reached + if (offset + 1 < data.length && isHeaderPattern(data, offset)) { + // MPEG header Length + var headerLength = 4; + // MPEG frame Length + var header = parseHeader(data, offset); + var frameLength = headerLength; + if (header != null && header.frameLength) { + frameLength = header.frameLength; + } + var newOffset = offset + frameLength; + return newOffset === data.length || isHeader(data, newOffset); + } + return false; + } + + var AACDemuxer = /*#__PURE__*/function (_BaseAudioDemuxer) { + _inheritsLoose(AACDemuxer, _BaseAudioDemuxer); + function AACDemuxer(observer, config) { + var _this; + _this = _BaseAudioDemuxer.call(this) || this; + _this.observer = void 0; + _this.config = void 0; + _this.observer = observer; + _this.config = config; + return _this; + } + var _proto = AACDemuxer.prototype; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, trackDuration) { + _BaseAudioDemuxer.prototype.resetInitSegment.call(this, initSegment, audioCodec, videoCodec, trackDuration); + this._audioTrack = { + container: 'audio/adts', + type: 'audio', + id: 2, + pid: -1, + sequenceNumber: 0, + segmentCodec: 'aac', + samples: [], + manifestCodec: audioCodec, + duration: trackDuration, + inputTimeScale: 90000, + dropped: 0 + }; + } + + // Source for probe info - https://wiki.multimedia.cx/index.php?title=ADTS + ; + AACDemuxer.probe = function probe$2(data) { + if (!data) { + return false; + } + + // Check for the ADTS sync word + // Look for ADTS header | 1111 1111 | 1111 X00X | where X can be either 0 or 1 + // Layer bits (position 14 and 15) in header should be always 0 for ADTS + // More info https://wiki.multimedia.cx/index.php?title=ADTS + var id3Data = getID3Data(data, 0); + var offset = (id3Data == null ? void 0 : id3Data.length) || 0; + if (probe(data, offset)) { + return false; + } + for (var length = data.length; offset < length; offset++) { + if (probe$1(data, offset)) { + logger.log('ADTS sync word found !'); + return true; + } + } + return false; + }; + _proto.canParse = function canParse(data, offset) { + return canParse$1(data, offset); + }; + _proto.appendFrame = function appendFrame(track, data, offset) { + initTrackConfig(track, this.observer, data, offset, track.manifestCodec); + var frame = appendFrame$1(track, data, offset, this.basePTS, this.frameIndex); + if (frame && frame.missing === 0) { + return frame; + } + }; + return AACDemuxer; + }(BaseAudioDemuxer); + + var emsgSchemePattern = /\/emsg[-/]ID3/i; + var MP4Demuxer = /*#__PURE__*/function () { + function MP4Demuxer(observer, config) { + this.remainderData = null; + this.timeOffset = 0; + this.config = void 0; + this.videoTrack = void 0; + this.audioTrack = void 0; + this.id3Track = void 0; + this.txtTrack = void 0; + this.config = config; + } + var _proto = MP4Demuxer.prototype; + _proto.resetTimeStamp = function resetTimeStamp() {}; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, trackDuration) { + var videoTrack = this.videoTrack = dummyTrack('video', 1); + var audioTrack = this.audioTrack = dummyTrack('audio', 1); + var captionTrack = this.txtTrack = dummyTrack('text', 1); + this.id3Track = dummyTrack('id3', 1); + this.timeOffset = 0; + if (!(initSegment != null && initSegment.byteLength)) { + return; + } + var initData = parseInitSegment(initSegment); + if (initData.video) { + var _initData$video = initData.video, + id = _initData$video.id, + timescale = _initData$video.timescale, + codec = _initData$video.codec; + videoTrack.id = id; + videoTrack.timescale = captionTrack.timescale = timescale; + videoTrack.codec = codec; + } + if (initData.audio) { + var _initData$audio = initData.audio, + _id = _initData$audio.id, + _timescale = _initData$audio.timescale, + _codec = _initData$audio.codec; + audioTrack.id = _id; + audioTrack.timescale = _timescale; + audioTrack.codec = _codec; + } + captionTrack.id = RemuxerTrackIdConfig.text; + videoTrack.sampleDuration = 0; + videoTrack.duration = audioTrack.duration = trackDuration; + }; + _proto.resetContiguity = function resetContiguity() { + this.remainderData = null; + }; + MP4Demuxer.probe = function probe(data) { + return hasMoofData(data); + }; + _proto.demux = function demux(data, timeOffset) { + this.timeOffset = timeOffset; + // Load all data into the avc track. The CMAF remuxer will look for the data in the samples object; the rest of the fields do not matter + var videoSamples = data; + var videoTrack = this.videoTrack; + var textTrack = this.txtTrack; + if (this.config.progressive) { + // Split the bytestream into two ranges: one encompassing all data up until the start of the last moof, and everything else. + // This is done to guarantee that we're sending valid data to MSE - when demuxing progressively, we have no guarantee + // that the fetch loader gives us flush moof+mdat pairs. If we push jagged data to MSE, it will throw an exception. + if (this.remainderData) { + videoSamples = appendUint8Array(this.remainderData, data); + } + var segmentedData = segmentValidRange(videoSamples); + this.remainderData = segmentedData.remainder; + videoTrack.samples = segmentedData.valid || new Uint8Array(); + } else { + videoTrack.samples = videoSamples; + } + var id3Track = this.extractID3Track(videoTrack, timeOffset); + textTrack.samples = parseSamples(timeOffset, videoTrack); + return { + videoTrack: videoTrack, + audioTrack: this.audioTrack, + id3Track: id3Track, + textTrack: this.txtTrack + }; + }; + _proto.flush = function flush() { + var timeOffset = this.timeOffset; + var videoTrack = this.videoTrack; + var textTrack = this.txtTrack; + videoTrack.samples = this.remainderData || new Uint8Array(); + this.remainderData = null; + var id3Track = this.extractID3Track(videoTrack, this.timeOffset); + textTrack.samples = parseSamples(timeOffset, videoTrack); + return { + videoTrack: videoTrack, + audioTrack: dummyTrack(), + id3Track: id3Track, + textTrack: dummyTrack() + }; + }; + _proto.extractID3Track = function extractID3Track(videoTrack, timeOffset) { + var id3Track = this.id3Track; + if (videoTrack.samples.length) { + var emsgs = findBox(videoTrack.samples, ['emsg']); + if (emsgs) { + emsgs.forEach(function (data) { + var emsgInfo = parseEmsg(data); + if (emsgSchemePattern.test(emsgInfo.schemeIdUri)) { + var pts = isFiniteNumber(emsgInfo.presentationTime) ? emsgInfo.presentationTime / emsgInfo.timeScale : timeOffset + emsgInfo.presentationTimeDelta / emsgInfo.timeScale; + var duration = emsgInfo.eventDuration === 0xffffffff ? Number.POSITIVE_INFINITY : emsgInfo.eventDuration / emsgInfo.timeScale; + // Safari takes anything <= 0.001 seconds and maps it to Infinity + if (duration <= 0.001) { + duration = Number.POSITIVE_INFINITY; + } + var payload = emsgInfo.payload; + id3Track.samples.push({ + data: payload, + len: payload.byteLength, + dts: pts, + pts: pts, + type: MetadataSchema.emsg, + duration: duration + }); + } + }); + } + } + return id3Track; + }; + _proto.demuxSampleAes = function demuxSampleAes(data, keyData, timeOffset) { + return Promise.reject(new Error('The MP4 demuxer does not support SAMPLE-AES decryption')); + }; + _proto.destroy = function destroy() {}; + return MP4Demuxer; + }(); + + var getAudioBSID = function getAudioBSID(data, offset) { + // check the bsid to confirm ac-3 | ec-3 + var bsid = 0; + var numBits = 5; + offset += numBits; + var temp = new Uint32Array(1); // unsigned 32 bit for temporary storage + var mask = new Uint32Array(1); // unsigned 32 bit mask value + var _byte = new Uint8Array(1); // unsigned 8 bit for temporary storage + while (numBits > 0) { + _byte[0] = data[offset]; + // read remaining bits, upto 8 bits at a time + var bits = Math.min(numBits, 8); + var shift = 8 - bits; + mask[0] = 0xff000000 >>> 24 + shift << shift; + temp[0] = (_byte[0] & mask[0]) >> shift; + bsid = !bsid ? temp[0] : bsid << bits | temp[0]; + offset += 1; + numBits -= bits; + } + return bsid; + }; + + var AC3Demuxer = /*#__PURE__*/function (_BaseAudioDemuxer) { + _inheritsLoose(AC3Demuxer, _BaseAudioDemuxer); + function AC3Demuxer(observer) { + var _this; + _this = _BaseAudioDemuxer.call(this) || this; + _this.observer = void 0; + _this.observer = observer; + return _this; + } + var _proto = AC3Demuxer.prototype; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, trackDuration) { + _BaseAudioDemuxer.prototype.resetInitSegment.call(this, initSegment, audioCodec, videoCodec, trackDuration); + this._audioTrack = { + container: 'audio/ac-3', + type: 'audio', + id: 2, + pid: -1, + sequenceNumber: 0, + segmentCodec: 'ac3', + samples: [], + manifestCodec: audioCodec, + duration: trackDuration, + inputTimeScale: 90000, + dropped: 0 + }; + }; + _proto.canParse = function canParse(data, offset) { + return offset + 64 < data.length; + }; + _proto.appendFrame = function appendFrame(track, data, offset) { + var frameLength = _appendFrame(track, data, offset, this.basePTS, this.frameIndex); + if (frameLength !== -1) { + var sample = track.samples[track.samples.length - 1]; + return { + sample: sample, + length: frameLength, + missing: 0 + }; + } + }; + AC3Demuxer.probe = function probe(data) { + if (!data) { + return false; + } + var id3Data = getID3Data(data, 0); + if (!id3Data) { + return false; + } + + // look for the ac-3 sync bytes + var offset = id3Data.length; + if (data[offset] === 0x0b && data[offset + 1] === 0x77 && getTimeStamp(id3Data) !== undefined && + // check the bsid to confirm ac-3 + getAudioBSID(data, offset) < 16) { + return true; + } + return false; + }; + return AC3Demuxer; + }(BaseAudioDemuxer); + function _appendFrame(track, data, start, pts, frameIndex) { + if (start + 8 > data.length) { + return -1; // not enough bytes left + } + if (data[start] !== 0x0b || data[start + 1] !== 0x77) { + return -1; // invalid magic + } + + // get sample rate + var samplingRateCode = data[start + 4] >> 6; + if (samplingRateCode >= 3) { + return -1; // invalid sampling rate + } + var samplingRateMap = [48000, 44100, 32000]; + var sampleRate = samplingRateMap[samplingRateCode]; + + // get frame size + var frameSizeCode = data[start + 4] & 0x3f; + var frameSizeMap = [64, 69, 96, 64, 70, 96, 80, 87, 120, 80, 88, 120, 96, 104, 144, 96, 105, 144, 112, 121, 168, 112, 122, 168, 128, 139, 192, 128, 140, 192, 160, 174, 240, 160, 175, 240, 192, 208, 288, 192, 209, 288, 224, 243, 336, 224, 244, 336, 256, 278, 384, 256, 279, 384, 320, 348, 480, 320, 349, 480, 384, 417, 576, 384, 418, 576, 448, 487, 672, 448, 488, 672, 512, 557, 768, 512, 558, 768, 640, 696, 960, 640, 697, 960, 768, 835, 1152, 768, 836, 1152, 896, 975, 1344, 896, 976, 1344, 1024, 1114, 1536, 1024, 1115, 1536, 1152, 1253, 1728, 1152, 1254, 1728, 1280, 1393, 1920, 1280, 1394, 1920]; + var frameLength = frameSizeMap[frameSizeCode * 3 + samplingRateCode] * 2; + if (start + frameLength > data.length) { + return -1; + } + + // get channel count + var channelMode = data[start + 6] >> 5; + var skipCount = 0; + if (channelMode === 2) { + skipCount += 2; + } else { + if (channelMode & 1 && channelMode !== 1) { + skipCount += 2; + } + if (channelMode & 4) { + skipCount += 2; + } + } + var lfeon = (data[start + 6] << 8 | data[start + 7]) >> 12 - skipCount & 1; + var channelsMap = [2, 1, 2, 3, 3, 4, 4, 5]; + var channelCount = channelsMap[channelMode] + lfeon; + + // build dac3 box + var bsid = data[start + 5] >> 3; + var bsmod = data[start + 5] & 7; + var config = new Uint8Array([samplingRateCode << 6 | bsid << 1 | bsmod >> 2, (bsmod & 3) << 6 | channelMode << 3 | lfeon << 2 | frameSizeCode >> 4, frameSizeCode << 4 & 0xe0]); + var frameDuration = 1536 / sampleRate * 90000; + var stamp = pts + frameIndex * frameDuration; + var unit = data.subarray(start, start + frameLength); + track.config = config; + track.channelCount = channelCount; + track.samplerate = sampleRate; + track.samples.push({ + unit: unit, + pts: stamp + }); + return frameLength; + } + + var BaseVideoParser = /*#__PURE__*/function () { + function BaseVideoParser() { + this.VideoSample = null; + } + var _proto = BaseVideoParser.prototype; + _proto.createVideoSample = function createVideoSample(key, pts, dts, debug) { + return { + key: key, + frame: false, + pts: pts, + dts: dts, + units: [], + debug: debug, + length: 0 + }; + }; + _proto.getLastNalUnit = function getLastNalUnit(samples) { + var _VideoSample; + var VideoSample = this.VideoSample; + var lastUnit; + // try to fallback to previous sample if current one is empty + if (!VideoSample || VideoSample.units.length === 0) { + VideoSample = samples[samples.length - 1]; + } + if ((_VideoSample = VideoSample) != null && _VideoSample.units) { + var units = VideoSample.units; + lastUnit = units[units.length - 1]; + } + return lastUnit; + }; + _proto.pushAccessUnit = function pushAccessUnit(VideoSample, videoTrack) { + if (VideoSample.units.length && VideoSample.frame) { + // if sample does not have PTS/DTS, patch with last sample PTS/DTS + if (VideoSample.pts === undefined) { + var samples = videoTrack.samples; + var nbSamples = samples.length; + if (nbSamples) { + var lastSample = samples[nbSamples - 1]; + VideoSample.pts = lastSample.pts; + VideoSample.dts = lastSample.dts; + } else { + // dropping samples, no timestamp found + videoTrack.dropped++; + return; + } + } + videoTrack.samples.push(VideoSample); + } + if (VideoSample.debug.length) { + logger.log(VideoSample.pts + '/' + VideoSample.dts + ':' + VideoSample.debug); + } + }; + return BaseVideoParser; + }(); + + /** + * Parser for exponential Golomb codes, a variable-bitwidth number encoding scheme used by h264. + */ + + var ExpGolomb = /*#__PURE__*/function () { + function ExpGolomb(data) { + this.data = void 0; + this.bytesAvailable = void 0; + this.word = void 0; + this.bitsAvailable = void 0; + this.data = data; + // the number of bytes left to examine in this.data + this.bytesAvailable = data.byteLength; + // the current word being examined + this.word = 0; // :uint + // the number of bits left to examine in the current word + this.bitsAvailable = 0; // :uint + } + + // ():void + var _proto = ExpGolomb.prototype; + _proto.loadWord = function loadWord() { + var data = this.data; + var bytesAvailable = this.bytesAvailable; + var position = data.byteLength - bytesAvailable; + var workingBytes = new Uint8Array(4); + var availableBytes = Math.min(4, bytesAvailable); + if (availableBytes === 0) { + throw new Error('no bytes available'); + } + workingBytes.set(data.subarray(position, position + availableBytes)); + this.word = new DataView(workingBytes.buffer).getUint32(0); + // track the amount of this.data that has been processed + this.bitsAvailable = availableBytes * 8; + this.bytesAvailable -= availableBytes; + } + + // (count:int):void + ; + _proto.skipBits = function skipBits(count) { + var skipBytes; // :int + count = Math.min(count, this.bytesAvailable * 8 + this.bitsAvailable); + if (this.bitsAvailable > count) { + this.word <<= count; + this.bitsAvailable -= count; + } else { + count -= this.bitsAvailable; + skipBytes = count >> 3; + count -= skipBytes << 3; + this.bytesAvailable -= skipBytes; + this.loadWord(); + this.word <<= count; + this.bitsAvailable -= count; + } + } + + // (size:int):uint + ; + _proto.readBits = function readBits(size) { + var bits = Math.min(this.bitsAvailable, size); // :uint + var valu = this.word >>> 32 - bits; // :uint + if (size > 32) { + logger.error('Cannot read more than 32 bits at a time'); + } + this.bitsAvailable -= bits; + if (this.bitsAvailable > 0) { + this.word <<= bits; + } else if (this.bytesAvailable > 0) { + this.loadWord(); + } else { + throw new Error('no bits available'); + } + bits = size - bits; + if (bits > 0 && this.bitsAvailable) { + return valu << bits | this.readBits(bits); + } else { + return valu; + } + } + + // ():uint + ; + _proto.skipLZ = function skipLZ() { + var leadingZeroCount; // :uint + for (leadingZeroCount = 0; leadingZeroCount < this.bitsAvailable; ++leadingZeroCount) { + if ((this.word & 0x80000000 >>> leadingZeroCount) !== 0) { + // the first bit of working word is 1 + this.word <<= leadingZeroCount; + this.bitsAvailable -= leadingZeroCount; + return leadingZeroCount; + } + } + // we exhausted word and still have not found a 1 + this.loadWord(); + return leadingZeroCount + this.skipLZ(); + } + + // ():void + ; + _proto.skipUEG = function skipUEG() { + this.skipBits(1 + this.skipLZ()); + } + + // ():void + ; + _proto.skipEG = function skipEG() { + this.skipBits(1 + this.skipLZ()); + } + + // ():uint + ; + _proto.readUEG = function readUEG() { + var clz = this.skipLZ(); // :uint + return this.readBits(clz + 1) - 1; + } + + // ():int + ; + _proto.readEG = function readEG() { + var valu = this.readUEG(); // :int + if (0x01 & valu) { + // the number is odd if the low order bit is set + return 1 + valu >>> 1; // add 1 to make it even, and divide by 2 + } else { + return -1 * (valu >>> 1); // divide by two then make it negative + } + } + + // Some convenience functions + // :Boolean + ; + _proto.readBoolean = function readBoolean() { + return this.readBits(1) === 1; + } + + // ():int + ; + _proto.readUByte = function readUByte() { + return this.readBits(8); + } + + // ():int + ; + _proto.readUShort = function readUShort() { + return this.readBits(16); + } + + // ():int + ; + _proto.readUInt = function readUInt() { + return this.readBits(32); + } + + /** + * Advance the ExpGolomb decoder past a scaling list. The scaling + * list is optionally transmitted as part of a sequence parameter + * set and is not relevant to transmuxing. + * @param count the number of entries in this scaling list + * @see Recommendation ITU-T H.264, Section 7.3.2.1.1.1 + */; + _proto.skipScalingList = function skipScalingList(count) { + var lastScale = 8; + var nextScale = 8; + var deltaScale; + for (var j = 0; j < count; j++) { + if (nextScale !== 0) { + deltaScale = this.readEG(); + nextScale = (lastScale + deltaScale + 256) % 256; + } + lastScale = nextScale === 0 ? lastScale : nextScale; + } + } + + /** + * Read a sequence parameter set and return some interesting video + * properties. A sequence parameter set is the H264 metadata that + * describes the properties of upcoming video frames. + * @returns an object with configuration parsed from the + * sequence parameter set, including the dimensions of the + * associated video frames. + */; + _proto.readSPS = function readSPS() { + var frameCropLeftOffset = 0; + var frameCropRightOffset = 0; + var frameCropTopOffset = 0; + var frameCropBottomOffset = 0; + var numRefFramesInPicOrderCntCycle; + var scalingListCount; + var i; + var readUByte = this.readUByte.bind(this); + var readBits = this.readBits.bind(this); + var readUEG = this.readUEG.bind(this); + var readBoolean = this.readBoolean.bind(this); + var skipBits = this.skipBits.bind(this); + var skipEG = this.skipEG.bind(this); + var skipUEG = this.skipUEG.bind(this); + var skipScalingList = this.skipScalingList.bind(this); + readUByte(); + var profileIdc = readUByte(); // profile_idc + readBits(5); // profileCompat constraint_set[0-4]_flag, u(5) + skipBits(3); // reserved_zero_3bits u(3), + readUByte(); // level_idc u(8) + skipUEG(); // seq_parameter_set_id + // some profiles have more optional data we don't need + if (profileIdc === 100 || profileIdc === 110 || profileIdc === 122 || profileIdc === 244 || profileIdc === 44 || profileIdc === 83 || profileIdc === 86 || profileIdc === 118 || profileIdc === 128) { + var chromaFormatIdc = readUEG(); + if (chromaFormatIdc === 3) { + skipBits(1); + } // separate_colour_plane_flag + + skipUEG(); // bit_depth_luma_minus8 + skipUEG(); // bit_depth_chroma_minus8 + skipBits(1); // qpprime_y_zero_transform_bypass_flag + if (readBoolean()) { + // seq_scaling_matrix_present_flag + scalingListCount = chromaFormatIdc !== 3 ? 8 : 12; + for (i = 0; i < scalingListCount; i++) { + if (readBoolean()) { + // seq_scaling_list_present_flag[ i ] + if (i < 6) { + skipScalingList(16); + } else { + skipScalingList(64); + } + } + } + } + } + skipUEG(); // log2_max_frame_num_minus4 + var picOrderCntType = readUEG(); + if (picOrderCntType === 0) { + readUEG(); // log2_max_pic_order_cnt_lsb_minus4 + } else if (picOrderCntType === 1) { + skipBits(1); // delta_pic_order_always_zero_flag + skipEG(); // offset_for_non_ref_pic + skipEG(); // offset_for_top_to_bottom_field + numRefFramesInPicOrderCntCycle = readUEG(); + for (i = 0; i < numRefFramesInPicOrderCntCycle; i++) { + skipEG(); + } // offset_for_ref_frame[ i ] + } + skipUEG(); // max_num_ref_frames + skipBits(1); // gaps_in_frame_num_value_allowed_flag + var picWidthInMbsMinus1 = readUEG(); + var picHeightInMapUnitsMinus1 = readUEG(); + var frameMbsOnlyFlag = readBits(1); + if (frameMbsOnlyFlag === 0) { + skipBits(1); + } // mb_adaptive_frame_field_flag + + skipBits(1); // direct_8x8_inference_flag + if (readBoolean()) { + // frame_cropping_flag + frameCropLeftOffset = readUEG(); + frameCropRightOffset = readUEG(); + frameCropTopOffset = readUEG(); + frameCropBottomOffset = readUEG(); + } + var pixelRatio = [1, 1]; + if (readBoolean()) { + // vui_parameters_present_flag + if (readBoolean()) { + // aspect_ratio_info_present_flag + var aspectRatioIdc = readUByte(); + switch (aspectRatioIdc) { + case 1: + pixelRatio = [1, 1]; + break; + case 2: + pixelRatio = [12, 11]; + break; + case 3: + pixelRatio = [10, 11]; + break; + case 4: + pixelRatio = [16, 11]; + break; + case 5: + pixelRatio = [40, 33]; + break; + case 6: + pixelRatio = [24, 11]; + break; + case 7: + pixelRatio = [20, 11]; + break; + case 8: + pixelRatio = [32, 11]; + break; + case 9: + pixelRatio = [80, 33]; + break; + case 10: + pixelRatio = [18, 11]; + break; + case 11: + pixelRatio = [15, 11]; + break; + case 12: + pixelRatio = [64, 33]; + break; + case 13: + pixelRatio = [160, 99]; + break; + case 14: + pixelRatio = [4, 3]; + break; + case 15: + pixelRatio = [3, 2]; + break; + case 16: + pixelRatio = [2, 1]; + break; + case 255: + { + pixelRatio = [readUByte() << 8 | readUByte(), readUByte() << 8 | readUByte()]; + break; + } + } + } + } + return { + width: Math.ceil((picWidthInMbsMinus1 + 1) * 16 - frameCropLeftOffset * 2 - frameCropRightOffset * 2), + height: (2 - frameMbsOnlyFlag) * (picHeightInMapUnitsMinus1 + 1) * 16 - (frameMbsOnlyFlag ? 2 : 4) * (frameCropTopOffset + frameCropBottomOffset), + pixelRatio: pixelRatio + }; + }; + _proto.readSliceType = function readSliceType() { + // skip NALu type + this.readUByte(); + // discard first_mb_in_slice + this.readUEG(); + // return slice_type + return this.readUEG(); + }; + return ExpGolomb; + }(); + + var AvcVideoParser = /*#__PURE__*/function (_BaseVideoParser) { + _inheritsLoose(AvcVideoParser, _BaseVideoParser); + function AvcVideoParser() { + return _BaseVideoParser.apply(this, arguments) || this; + } + var _proto = AvcVideoParser.prototype; + _proto.parseAVCPES = function parseAVCPES(track, textTrack, pes, last, duration) { + var _this = this; + var units = this.parseAVCNALu(track, pes.data); + var VideoSample = this.VideoSample; + var push; + var spsfound = false; + // free pes.data to save up some memory + pes.data = null; + + // if new NAL units found and last sample still there, let's push ... + // this helps parsing streams with missing AUD (only do this if AUD never found) + if (VideoSample && units.length && !track.audFound) { + this.pushAccessUnit(VideoSample, track); + VideoSample = this.VideoSample = this.createVideoSample(false, pes.pts, pes.dts, ''); + } + units.forEach(function (unit) { + var _VideoSample2; + switch (unit.type) { + // NDR + case 1: + { + var iskey = false; + push = true; + var data = unit.data; + // only check slice type to detect KF in case SPS found in same packet (any keyframe is preceded by SPS ...) + if (spsfound && data.length > 4) { + // retrieve slice type by parsing beginning of NAL unit (follow H264 spec, slice_header definition) to detect keyframe embedded in NDR + var sliceType = new ExpGolomb(data).readSliceType(); + // 2 : I slice, 4 : SI slice, 7 : I slice, 9: SI slice + // SI slice : A slice that is coded using intra prediction only and using quantisation of the prediction samples. + // An SI slice can be coded such that its decoded samples can be constructed identically to an SP slice. + // I slice: A slice that is not an SI slice that is decoded using intra prediction only. + // if (sliceType === 2 || sliceType === 7) { + if (sliceType === 2 || sliceType === 4 || sliceType === 7 || sliceType === 9) { + iskey = true; + } + } + if (iskey) { + var _VideoSample; + // if we have non-keyframe data already, that cannot belong to the same frame as a keyframe, so force a push + if ((_VideoSample = VideoSample) != null && _VideoSample.frame && !VideoSample.key) { + _this.pushAccessUnit(VideoSample, track); + VideoSample = _this.VideoSample = null; + } + } + if (!VideoSample) { + VideoSample = _this.VideoSample = _this.createVideoSample(true, pes.pts, pes.dts, ''); + } + VideoSample.frame = true; + VideoSample.key = iskey; + break; + // IDR + } + case 5: + push = true; + // handle PES not starting with AUD + // if we have frame data already, that cannot belong to the same frame, so force a push + if ((_VideoSample2 = VideoSample) != null && _VideoSample2.frame && !VideoSample.key) { + _this.pushAccessUnit(VideoSample, track); + VideoSample = _this.VideoSample = null; + } + if (!VideoSample) { + VideoSample = _this.VideoSample = _this.createVideoSample(true, pes.pts, pes.dts, ''); + } + VideoSample.key = true; + VideoSample.frame = true; + break; + // SEI + case 6: + { + push = true; + parseSEIMessageFromNALu(unit.data, 1, pes.pts, textTrack.samples); + break; + // SPS + } + case 7: + { + var _track$pixelRatio, _track$pixelRatio2; + push = true; + spsfound = true; + var sps = unit.data; + var expGolombDecoder = new ExpGolomb(sps); + var config = expGolombDecoder.readSPS(); + if (!track.sps || track.width !== config.width || track.height !== config.height || ((_track$pixelRatio = track.pixelRatio) == null ? void 0 : _track$pixelRatio[0]) !== config.pixelRatio[0] || ((_track$pixelRatio2 = track.pixelRatio) == null ? void 0 : _track$pixelRatio2[1]) !== config.pixelRatio[1]) { + track.width = config.width; + track.height = config.height; + track.pixelRatio = config.pixelRatio; + track.sps = [sps]; + track.duration = duration; + var codecarray = sps.subarray(1, 4); + var codecstring = 'avc1.'; + for (var i = 0; i < 3; i++) { + var h = codecarray[i].toString(16); + if (h.length < 2) { + h = '0' + h; + } + codecstring += h; + } + track.codec = codecstring; + } + break; + } + // PPS + case 8: + push = true; + track.pps = [unit.data]; + break; + // AUD + case 9: + push = true; + track.audFound = true; + if (VideoSample) { + _this.pushAccessUnit(VideoSample, track); + } + VideoSample = _this.VideoSample = _this.createVideoSample(false, pes.pts, pes.dts, ''); + break; + // Filler Data + case 12: + push = true; + break; + default: + push = false; + if (VideoSample) { + VideoSample.debug += 'unknown NAL ' + unit.type + ' '; + } + break; + } + if (VideoSample && push) { + var _units = VideoSample.units; + _units.push(unit); + } + }); + // if last PES packet, push samples + if (last && VideoSample) { + this.pushAccessUnit(VideoSample, track); + this.VideoSample = null; + } + }; + _proto.parseAVCNALu = function parseAVCNALu(track, array) { + var len = array.byteLength; + var state = track.naluState || 0; + var lastState = state; + var units = []; + var i = 0; + var value; + var overflow; + var unitType; + var lastUnitStart = -1; + var lastUnitType = 0; + // logger.log('PES:' + Hex.hexDump(array)); + + if (state === -1) { + // special use case where we found 3 or 4-byte start codes exactly at the end of previous PES packet + lastUnitStart = 0; + // NALu type is value read from offset 0 + lastUnitType = array[0] & 0x1f; + state = 0; + i = 1; + } + while (i < len) { + value = array[i++]; + // optimization. state 0 and 1 are the predominant case. let's handle them outside of the switch/case + if (!state) { + state = value ? 0 : 1; + continue; + } + if (state === 1) { + state = value ? 0 : 2; + continue; + } + // here we have state either equal to 2 or 3 + if (!value) { + state = 3; + } else if (value === 1) { + overflow = i - state - 1; + if (lastUnitStart >= 0) { + var unit = { + data: array.subarray(lastUnitStart, overflow), + type: lastUnitType + }; + // logger.log('pushing NALU, type/size:' + unit.type + '/' + unit.data.byteLength); + units.push(unit); + } else { + // lastUnitStart is undefined => this is the first start code found in this PES packet + // first check if start code delimiter is overlapping between 2 PES packets, + // ie it started in last packet (lastState not zero) + // and ended at the beginning of this PES packet (i <= 4 - lastState) + var lastUnit = this.getLastNalUnit(track.samples); + if (lastUnit) { + if (lastState && i <= 4 - lastState) { + // start delimiter overlapping between PES packets + // strip start delimiter bytes from the end of last NAL unit + // check if lastUnit had a state different from zero + if (lastUnit.state) { + // strip last bytes + lastUnit.data = lastUnit.data.subarray(0, lastUnit.data.byteLength - lastState); + } + } + // If NAL units are not starting right at the beginning of the PES packet, push preceding data into previous NAL unit. + + if (overflow > 0) { + // logger.log('first NALU found with overflow:' + overflow); + lastUnit.data = appendUint8Array(lastUnit.data, array.subarray(0, overflow)); + lastUnit.state = 0; + } + } + } + // check if we can read unit type + if (i < len) { + unitType = array[i] & 0x1f; + // logger.log('find NALU @ offset:' + i + ',type:' + unitType); + lastUnitStart = i; + lastUnitType = unitType; + state = 0; + } else { + // not enough byte to read unit type. let's read it on next PES parsing + state = -1; + } + } else { + state = 0; + } + } + if (lastUnitStart >= 0 && state >= 0) { + var _unit = { + data: array.subarray(lastUnitStart, len), + type: lastUnitType, + state: state + }; + units.push(_unit); + // logger.log('pushing NALU, type/size/state:' + unit.type + '/' + unit.data.byteLength + '/' + state); + } + // no NALu found + if (units.length === 0) { + // append pes.data to previous NAL unit + var _lastUnit = this.getLastNalUnit(track.samples); + if (_lastUnit) { + _lastUnit.data = appendUint8Array(_lastUnit.data, array); + } + } + track.naluState = state; + return units; + }; + return AvcVideoParser; + }(BaseVideoParser); + + /** + * SAMPLE-AES decrypter + */ + + var SampleAesDecrypter = /*#__PURE__*/function () { + function SampleAesDecrypter(observer, config, keyData) { + this.keyData = void 0; + this.decrypter = void 0; + this.keyData = keyData; + this.decrypter = new Decrypter(config, { + removePKCS7Padding: false + }); + } + var _proto = SampleAesDecrypter.prototype; + _proto.decryptBuffer = function decryptBuffer(encryptedData) { + return this.decrypter.decrypt(encryptedData, this.keyData.key.buffer, this.keyData.iv.buffer); + } + + // AAC - encrypt all full 16 bytes blocks starting from offset 16 + ; + _proto.decryptAacSample = function decryptAacSample(samples, sampleIndex, callback) { + var _this = this; + var curUnit = samples[sampleIndex].unit; + if (curUnit.length <= 16) { + // No encrypted portion in this sample (first 16 bytes is not + // encrypted, see https://developer.apple.com/library/archive/documentation/AudioVideo/Conceptual/HLS_Sample_Encryption/Encryption/Encryption.html), + return; + } + var encryptedData = curUnit.subarray(16, curUnit.length - curUnit.length % 16); + var encryptedBuffer = encryptedData.buffer.slice(encryptedData.byteOffset, encryptedData.byteOffset + encryptedData.length); + this.decryptBuffer(encryptedBuffer).then(function (decryptedBuffer) { + var decryptedData = new Uint8Array(decryptedBuffer); + curUnit.set(decryptedData, 16); + if (!_this.decrypter.isSync()) { + _this.decryptAacSamples(samples, sampleIndex + 1, callback); + } + }); + }; + _proto.decryptAacSamples = function decryptAacSamples(samples, sampleIndex, callback) { + for (;; sampleIndex++) { + if (sampleIndex >= samples.length) { + callback(); + return; + } + if (samples[sampleIndex].unit.length < 32) { + continue; + } + this.decryptAacSample(samples, sampleIndex, callback); + if (!this.decrypter.isSync()) { + return; + } + } + } + + // AVC - encrypt one 16 bytes block out of ten, starting from offset 32 + ; + _proto.getAvcEncryptedData = function getAvcEncryptedData(decodedData) { + var encryptedDataLen = Math.floor((decodedData.length - 48) / 160) * 16 + 16; + var encryptedData = new Int8Array(encryptedDataLen); + var outputPos = 0; + for (var inputPos = 32; inputPos < decodedData.length - 16; inputPos += 160, outputPos += 16) { + encryptedData.set(decodedData.subarray(inputPos, inputPos + 16), outputPos); + } + return encryptedData; + }; + _proto.getAvcDecryptedUnit = function getAvcDecryptedUnit(decodedData, decryptedData) { + var uint8DecryptedData = new Uint8Array(decryptedData); + var inputPos = 0; + for (var outputPos = 32; outputPos < decodedData.length - 16; outputPos += 160, inputPos += 16) { + decodedData.set(uint8DecryptedData.subarray(inputPos, inputPos + 16), outputPos); + } + return decodedData; + }; + _proto.decryptAvcSample = function decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit) { + var _this2 = this; + var decodedData = discardEPB(curUnit.data); + var encryptedData = this.getAvcEncryptedData(decodedData); + this.decryptBuffer(encryptedData.buffer).then(function (decryptedBuffer) { + curUnit.data = _this2.getAvcDecryptedUnit(decodedData, decryptedBuffer); + if (!_this2.decrypter.isSync()) { + _this2.decryptAvcSamples(samples, sampleIndex, unitIndex + 1, callback); + } + }); + }; + _proto.decryptAvcSamples = function decryptAvcSamples(samples, sampleIndex, unitIndex, callback) { + if (samples instanceof Uint8Array) { + throw new Error('Cannot decrypt samples of type Uint8Array'); + } + for (;; sampleIndex++, unitIndex = 0) { + if (sampleIndex >= samples.length) { + callback(); + return; + } + var curUnits = samples[sampleIndex].units; + for (;; unitIndex++) { + if (unitIndex >= curUnits.length) { + break; + } + var curUnit = curUnits[unitIndex]; + if (curUnit.data.length <= 48 || curUnit.type !== 1 && curUnit.type !== 5) { + continue; + } + this.decryptAvcSample(samples, sampleIndex, unitIndex, callback, curUnit); + if (!this.decrypter.isSync()) { + return; + } + } + } + }; + return SampleAesDecrypter; + }(); + + var PACKET_LENGTH = 188; + var TSDemuxer = /*#__PURE__*/function () { + function TSDemuxer(observer, config, typeSupported) { + this.observer = void 0; + this.config = void 0; + this.typeSupported = void 0; + this.sampleAes = null; + this.pmtParsed = false; + this.audioCodec = void 0; + this.videoCodec = void 0; + this._duration = 0; + this._pmtId = -1; + this._videoTrack = void 0; + this._audioTrack = void 0; + this._id3Track = void 0; + this._txtTrack = void 0; + this.aacOverFlow = null; + this.remainderData = null; + this.videoParser = void 0; + this.observer = observer; + this.config = config; + this.typeSupported = typeSupported; + this.videoParser = new AvcVideoParser(); + } + TSDemuxer.probe = function probe(data) { + var syncOffset = TSDemuxer.syncOffset(data); + if (syncOffset > 0) { + logger.warn("MPEG2-TS detected but first sync word found @ offset " + syncOffset); + } + return syncOffset !== -1; + }; + TSDemuxer.syncOffset = function syncOffset(data) { + var length = data.length; + var scanwindow = Math.min(PACKET_LENGTH * 5, length - PACKET_LENGTH) + 1; + var i = 0; + while (i < scanwindow) { + // a TS init segment should contain at least 2 TS packets: PAT and PMT, each starting with 0x47 + var foundPat = false; + var packetStart = -1; + var tsPackets = 0; + for (var j = i; j < length; j += PACKET_LENGTH) { + if (data[j] === 0x47 && (length - j === PACKET_LENGTH || data[j + PACKET_LENGTH] === 0x47)) { + tsPackets++; + if (packetStart === -1) { + packetStart = j; + // First sync word found at offset, increase scan length (#5251) + if (packetStart !== 0) { + scanwindow = Math.min(packetStart + PACKET_LENGTH * 99, data.length - PACKET_LENGTH) + 1; + } + } + if (!foundPat) { + foundPat = parsePID(data, j) === 0; + } + // Sync word found at 0 with 3 packets, or found at offset least 2 packets up to scanwindow (#5501) + if (foundPat && tsPackets > 1 && (packetStart === 0 && tsPackets > 2 || j + PACKET_LENGTH > scanwindow)) { + return packetStart; + } + } else if (tsPackets) { + // Exit if sync word found, but does not contain contiguous packets + return -1; + } else { + break; + } + } + i++; + } + return -1; + } + + /** + * Creates a track model internal to demuxer used to drive remuxing input + */; + TSDemuxer.createTrack = function createTrack(type, duration) { + return { + container: type === 'video' || type === 'audio' ? 'video/mp2t' : undefined, + type: type, + id: RemuxerTrackIdConfig[type], + pid: -1, + inputTimeScale: 90000, + sequenceNumber: 0, + samples: [], + dropped: 0, + duration: type === 'audio' ? duration : undefined + }; + } + + /** + * Initializes a new init segment on the demuxer/remuxer interface. Needed for discontinuities/track-switches (or at stream start) + * Resets all internal track instances of the demuxer. + */; + var _proto = TSDemuxer.prototype; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, trackDuration) { + this.pmtParsed = false; + this._pmtId = -1; + this._videoTrack = TSDemuxer.createTrack('video'); + this._audioTrack = TSDemuxer.createTrack('audio', trackDuration); + this._id3Track = TSDemuxer.createTrack('id3'); + this._txtTrack = TSDemuxer.createTrack('text'); + this._audioTrack.segmentCodec = 'aac'; + + // flush any partial content + this.aacOverFlow = null; + this.remainderData = null; + this.audioCodec = audioCodec; + this.videoCodec = videoCodec; + this._duration = trackDuration; + }; + _proto.resetTimeStamp = function resetTimeStamp() {}; + _proto.resetContiguity = function resetContiguity() { + var _audioTrack = this._audioTrack, + _videoTrack = this._videoTrack, + _id3Track = this._id3Track; + if (_audioTrack) { + _audioTrack.pesData = null; + } + if (_videoTrack) { + _videoTrack.pesData = null; + } + if (_id3Track) { + _id3Track.pesData = null; + } + this.aacOverFlow = null; + this.remainderData = null; + }; + _proto.demux = function demux(data, timeOffset, isSampleAes, flush) { + if (isSampleAes === void 0) { + isSampleAes = false; + } + if (flush === void 0) { + flush = false; + } + if (!isSampleAes) { + this.sampleAes = null; + } + var pes; + var videoTrack = this._videoTrack; + var audioTrack = this._audioTrack; + var id3Track = this._id3Track; + var textTrack = this._txtTrack; + var videoPid = videoTrack.pid; + var videoData = videoTrack.pesData; + var audioPid = audioTrack.pid; + var id3Pid = id3Track.pid; + var audioData = audioTrack.pesData; + var id3Data = id3Track.pesData; + var unknownPID = null; + var pmtParsed = this.pmtParsed; + var pmtId = this._pmtId; + var len = data.length; + if (this.remainderData) { + data = appendUint8Array(this.remainderData, data); + len = data.length; + this.remainderData = null; + } + if (len < PACKET_LENGTH && !flush) { + this.remainderData = data; + return { + audioTrack: audioTrack, + videoTrack: videoTrack, + id3Track: id3Track, + textTrack: textTrack + }; + } + var syncOffset = Math.max(0, TSDemuxer.syncOffset(data)); + len -= (len - syncOffset) % PACKET_LENGTH; + if (len < data.byteLength && !flush) { + this.remainderData = new Uint8Array(data.buffer, len, data.buffer.byteLength - len); + } + + // loop through TS packets + var tsPacketErrors = 0; + for (var start = syncOffset; start < len; start += PACKET_LENGTH) { + if (data[start] === 0x47) { + var stt = !!(data[start + 1] & 0x40); + var pid = parsePID(data, start); + var atf = (data[start + 3] & 0x30) >> 4; + + // if an adaption field is present, its length is specified by the fifth byte of the TS packet header. + var offset = void 0; + if (atf > 1) { + offset = start + 5 + data[start + 4]; + // continue if there is only adaptation field + if (offset === start + PACKET_LENGTH) { + continue; + } + } else { + offset = start + 4; + } + switch (pid) { + case videoPid: + if (stt) { + if (videoData && (pes = parsePES(videoData))) { + this.videoParser.parseAVCPES(videoTrack, textTrack, pes, false, this._duration); + } + videoData = { + data: [], + size: 0 + }; + } + if (videoData) { + videoData.data.push(data.subarray(offset, start + PACKET_LENGTH)); + videoData.size += start + PACKET_LENGTH - offset; + } + break; + case audioPid: + if (stt) { + if (audioData && (pes = parsePES(audioData))) { + switch (audioTrack.segmentCodec) { + case 'aac': + this.parseAACPES(audioTrack, pes); + break; + case 'mp3': + this.parseMPEGPES(audioTrack, pes); + break; + case 'ac3': + { + this.parseAC3PES(audioTrack, pes); + } + break; + } + } + audioData = { + data: [], + size: 0 + }; + } + if (audioData) { + audioData.data.push(data.subarray(offset, start + PACKET_LENGTH)); + audioData.size += start + PACKET_LENGTH - offset; + } + break; + case id3Pid: + if (stt) { + if (id3Data && (pes = parsePES(id3Data))) { + this.parseID3PES(id3Track, pes); + } + id3Data = { + data: [], + size: 0 + }; + } + if (id3Data) { + id3Data.data.push(data.subarray(offset, start + PACKET_LENGTH)); + id3Data.size += start + PACKET_LENGTH - offset; + } + break; + case 0: + if (stt) { + offset += data[offset] + 1; + } + pmtId = this._pmtId = parsePAT(data, offset); + // logger.log('PMT PID:' + this._pmtId); + break; + case pmtId: + { + if (stt) { + offset += data[offset] + 1; + } + var parsedPIDs = parsePMT(data, offset, this.typeSupported, isSampleAes, this.observer); + + // only update track id if track PID found while parsing PMT + // this is to avoid resetting the PID to -1 in case + // track PID transiently disappears from the stream + // this could happen in case of transient missing audio samples for example + // NOTE this is only the PID of the track as found in TS, + // but we are not using this for MP4 track IDs. + videoPid = parsedPIDs.videoPid; + if (videoPid > 0) { + videoTrack.pid = videoPid; + videoTrack.segmentCodec = parsedPIDs.segmentVideoCodec; + } + audioPid = parsedPIDs.audioPid; + if (audioPid > 0) { + audioTrack.pid = audioPid; + audioTrack.segmentCodec = parsedPIDs.segmentAudioCodec; + } + id3Pid = parsedPIDs.id3Pid; + if (id3Pid > 0) { + id3Track.pid = id3Pid; + } + if (unknownPID !== null && !pmtParsed) { + logger.warn("MPEG-TS PMT found at " + start + " after unknown PID '" + unknownPID + "'. Backtracking to sync byte @" + syncOffset + " to parse all TS packets."); + unknownPID = null; + // we set it to -188, the += 188 in the for loop will reset start to 0 + start = syncOffset - 188; + } + pmtParsed = this.pmtParsed = true; + break; + } + case 0x11: + case 0x1fff: + break; + default: + unknownPID = pid; + break; + } + } else { + tsPacketErrors++; + } + } + if (tsPacketErrors > 0) { + emitParsingError(this.observer, new Error("Found " + tsPacketErrors + " TS packet/s that do not start with 0x47")); + } + videoTrack.pesData = videoData; + audioTrack.pesData = audioData; + id3Track.pesData = id3Data; + var demuxResult = { + audioTrack: audioTrack, + videoTrack: videoTrack, + id3Track: id3Track, + textTrack: textTrack + }; + if (flush) { + this.extractRemainingSamples(demuxResult); + } + return demuxResult; + }; + _proto.flush = function flush() { + var remainderData = this.remainderData; + this.remainderData = null; + var result; + if (remainderData) { + result = this.demux(remainderData, -1, false, true); + } else { + result = { + videoTrack: this._videoTrack, + audioTrack: this._audioTrack, + id3Track: this._id3Track, + textTrack: this._txtTrack + }; + } + this.extractRemainingSamples(result); + if (this.sampleAes) { + return this.decrypt(result, this.sampleAes); + } + return result; + }; + _proto.extractRemainingSamples = function extractRemainingSamples(demuxResult) { + var audioTrack = demuxResult.audioTrack, + videoTrack = demuxResult.videoTrack, + id3Track = demuxResult.id3Track, + textTrack = demuxResult.textTrack; + var videoData = videoTrack.pesData; + var audioData = audioTrack.pesData; + var id3Data = id3Track.pesData; + // try to parse last PES packets + var pes; + if (videoData && (pes = parsePES(videoData))) { + this.videoParser.parseAVCPES(videoTrack, textTrack, pes, true, this._duration); + videoTrack.pesData = null; + } else { + // either avcData null or PES truncated, keep it for next frag parsing + videoTrack.pesData = videoData; + } + if (audioData && (pes = parsePES(audioData))) { + switch (audioTrack.segmentCodec) { + case 'aac': + this.parseAACPES(audioTrack, pes); + break; + case 'mp3': + this.parseMPEGPES(audioTrack, pes); + break; + case 'ac3': + { + this.parseAC3PES(audioTrack, pes); + } + break; + } + audioTrack.pesData = null; + } else { + if (audioData != null && audioData.size) { + logger.log('last AAC PES packet truncated,might overlap between fragments'); + } + + // either audioData null or PES truncated, keep it for next frag parsing + audioTrack.pesData = audioData; + } + if (id3Data && (pes = parsePES(id3Data))) { + this.parseID3PES(id3Track, pes); + id3Track.pesData = null; + } else { + // either id3Data null or PES truncated, keep it for next frag parsing + id3Track.pesData = id3Data; + } + }; + _proto.demuxSampleAes = function demuxSampleAes(data, keyData, timeOffset) { + var demuxResult = this.demux(data, timeOffset, true, !this.config.progressive); + var sampleAes = this.sampleAes = new SampleAesDecrypter(this.observer, this.config, keyData); + return this.decrypt(demuxResult, sampleAes); + }; + _proto.decrypt = function decrypt(demuxResult, sampleAes) { + return new Promise(function (resolve) { + var audioTrack = demuxResult.audioTrack, + videoTrack = demuxResult.videoTrack; + if (audioTrack.samples && audioTrack.segmentCodec === 'aac') { + sampleAes.decryptAacSamples(audioTrack.samples, 0, function () { + if (videoTrack.samples) { + sampleAes.decryptAvcSamples(videoTrack.samples, 0, 0, function () { + resolve(demuxResult); + }); + } else { + resolve(demuxResult); + } + }); + } else if (videoTrack.samples) { + sampleAes.decryptAvcSamples(videoTrack.samples, 0, 0, function () { + resolve(demuxResult); + }); + } + }); + }; + _proto.destroy = function destroy() { + this._duration = 0; + }; + _proto.parseAACPES = function parseAACPES(track, pes) { + var startOffset = 0; + var aacOverFlow = this.aacOverFlow; + var data = pes.data; + if (aacOverFlow) { + this.aacOverFlow = null; + var frameMissingBytes = aacOverFlow.missing; + var sampleLength = aacOverFlow.sample.unit.byteLength; + // logger.log(`AAC: append overflowing ${sampleLength} bytes to beginning of new PES`); + if (frameMissingBytes === -1) { + data = appendUint8Array(aacOverFlow.sample.unit, data); + } else { + var frameOverflowBytes = sampleLength - frameMissingBytes; + aacOverFlow.sample.unit.set(data.subarray(0, frameMissingBytes), frameOverflowBytes); + track.samples.push(aacOverFlow.sample); + startOffset = aacOverFlow.missing; + } + } + // look for ADTS header (0xFFFx) + var offset; + var len; + for (offset = startOffset, len = data.length; offset < len - 1; offset++) { + if (isHeader$1(data, offset)) { + break; + } + } + // if ADTS header does not start straight from the beginning of the PES payload, raise an error + if (offset !== startOffset) { + var reason; + var recoverable = offset < len - 1; + if (recoverable) { + reason = "AAC PES did not start with ADTS header,offset:" + offset; + } else { + reason = 'No ADTS header found in AAC PES'; + } + emitParsingError(this.observer, new Error(reason), recoverable); + if (!recoverable) { + return; + } + } + initTrackConfig(track, this.observer, data, offset, this.audioCodec); + var pts; + if (pes.pts !== undefined) { + pts = pes.pts; + } else if (aacOverFlow) { + // if last AAC frame is overflowing, we should ensure timestamps are contiguous: + // first sample PTS should be equal to last sample PTS + frameDuration + var frameDuration = getFrameDuration(track.samplerate); + pts = aacOverFlow.sample.pts + frameDuration; + } else { + logger.warn('[tsdemuxer]: AAC PES unknown PTS'); + return; + } + + // scan for aac samples + var frameIndex = 0; + var frame; + while (offset < len) { + frame = appendFrame$1(track, data, offset, pts, frameIndex); + offset += frame.length; + if (!frame.missing) { + frameIndex++; + for (; offset < len - 1; offset++) { + if (isHeader$1(data, offset)) { + break; + } + } + } else { + this.aacOverFlow = frame; + break; + } + } + }; + _proto.parseMPEGPES = function parseMPEGPES(track, pes) { + var data = pes.data; + var length = data.length; + var frameIndex = 0; + var offset = 0; + var pts = pes.pts; + if (pts === undefined) { + logger.warn('[tsdemuxer]: MPEG PES unknown PTS'); + return; + } + while (offset < length) { + if (isHeader(data, offset)) { + var frame = appendFrame(track, data, offset, pts, frameIndex); + if (frame) { + offset += frame.length; + frameIndex++; + } else { + // logger.log('Unable to parse Mpeg audio frame'); + break; + } + } else { + // nothing found, keep looking + offset++; + } + } + }; + _proto.parseAC3PES = function parseAC3PES(track, pes) { + { + var data = pes.data; + var pts = pes.pts; + if (pts === undefined) { + logger.warn('[tsdemuxer]: AC3 PES unknown PTS'); + return; + } + var length = data.length; + var frameIndex = 0; + var offset = 0; + var parsed; + while (offset < length && (parsed = _appendFrame(track, data, offset, pts, frameIndex++)) > 0) { + offset += parsed; + } + } + }; + _proto.parseID3PES = function parseID3PES(id3Track, pes) { + if (pes.pts === undefined) { + logger.warn('[tsdemuxer]: ID3 PES unknown PTS'); + return; + } + var id3Sample = _extends({}, pes, { + type: this._videoTrack ? MetadataSchema.emsg : MetadataSchema.audioId3, + duration: Number.POSITIVE_INFINITY + }); + id3Track.samples.push(id3Sample); + }; + return TSDemuxer; + }(); + function parsePID(data, offset) { + // pid is a 13-bit field starting at the last bit of TS[1] + return ((data[offset + 1] & 0x1f) << 8) + data[offset + 2]; + } + function parsePAT(data, offset) { + // skip the PSI header and parse the first PMT entry + return (data[offset + 10] & 0x1f) << 8 | data[offset + 11]; + } + function parsePMT(data, offset, typeSupported, isSampleAes, observer) { + var result = { + audioPid: -1, + videoPid: -1, + id3Pid: -1, + segmentVideoCodec: 'avc', + segmentAudioCodec: 'aac' + }; + var sectionLength = (data[offset + 1] & 0x0f) << 8 | data[offset + 2]; + var tableEnd = offset + 3 + sectionLength - 4; + // to determine where the table is, we have to figure out how + // long the program info descriptors are + var programInfoLength = (data[offset + 10] & 0x0f) << 8 | data[offset + 11]; + // advance the offset to the first entry in the mapping table + offset += 12 + programInfoLength; + while (offset < tableEnd) { + var pid = parsePID(data, offset); + var esInfoLength = (data[offset + 3] & 0x0f) << 8 | data[offset + 4]; + switch (data[offset]) { + case 0xcf: + // SAMPLE-AES AAC + if (!isSampleAes) { + logEncryptedSamplesFoundInUnencryptedStream('ADTS AAC'); + break; + } + /* falls through */ + case 0x0f: + // ISO/IEC 13818-7 ADTS AAC (MPEG-2 lower bit-rate audio) + // logger.log('AAC PID:' + pid); + if (result.audioPid === -1) { + result.audioPid = pid; + } + break; + + // Packetized metadata (ID3) + case 0x15: + // logger.log('ID3 PID:' + pid); + if (result.id3Pid === -1) { + result.id3Pid = pid; + } + break; + case 0xdb: + // SAMPLE-AES AVC + if (!isSampleAes) { + logEncryptedSamplesFoundInUnencryptedStream('H.264'); + break; + } + /* falls through */ + case 0x1b: + // ITU-T Rec. H.264 and ISO/IEC 14496-10 (lower bit-rate video) + // logger.log('AVC PID:' + pid); + if (result.videoPid === -1) { + result.videoPid = pid; + result.segmentVideoCodec = 'avc'; + } + break; + + // ISO/IEC 11172-3 (MPEG-1 audio) + // or ISO/IEC 13818-3 (MPEG-2 halved sample rate audio) + case 0x03: + case 0x04: + // logger.log('MPEG PID:' + pid); + if (!typeSupported.mpeg && !typeSupported.mp3) { + logger.log('MPEG audio found, not supported in this browser'); + } else if (result.audioPid === -1) { + result.audioPid = pid; + result.segmentAudioCodec = 'mp3'; + } + break; + case 0xc1: + // SAMPLE-AES AC3 + if (!isSampleAes) { + logEncryptedSamplesFoundInUnencryptedStream('AC-3'); + break; + } + /* falls through */ + case 0x81: + { + if (!typeSupported.ac3) { + logger.log('AC-3 audio found, not supported in this browser'); + } else if (result.audioPid === -1) { + result.audioPid = pid; + result.segmentAudioCodec = 'ac3'; + } + } + break; + case 0x06: + // stream_type 6 can mean a lot of different things in case of DVB. + // We need to look at the descriptors. Right now, we're only interested + // in AC-3 audio, so we do the descriptor parsing only when we don't have + // an audio PID yet. + if (result.audioPid === -1 && esInfoLength > 0) { + var parsePos = offset + 5; + var remaining = esInfoLength; + while (remaining > 2) { + var descriptorId = data[parsePos]; + switch (descriptorId) { + case 0x6a: + // DVB Descriptor for AC-3 + { + if (typeSupported.ac3 !== true) { + logger.log('AC-3 audio found, not supported in this browser for now'); + } else { + result.audioPid = pid; + result.segmentAudioCodec = 'ac3'; + } + } + break; + } + var descriptorLen = data[parsePos + 1] + 2; + parsePos += descriptorLen; + remaining -= descriptorLen; + } + } + break; + case 0xc2: // SAMPLE-AES EC3 + /* falls through */ + case 0x87: + emitParsingError(observer, new Error('Unsupported EC-3 in M2TS found')); + return result; + case 0x24: + emitParsingError(observer, new Error('Unsupported HEVC in M2TS found')); + return result; + } + // move to the next table entry + // skip past the elementary stream descriptors, if present + offset += esInfoLength + 5; + } + return result; + } + function emitParsingError(observer, error, levelRetry) { + logger.warn("parsing error: " + error.message); + observer.emit(Events.ERROR, Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + fatal: false, + levelRetry: levelRetry, + error: error, + reason: error.message + }); + } + function logEncryptedSamplesFoundInUnencryptedStream(type) { + logger.log(type + " with AES-128-CBC encryption found in unencrypted stream"); + } + function parsePES(stream) { + var i = 0; + var frag; + var pesLen; + var pesHdrLen; + var pesPts; + var pesDts; + var data = stream.data; + // safety check + if (!stream || stream.size === 0) { + return null; + } + + // we might need up to 19 bytes to read PES header + // if first chunk of data is less than 19 bytes, let's merge it with following ones until we get 19 bytes + // usually only one merge is needed (and this is rare ...) + while (data[0].length < 19 && data.length > 1) { + data[0] = appendUint8Array(data[0], data[1]); + data.splice(1, 1); + } + // retrieve PTS/DTS from first fragment + frag = data[0]; + var pesPrefix = (frag[0] << 16) + (frag[1] << 8) + frag[2]; + if (pesPrefix === 1) { + pesLen = (frag[4] << 8) + frag[5]; + // if PES parsed length is not zero and greater than total received length, stop parsing. PES might be truncated + // minus 6 : PES header size + if (pesLen && pesLen > stream.size - 6) { + return null; + } + var pesFlags = frag[7]; + if (pesFlags & 0xc0) { + /* PES header described here : http://dvd.sourceforge.net/dvdinfo/pes-hdr.html + as PTS / DTS is 33 bit we cannot use bitwise operator in JS, + as Bitwise operators treat their operands as a sequence of 32 bits */ + pesPts = (frag[9] & 0x0e) * 536870912 + + // 1 << 29 + (frag[10] & 0xff) * 4194304 + + // 1 << 22 + (frag[11] & 0xfe) * 16384 + + // 1 << 14 + (frag[12] & 0xff) * 128 + + // 1 << 7 + (frag[13] & 0xfe) / 2; + if (pesFlags & 0x40) { + pesDts = (frag[14] & 0x0e) * 536870912 + + // 1 << 29 + (frag[15] & 0xff) * 4194304 + + // 1 << 22 + (frag[16] & 0xfe) * 16384 + + // 1 << 14 + (frag[17] & 0xff) * 128 + + // 1 << 7 + (frag[18] & 0xfe) / 2; + if (pesPts - pesDts > 60 * 90000) { + logger.warn(Math.round((pesPts - pesDts) / 90000) + "s delta between PTS and DTS, align them"); + pesPts = pesDts; + } + } else { + pesDts = pesPts; + } + } + pesHdrLen = frag[8]; + // 9 bytes : 6 bytes for PES header + 3 bytes for PES extension + var payloadStartOffset = pesHdrLen + 9; + if (stream.size <= payloadStartOffset) { + return null; + } + stream.size -= payloadStartOffset; + // reassemble PES packet + var pesData = new Uint8Array(stream.size); + for (var j = 0, dataLen = data.length; j < dataLen; j++) { + frag = data[j]; + var len = frag.byteLength; + if (payloadStartOffset) { + if (payloadStartOffset > len) { + // trim full frag if PES header bigger than frag + payloadStartOffset -= len; + continue; + } else { + // trim partial frag if PES header smaller than frag + frag = frag.subarray(payloadStartOffset); + len -= payloadStartOffset; + payloadStartOffset = 0; + } + } + pesData.set(frag, i); + i += len; + } + if (pesLen) { + // payload size : remove PES header + PES extension + pesLen -= pesHdrLen + 3; + } + return { + data: pesData, + pts: pesPts, + dts: pesDts, + len: pesLen + }; + } + return null; + } + + var MP3Demuxer = /*#__PURE__*/function (_BaseAudioDemuxer) { + _inheritsLoose(MP3Demuxer, _BaseAudioDemuxer); + function MP3Demuxer() { + return _BaseAudioDemuxer.apply(this, arguments) || this; + } + var _proto = MP3Demuxer.prototype; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, trackDuration) { + _BaseAudioDemuxer.prototype.resetInitSegment.call(this, initSegment, audioCodec, videoCodec, trackDuration); + this._audioTrack = { + container: 'audio/mpeg', + type: 'audio', + id: 2, + pid: -1, + sequenceNumber: 0, + segmentCodec: 'mp3', + samples: [], + manifestCodec: audioCodec, + duration: trackDuration, + inputTimeScale: 90000, + dropped: 0 + }; + }; + MP3Demuxer.probe = function probe$1(data) { + if (!data) { + return false; + } + + // check if data contains ID3 timestamp and MPEG sync word + // Look for MPEG header | 1111 1111 | 111X XYZX | where X can be either 0 or 1 and Y or Z should be 1 + // Layer bits (position 14 and 15) in header should be always different from 0 (Layer I or Layer II or Layer III) + // More info http://www.mp3-tech.org/programmer/frame_header.html + var id3Data = getID3Data(data, 0); + var offset = (id3Data == null ? void 0 : id3Data.length) || 0; + + // Check for ac-3|ec-3 sync bytes and return false if present + if (id3Data && data[offset] === 0x0b && data[offset + 1] === 0x77 && getTimeStamp(id3Data) !== undefined && + // check the bsid to confirm ac-3 or ec-3 (not mp3) + getAudioBSID(data, offset) <= 16) { + return false; + } + for (var length = data.length; offset < length; offset++) { + if (probe(data, offset)) { + logger.log('MPEG Audio sync word found !'); + return true; + } + } + return false; + }; + _proto.canParse = function canParse$1(data, offset) { + return canParse(data, offset); + }; + _proto.appendFrame = function appendFrame$1(track, data, offset) { + if (this.basePTS === null) { + return; + } + return appendFrame(track, data, offset, this.basePTS, this.frameIndex); + }; + return MP3Demuxer; + }(BaseAudioDemuxer); + + /** + * AAC helper + */ + var AAC = /*#__PURE__*/function () { + function AAC() {} + AAC.getSilentFrame = function getSilentFrame(codec, channelCount) { + switch (codec) { + case 'mp4a.40.2': + if (channelCount === 1) { + return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x23, 0x80]); + } else if (channelCount === 2) { + return new Uint8Array([0x21, 0x00, 0x49, 0x90, 0x02, 0x19, 0x00, 0x23, 0x80]); + } else if (channelCount === 3) { + return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x8e]); + } else if (channelCount === 4) { + return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x80, 0x2c, 0x80, 0x08, 0x02, 0x38]); + } else if (channelCount === 5) { + return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x82, 0x30, 0x04, 0x99, 0x00, 0x21, 0x90, 0x02, 0x38]); + } else if (channelCount === 6) { + return new Uint8Array([0x00, 0xc8, 0x00, 0x80, 0x20, 0x84, 0x01, 0x26, 0x40, 0x08, 0x64, 0x00, 0x82, 0x30, 0x04, 0x99, 0x00, 0x21, 0x90, 0x02, 0x00, 0xb2, 0x00, 0x20, 0x08, 0xe0]); + } + break; + // handle HE-AAC below (mp4a.40.5 / mp4a.40.29) + default: + if (channelCount === 1) { + // ffmpeg -y -f lavfi -i "aevalsrc=0:d=0.05" -c:a libfdk_aac -profile:a aac_he -b:a 4k output.aac && hexdump -v -e '16/1 "0x%x," "\n"' -v output.aac + return new Uint8Array([0x1, 0x40, 0x22, 0x80, 0xa3, 0x4e, 0xe6, 0x80, 0xba, 0x8, 0x0, 0x0, 0x0, 0x1c, 0x6, 0xf1, 0xc1, 0xa, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5e]); + } else if (channelCount === 2) { + // ffmpeg -y -f lavfi -i "aevalsrc=0|0:d=0.05" -c:a libfdk_aac -profile:a aac_he_v2 -b:a 4k output.aac && hexdump -v -e '16/1 "0x%x," "\n"' -v output.aac + return new Uint8Array([0x1, 0x40, 0x22, 0x80, 0xa3, 0x5e, 0xe6, 0x80, 0xba, 0x8, 0x0, 0x0, 0x0, 0x0, 0x95, 0x0, 0x6, 0xf1, 0xa1, 0xa, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5e]); + } else if (channelCount === 3) { + // ffmpeg -y -f lavfi -i "aevalsrc=0|0|0:d=0.05" -c:a libfdk_aac -profile:a aac_he_v2 -b:a 4k output.aac && hexdump -v -e '16/1 "0x%x," "\n"' -v output.aac + return new Uint8Array([0x1, 0x40, 0x22, 0x80, 0xa3, 0x5e, 0xe6, 0x80, 0xba, 0x8, 0x0, 0x0, 0x0, 0x0, 0x95, 0x0, 0x6, 0xf1, 0xa1, 0xa, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5a, 0x5e]); + } + break; + } + return undefined; + }; + return AAC; + }(); + + /** + * Generate MP4 Box + */ + + var UINT32_MAX = Math.pow(2, 32) - 1; + var MP4 = /*#__PURE__*/function () { + function MP4() {} + MP4.init = function init() { + MP4.types = { + avc1: [], + // codingname + avcC: [], + btrt: [], + dinf: [], + dref: [], + esds: [], + ftyp: [], + hdlr: [], + mdat: [], + mdhd: [], + mdia: [], + mfhd: [], + minf: [], + moof: [], + moov: [], + mp4a: [], + '.mp3': [], + dac3: [], + 'ac-3': [], + mvex: [], + mvhd: [], + pasp: [], + sdtp: [], + stbl: [], + stco: [], + stsc: [], + stsd: [], + stsz: [], + stts: [], + tfdt: [], + tfhd: [], + traf: [], + trak: [], + trun: [], + trex: [], + tkhd: [], + vmhd: [], + smhd: [] + }; + var i; + for (i in MP4.types) { + if (MP4.types.hasOwnProperty(i)) { + MP4.types[i] = [i.charCodeAt(0), i.charCodeAt(1), i.charCodeAt(2), i.charCodeAt(3)]; + } + } + var videoHdlr = new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x00, + // pre_defined + 0x76, 0x69, 0x64, 0x65, + // handler_type: 'vide' + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x56, 0x69, 0x64, 0x65, 0x6f, 0x48, 0x61, 0x6e, 0x64, 0x6c, 0x65, 0x72, 0x00 // name: 'VideoHandler' + ]); + var audioHdlr = new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x00, + // pre_defined + 0x73, 0x6f, 0x75, 0x6e, + // handler_type: 'soun' + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x53, 0x6f, 0x75, 0x6e, 0x64, 0x48, 0x61, 0x6e, 0x64, 0x6c, 0x65, 0x72, 0x00 // name: 'SoundHandler' + ]); + MP4.HDLR_TYPES = { + video: videoHdlr, + audio: audioHdlr + }; + var dref = new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x01, + // entry_count + 0x00, 0x00, 0x00, 0x0c, + // entry_size + 0x75, 0x72, 0x6c, 0x20, + // 'url' type + 0x00, + // version 0 + 0x00, 0x00, 0x01 // entry_flags + ]); + var stco = new Uint8Array([0x00, + // version + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x00 // entry_count + ]); + MP4.STTS = MP4.STSC = MP4.STCO = stco; + MP4.STSZ = new Uint8Array([0x00, + // version + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x00, + // sample_size + 0x00, 0x00, 0x00, 0x00 // sample_count + ]); + MP4.VMHD = new Uint8Array([0x00, + // version + 0x00, 0x00, 0x01, + // flags + 0x00, 0x00, + // graphicsmode + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 // opcolor + ]); + MP4.SMHD = new Uint8Array([0x00, + // version + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, + // balance + 0x00, 0x00 // reserved + ]); + MP4.STSD = new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x01]); // entry_count + + var majorBrand = new Uint8Array([105, 115, 111, 109]); // isom + var avc1Brand = new Uint8Array([97, 118, 99, 49]); // avc1 + var minorVersion = new Uint8Array([0, 0, 0, 1]); + MP4.FTYP = MP4.box(MP4.types.ftyp, majorBrand, minorVersion, majorBrand, avc1Brand); + MP4.DINF = MP4.box(MP4.types.dinf, MP4.box(MP4.types.dref, dref)); + }; + MP4.box = function box(type) { + var size = 8; + for (var _len = arguments.length, payload = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + payload[_key - 1] = arguments[_key]; + } + var i = payload.length; + var len = i; + // calculate the total size we need to allocate + while (i--) { + size += payload[i].byteLength; + } + var result = new Uint8Array(size); + result[0] = size >> 24 & 0xff; + result[1] = size >> 16 & 0xff; + result[2] = size >> 8 & 0xff; + result[3] = size & 0xff; + result.set(type, 4); + // copy the payload into the result + for (i = 0, size = 8; i < len; i++) { + // copy payload[i] array @ offset size + result.set(payload[i], size); + size += payload[i].byteLength; + } + return result; + }; + MP4.hdlr = function hdlr(type) { + return MP4.box(MP4.types.hdlr, MP4.HDLR_TYPES[type]); + }; + MP4.mdat = function mdat(data) { + return MP4.box(MP4.types.mdat, data); + }; + MP4.mdhd = function mdhd(timescale, duration) { + duration *= timescale; + var upperWordDuration = Math.floor(duration / (UINT32_MAX + 1)); + var lowerWordDuration = Math.floor(duration % (UINT32_MAX + 1)); + return MP4.box(MP4.types.mdhd, new Uint8Array([0x01, + // version 1 + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, + // creation_time + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, + // modification_time + timescale >> 24 & 0xff, timescale >> 16 & 0xff, timescale >> 8 & 0xff, timescale & 0xff, + // timescale + upperWordDuration >> 24, upperWordDuration >> 16 & 0xff, upperWordDuration >> 8 & 0xff, upperWordDuration & 0xff, lowerWordDuration >> 24, lowerWordDuration >> 16 & 0xff, lowerWordDuration >> 8 & 0xff, lowerWordDuration & 0xff, 0x55, 0xc4, + // 'und' language (undetermined) + 0x00, 0x00])); + }; + MP4.mdia = function mdia(track) { + return MP4.box(MP4.types.mdia, MP4.mdhd(track.timescale, track.duration), MP4.hdlr(track.type), MP4.minf(track)); + }; + MP4.mfhd = function mfhd(sequenceNumber) { + return MP4.box(MP4.types.mfhd, new Uint8Array([0x00, 0x00, 0x00, 0x00, + // flags + sequenceNumber >> 24, sequenceNumber >> 16 & 0xff, sequenceNumber >> 8 & 0xff, sequenceNumber & 0xff // sequence_number + ])); + }; + MP4.minf = function minf(track) { + if (track.type === 'audio') { + return MP4.box(MP4.types.minf, MP4.box(MP4.types.smhd, MP4.SMHD), MP4.DINF, MP4.stbl(track)); + } else { + return MP4.box(MP4.types.minf, MP4.box(MP4.types.vmhd, MP4.VMHD), MP4.DINF, MP4.stbl(track)); + } + }; + MP4.moof = function moof(sn, baseMediaDecodeTime, track) { + return MP4.box(MP4.types.moof, MP4.mfhd(sn), MP4.traf(track, baseMediaDecodeTime)); + }; + MP4.moov = function moov(tracks) { + var i = tracks.length; + var boxes = []; + while (i--) { + boxes[i] = MP4.trak(tracks[i]); + } + return MP4.box.apply(null, [MP4.types.moov, MP4.mvhd(tracks[0].timescale, tracks[0].duration)].concat(boxes).concat(MP4.mvex(tracks))); + }; + MP4.mvex = function mvex(tracks) { + var i = tracks.length; + var boxes = []; + while (i--) { + boxes[i] = MP4.trex(tracks[i]); + } + return MP4.box.apply(null, [MP4.types.mvex].concat(boxes)); + }; + MP4.mvhd = function mvhd(timescale, duration) { + duration *= timescale; + var upperWordDuration = Math.floor(duration / (UINT32_MAX + 1)); + var lowerWordDuration = Math.floor(duration % (UINT32_MAX + 1)); + var bytes = new Uint8Array([0x01, + // version 1 + 0x00, 0x00, 0x00, + // flags + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, + // creation_time + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, + // modification_time + timescale >> 24 & 0xff, timescale >> 16 & 0xff, timescale >> 8 & 0xff, timescale & 0xff, + // timescale + upperWordDuration >> 24, upperWordDuration >> 16 & 0xff, upperWordDuration >> 8 & 0xff, upperWordDuration & 0xff, lowerWordDuration >> 24, lowerWordDuration >> 16 & 0xff, lowerWordDuration >> 8 & 0xff, lowerWordDuration & 0xff, 0x00, 0x01, 0x00, 0x00, + // 1.0 rate + 0x01, 0x00, + // 1.0 volume + 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x00, 0x00, 0x00, + // transformation: unity matrix + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, + // pre_defined + 0xff, 0xff, 0xff, 0xff // next_track_ID + ]); + return MP4.box(MP4.types.mvhd, bytes); + }; + MP4.sdtp = function sdtp(track) { + var samples = track.samples || []; + var bytes = new Uint8Array(4 + samples.length); + var i; + var flags; + // leave the full box header (4 bytes) all zero + // write the sample table + for (i = 0; i < samples.length; i++) { + flags = samples[i].flags; + bytes[i + 4] = flags.dependsOn << 4 | flags.isDependedOn << 2 | flags.hasRedundancy; + } + return MP4.box(MP4.types.sdtp, bytes); + }; + MP4.stbl = function stbl(track) { + return MP4.box(MP4.types.stbl, MP4.stsd(track), MP4.box(MP4.types.stts, MP4.STTS), MP4.box(MP4.types.stsc, MP4.STSC), MP4.box(MP4.types.stsz, MP4.STSZ), MP4.box(MP4.types.stco, MP4.STCO)); + }; + MP4.avc1 = function avc1(track) { + var sps = []; + var pps = []; + var i; + var data; + var len; + // assemble the SPSs + + for (i = 0; i < track.sps.length; i++) { + data = track.sps[i]; + len = data.byteLength; + sps.push(len >>> 8 & 0xff); + sps.push(len & 0xff); + + // SPS + sps = sps.concat(Array.prototype.slice.call(data)); + } + + // assemble the PPSs + for (i = 0; i < track.pps.length; i++) { + data = track.pps[i]; + len = data.byteLength; + pps.push(len >>> 8 & 0xff); + pps.push(len & 0xff); + pps = pps.concat(Array.prototype.slice.call(data)); + } + var avcc = MP4.box(MP4.types.avcC, new Uint8Array([0x01, + // version + sps[3], + // profile + sps[4], + // profile compat + sps[5], + // level + 0xfc | 3, + // lengthSizeMinusOne, hard-coded to 4 bytes + 0xe0 | track.sps.length // 3bit reserved (111) + numOfSequenceParameterSets + ].concat(sps).concat([track.pps.length // numOfPictureParameterSets + ]).concat(pps))); // "PPS" + var width = track.width; + var height = track.height; + var hSpacing = track.pixelRatio[0]; + var vSpacing = track.pixelRatio[1]; + return MP4.box(MP4.types.avc1, new Uint8Array([0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, + // reserved + 0x00, 0x01, + // data_reference_index + 0x00, 0x00, + // pre_defined + 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, + // pre_defined + width >> 8 & 0xff, width & 0xff, + // width + height >> 8 & 0xff, height & 0xff, + // height + 0x00, 0x48, 0x00, 0x00, + // horizresolution + 0x00, 0x48, 0x00, 0x00, + // vertresolution + 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x01, + // frame_count + 0x12, 0x64, 0x61, 0x69, 0x6c, + // dailymotion/hls.js + 0x79, 0x6d, 0x6f, 0x74, 0x69, 0x6f, 0x6e, 0x2f, 0x68, 0x6c, 0x73, 0x2e, 0x6a, 0x73, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, + // compressorname + 0x00, 0x18, + // depth = 24 + 0x11, 0x11]), + // pre_defined = -1 + avcc, MP4.box(MP4.types.btrt, new Uint8Array([0x00, 0x1c, 0x9c, 0x80, + // bufferSizeDB + 0x00, 0x2d, 0xc6, 0xc0, + // maxBitrate + 0x00, 0x2d, 0xc6, 0xc0])), + // avgBitrate + MP4.box(MP4.types.pasp, new Uint8Array([hSpacing >> 24, + // hSpacing + hSpacing >> 16 & 0xff, hSpacing >> 8 & 0xff, hSpacing & 0xff, vSpacing >> 24, + // vSpacing + vSpacing >> 16 & 0xff, vSpacing >> 8 & 0xff, vSpacing & 0xff]))); + }; + MP4.esds = function esds(track) { + var configlen = track.config.length; + return new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + + 0x03, + // descriptor_type + 0x17 + configlen, + // length + 0x00, 0x01, + // es_id + 0x00, + // stream_priority + + 0x04, + // descriptor_type + 0x0f + configlen, + // length + 0x40, + // codec : mpeg4_audio + 0x15, + // stream_type + 0x00, 0x00, 0x00, + // buffer_size + 0x00, 0x00, 0x00, 0x00, + // maxBitrate + 0x00, 0x00, 0x00, 0x00, + // avgBitrate + + 0x05 // descriptor_type + ].concat([configlen]).concat(track.config).concat([0x06, 0x01, 0x02])); // GASpecificConfig)); // length + audio config descriptor + }; + MP4.audioStsd = function audioStsd(track) { + var samplerate = track.samplerate; + return new Uint8Array([0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, 0x00, + // reserved + 0x00, 0x01, + // data_reference_index + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, track.channelCount, + // channelcount + 0x00, 0x10, + // sampleSize:16bits + 0x00, 0x00, 0x00, 0x00, + // reserved2 + samplerate >> 8 & 0xff, samplerate & 0xff, + // + 0x00, 0x00]); + }; + MP4.mp4a = function mp4a(track) { + return MP4.box(MP4.types.mp4a, MP4.audioStsd(track), MP4.box(MP4.types.esds, MP4.esds(track))); + }; + MP4.mp3 = function mp3(track) { + return MP4.box(MP4.types['.mp3'], MP4.audioStsd(track)); + }; + MP4.ac3 = function ac3(track) { + return MP4.box(MP4.types['ac-3'], MP4.audioStsd(track), MP4.box(MP4.types.dac3, track.config)); + }; + MP4.stsd = function stsd(track) { + if (track.type === 'audio') { + if (track.segmentCodec === 'mp3' && track.codec === 'mp3') { + return MP4.box(MP4.types.stsd, MP4.STSD, MP4.mp3(track)); + } + if (track.segmentCodec === 'ac3') { + return MP4.box(MP4.types.stsd, MP4.STSD, MP4.ac3(track)); + } + return MP4.box(MP4.types.stsd, MP4.STSD, MP4.mp4a(track)); + } else { + return MP4.box(MP4.types.stsd, MP4.STSD, MP4.avc1(track)); + } + }; + MP4.tkhd = function tkhd(track) { + var id = track.id; + var duration = track.duration * track.timescale; + var width = track.width; + var height = track.height; + var upperWordDuration = Math.floor(duration / (UINT32_MAX + 1)); + var lowerWordDuration = Math.floor(duration % (UINT32_MAX + 1)); + return MP4.box(MP4.types.tkhd, new Uint8Array([0x01, + // version 1 + 0x00, 0x00, 0x07, + // flags + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, + // creation_time + 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x03, + // modification_time + id >> 24 & 0xff, id >> 16 & 0xff, id >> 8 & 0xff, id & 0xff, + // track_ID + 0x00, 0x00, 0x00, 0x00, + // reserved + upperWordDuration >> 24, upperWordDuration >> 16 & 0xff, upperWordDuration >> 8 & 0xff, upperWordDuration & 0xff, lowerWordDuration >> 24, lowerWordDuration >> 16 & 0xff, lowerWordDuration >> 8 & 0xff, lowerWordDuration & 0xff, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, + // reserved + 0x00, 0x00, + // layer + 0x00, 0x00, + // alternate_group + 0x00, 0x00, + // non-audio track volume + 0x00, 0x00, + // reserved + 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x00, 0x00, 0x00, + // transformation: unity matrix + width >> 8 & 0xff, width & 0xff, 0x00, 0x00, + // width + height >> 8 & 0xff, height & 0xff, 0x00, 0x00 // height + ])); + }; + MP4.traf = function traf(track, baseMediaDecodeTime) { + var sampleDependencyTable = MP4.sdtp(track); + var id = track.id; + var upperWordBaseMediaDecodeTime = Math.floor(baseMediaDecodeTime / (UINT32_MAX + 1)); + var lowerWordBaseMediaDecodeTime = Math.floor(baseMediaDecodeTime % (UINT32_MAX + 1)); + return MP4.box(MP4.types.traf, MP4.box(MP4.types.tfhd, new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + id >> 24, id >> 16 & 0xff, id >> 8 & 0xff, id & 0xff // track_ID + ])), MP4.box(MP4.types.tfdt, new Uint8Array([0x01, + // version 1 + 0x00, 0x00, 0x00, + // flags + upperWordBaseMediaDecodeTime >> 24, upperWordBaseMediaDecodeTime >> 16 & 0xff, upperWordBaseMediaDecodeTime >> 8 & 0xff, upperWordBaseMediaDecodeTime & 0xff, lowerWordBaseMediaDecodeTime >> 24, lowerWordBaseMediaDecodeTime >> 16 & 0xff, lowerWordBaseMediaDecodeTime >> 8 & 0xff, lowerWordBaseMediaDecodeTime & 0xff])), MP4.trun(track, sampleDependencyTable.length + 16 + + // tfhd + 20 + + // tfdt + 8 + + // traf header + 16 + + // mfhd + 8 + + // moof header + 8), + // mdat header + sampleDependencyTable); + } + + /** + * Generate a track box. + * @param track a track definition + */; + MP4.trak = function trak(track) { + track.duration = track.duration || 0xffffffff; + return MP4.box(MP4.types.trak, MP4.tkhd(track), MP4.mdia(track)); + }; + MP4.trex = function trex(track) { + var id = track.id; + return MP4.box(MP4.types.trex, new Uint8Array([0x00, + // version 0 + 0x00, 0x00, 0x00, + // flags + id >> 24, id >> 16 & 0xff, id >> 8 & 0xff, id & 0xff, + // track_ID + 0x00, 0x00, 0x00, 0x01, + // default_sample_description_index + 0x00, 0x00, 0x00, 0x00, + // default_sample_duration + 0x00, 0x00, 0x00, 0x00, + // default_sample_size + 0x00, 0x01, 0x00, 0x01 // default_sample_flags + ])); + }; + MP4.trun = function trun(track, offset) { + var samples = track.samples || []; + var len = samples.length; + var arraylen = 12 + 16 * len; + var array = new Uint8Array(arraylen); + var i; + var sample; + var duration; + var size; + var flags; + var cts; + offset += 8 + arraylen; + array.set([track.type === 'video' ? 0x01 : 0x00, + // version 1 for video with signed-int sample_composition_time_offset + 0x00, 0x0f, 0x01, + // flags + len >>> 24 & 0xff, len >>> 16 & 0xff, len >>> 8 & 0xff, len & 0xff, + // sample_count + offset >>> 24 & 0xff, offset >>> 16 & 0xff, offset >>> 8 & 0xff, offset & 0xff // data_offset + ], 0); + for (i = 0; i < len; i++) { + sample = samples[i]; + duration = sample.duration; + size = sample.size; + flags = sample.flags; + cts = sample.cts; + array.set([duration >>> 24 & 0xff, duration >>> 16 & 0xff, duration >>> 8 & 0xff, duration & 0xff, + // sample_duration + size >>> 24 & 0xff, size >>> 16 & 0xff, size >>> 8 & 0xff, size & 0xff, + // sample_size + flags.isLeading << 2 | flags.dependsOn, flags.isDependedOn << 6 | flags.hasRedundancy << 4 | flags.paddingValue << 1 | flags.isNonSync, flags.degradPrio & 0xf0 << 8, flags.degradPrio & 0x0f, + // sample_flags + cts >>> 24 & 0xff, cts >>> 16 & 0xff, cts >>> 8 & 0xff, cts & 0xff // sample_composition_time_offset + ], 12 + 16 * i); + } + return MP4.box(MP4.types.trun, array); + }; + MP4.initSegment = function initSegment(tracks) { + if (!MP4.types) { + MP4.init(); + } + var movie = MP4.moov(tracks); + var result = appendUint8Array(MP4.FTYP, movie); + return result; + }; + return MP4; + }(); + MP4.types = void 0; + MP4.HDLR_TYPES = void 0; + MP4.STTS = void 0; + MP4.STSC = void 0; + MP4.STCO = void 0; + MP4.STSZ = void 0; + MP4.VMHD = void 0; + MP4.SMHD = void 0; + MP4.STSD = void 0; + MP4.FTYP = void 0; + MP4.DINF = void 0; + + var MPEG_TS_CLOCK_FREQ_HZ = 90000; + function toTimescaleFromBase(baseTime, destScale, srcBase, round) { + if (srcBase === void 0) { + srcBase = 1; + } + if (round === void 0) { + round = false; + } + var result = baseTime * destScale * srcBase; // equivalent to `(value * scale) / (1 / base)` + return round ? Math.round(result) : result; + } + function toTimescaleFromScale(baseTime, destScale, srcScale, round) { + if (srcScale === void 0) { + srcScale = 1; + } + if (round === void 0) { + round = false; + } + return toTimescaleFromBase(baseTime, destScale, 1 / srcScale, round); + } + function toMsFromMpegTsClock(baseTime, round) { + if (round === void 0) { + round = false; + } + return toTimescaleFromBase(baseTime, 1000, 1 / MPEG_TS_CLOCK_FREQ_HZ, round); + } + function toMpegTsClockFromTimescale(baseTime, srcScale) { + if (srcScale === void 0) { + srcScale = 1; + } + return toTimescaleFromBase(baseTime, MPEG_TS_CLOCK_FREQ_HZ, 1 / srcScale); + } + + var MAX_SILENT_FRAME_DURATION = 10 * 1000; // 10 seconds + var AAC_SAMPLES_PER_FRAME = 1024; + var MPEG_AUDIO_SAMPLE_PER_FRAME = 1152; + var AC3_SAMPLES_PER_FRAME = 1536; + var chromeVersion = null; + var safariWebkitVersion = null; + var MP4Remuxer = /*#__PURE__*/function () { + function MP4Remuxer(observer, config, typeSupported, vendor) { + this.observer = void 0; + this.config = void 0; + this.typeSupported = void 0; + this.ISGenerated = false; + this._initPTS = null; + this._initDTS = null; + this.nextAvcDts = null; + this.nextAudioPts = null; + this.videoSampleDuration = null; + this.isAudioContiguous = false; + this.isVideoContiguous = false; + this.videoTrackConfig = void 0; + this.observer = observer; + this.config = config; + this.typeSupported = typeSupported; + this.ISGenerated = false; + if (chromeVersion === null) { + var userAgent = navigator.userAgent || ''; + var result = userAgent.match(/Chrome\/(\d+)/i); + chromeVersion = result ? parseInt(result[1]) : 0; + } + if (safariWebkitVersion === null) { + var _result = navigator.userAgent.match(/Safari\/(\d+)/i); + safariWebkitVersion = _result ? parseInt(_result[1]) : 0; + } + } + var _proto = MP4Remuxer.prototype; + _proto.destroy = function destroy() { + // @ts-ignore + this.config = this.videoTrackConfig = this._initPTS = this._initDTS = null; + }; + _proto.resetTimeStamp = function resetTimeStamp(defaultTimeStamp) { + logger.log('[mp4-remuxer]: initPTS & initDTS reset'); + this._initPTS = this._initDTS = defaultTimeStamp; + }; + _proto.resetNextTimestamp = function resetNextTimestamp() { + logger.log('[mp4-remuxer]: reset next timestamp'); + this.isVideoContiguous = false; + this.isAudioContiguous = false; + }; + _proto.resetInitSegment = function resetInitSegment() { + logger.log('[mp4-remuxer]: ISGenerated flag reset'); + this.ISGenerated = false; + this.videoTrackConfig = undefined; + }; + _proto.getVideoStartPts = function getVideoStartPts(videoSamples) { + // Get the minimum PTS value relative to the first sample's PTS, normalized for 33-bit wrapping + var rolloverDetected = false; + var firstPts = videoSamples[0].pts; + var startPTS = videoSamples.reduce(function (minPTS, sample) { + var pts = sample.pts; + var delta = pts - minPTS; + if (delta < -4294967296) { + // 2^32, see PTSNormalize for reasoning, but we're hitting a rollover here, and we don't want that to impact the timeOffset calculation + rolloverDetected = true; + pts = normalizePts(pts, firstPts); + delta = pts - minPTS; + } + if (delta > 0) { + return minPTS; + } + return pts; + }, firstPts); + if (rolloverDetected) { + logger.debug('PTS rollover detected'); + } + return startPTS; + }; + _proto.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, accurateTimeOffset, flush, playlistType) { + var video; + var audio; + var initSegment; + var text; + var id3; + var independent; + var audioTimeOffset = timeOffset; + var videoTimeOffset = timeOffset; + + // If we're remuxing audio and video progressively, wait until we've received enough samples for each track before proceeding. + // This is done to synchronize the audio and video streams. We know if the current segment will have samples if the "pid" + // parameter is greater than -1. The pid is set when the PMT is parsed, which contains the tracks list. + // However, if the initSegment has already been generated, or we've reached the end of a segment (flush), + // then we can remux one track without waiting for the other. + var hasAudio = audioTrack.pid > -1; + var hasVideo = videoTrack.pid > -1; + var length = videoTrack.samples.length; + var enoughAudioSamples = audioTrack.samples.length > 0; + var enoughVideoSamples = flush && length > 0 || length > 1; + var canRemuxAvc = (!hasAudio || enoughAudioSamples) && (!hasVideo || enoughVideoSamples) || this.ISGenerated || flush; + if (canRemuxAvc) { + if (this.ISGenerated) { + var _videoTrack$pixelRati, _config$pixelRatio, _videoTrack$pixelRati2, _config$pixelRatio2; + var config = this.videoTrackConfig; + if (config && (videoTrack.width !== config.width || videoTrack.height !== config.height || ((_videoTrack$pixelRati = videoTrack.pixelRatio) == null ? void 0 : _videoTrack$pixelRati[0]) !== ((_config$pixelRatio = config.pixelRatio) == null ? void 0 : _config$pixelRatio[0]) || ((_videoTrack$pixelRati2 = videoTrack.pixelRatio) == null ? void 0 : _videoTrack$pixelRati2[1]) !== ((_config$pixelRatio2 = config.pixelRatio) == null ? void 0 : _config$pixelRatio2[1]))) { + this.resetInitSegment(); + } + } else { + initSegment = this.generateIS(audioTrack, videoTrack, timeOffset, accurateTimeOffset); + } + var isVideoContiguous = this.isVideoContiguous; + var firstKeyFrameIndex = -1; + var firstKeyFramePTS; + if (enoughVideoSamples) { + firstKeyFrameIndex = findKeyframeIndex(videoTrack.samples); + if (!isVideoContiguous && this.config.forceKeyFrameOnDiscontinuity) { + independent = true; + if (firstKeyFrameIndex > 0) { + logger.warn("[mp4-remuxer]: Dropped " + firstKeyFrameIndex + " out of " + length + " video samples due to a missing keyframe"); + var startPTS = this.getVideoStartPts(videoTrack.samples); + videoTrack.samples = videoTrack.samples.slice(firstKeyFrameIndex); + videoTrack.dropped += firstKeyFrameIndex; + videoTimeOffset += (videoTrack.samples[0].pts - startPTS) / videoTrack.inputTimeScale; + firstKeyFramePTS = videoTimeOffset; + } else if (firstKeyFrameIndex === -1) { + logger.warn("[mp4-remuxer]: No keyframe found out of " + length + " video samples"); + independent = false; + } + } + } + if (this.ISGenerated) { + if (enoughAudioSamples && enoughVideoSamples) { + // timeOffset is expected to be the offset of the first timestamp of this fragment (first DTS) + // if first audio DTS is not aligned with first video DTS then we need to take that into account + // when providing timeOffset to remuxAudio / remuxVideo. if we don't do that, there might be a permanent / small + // drift between audio and video streams + var _startPTS = this.getVideoStartPts(videoTrack.samples); + var tsDelta = normalizePts(audioTrack.samples[0].pts, _startPTS) - _startPTS; + var audiovideoTimestampDelta = tsDelta / videoTrack.inputTimeScale; + audioTimeOffset += Math.max(0, audiovideoTimestampDelta); + videoTimeOffset += Math.max(0, -audiovideoTimestampDelta); + } + + // Purposefully remuxing audio before video, so that remuxVideo can use nextAudioPts, which is calculated in remuxAudio. + if (enoughAudioSamples) { + // if initSegment was generated without audio samples, regenerate it again + if (!audioTrack.samplerate) { + logger.warn('[mp4-remuxer]: regenerate InitSegment as audio detected'); + initSegment = this.generateIS(audioTrack, videoTrack, timeOffset, accurateTimeOffset); + } + audio = this.remuxAudio(audioTrack, audioTimeOffset, this.isAudioContiguous, accurateTimeOffset, hasVideo || enoughVideoSamples || playlistType === PlaylistLevelType.AUDIO ? videoTimeOffset : undefined); + if (enoughVideoSamples) { + var audioTrackLength = audio ? audio.endPTS - audio.startPTS : 0; + // if initSegment was generated without video samples, regenerate it again + if (!videoTrack.inputTimeScale) { + logger.warn('[mp4-remuxer]: regenerate InitSegment as video detected'); + initSegment = this.generateIS(audioTrack, videoTrack, timeOffset, accurateTimeOffset); + } + video = this.remuxVideo(videoTrack, videoTimeOffset, isVideoContiguous, audioTrackLength); + } + } else if (enoughVideoSamples) { + video = this.remuxVideo(videoTrack, videoTimeOffset, isVideoContiguous, 0); + } + if (video) { + video.firstKeyFrame = firstKeyFrameIndex; + video.independent = firstKeyFrameIndex !== -1; + video.firstKeyFramePTS = firstKeyFramePTS; + } + } + } + + // Allow ID3 and text to remux, even if more audio/video samples are required + if (this.ISGenerated && this._initPTS && this._initDTS) { + if (id3Track.samples.length) { + id3 = flushTextTrackMetadataCueSamples(id3Track, timeOffset, this._initPTS, this._initDTS); + } + if (textTrack.samples.length) { + text = flushTextTrackUserdataCueSamples(textTrack, timeOffset, this._initPTS); + } + } + return { + audio: audio, + video: video, + initSegment: initSegment, + independent: independent, + text: text, + id3: id3 + }; + }; + _proto.generateIS = function generateIS(audioTrack, videoTrack, timeOffset, accurateTimeOffset) { + var audioSamples = audioTrack.samples; + var videoSamples = videoTrack.samples; + var typeSupported = this.typeSupported; + var tracks = {}; + var _initPTS = this._initPTS; + var computePTSDTS = !_initPTS || accurateTimeOffset; + var container = 'audio/mp4'; + var initPTS; + var initDTS; + var timescale; + if (computePTSDTS) { + initPTS = initDTS = Infinity; + } + if (audioTrack.config && audioSamples.length) { + // let's use audio sampling rate as MP4 time scale. + // rationale is that there is a integer nb of audio frames per audio sample (1024 for AAC) + // using audio sampling rate here helps having an integer MP4 frame duration + // this avoids potential rounding issue and AV sync issue + audioTrack.timescale = audioTrack.samplerate; + switch (audioTrack.segmentCodec) { + case 'mp3': + if (typeSupported.mpeg) { + // Chrome and Safari + container = 'audio/mpeg'; + audioTrack.codec = ''; + } else if (typeSupported.mp3) { + // Firefox + audioTrack.codec = 'mp3'; + } + break; + case 'ac3': + audioTrack.codec = 'ac-3'; + break; + } + tracks.audio = { + id: 'audio', + container: container, + codec: audioTrack.codec, + initSegment: audioTrack.segmentCodec === 'mp3' && typeSupported.mpeg ? new Uint8Array(0) : MP4.initSegment([audioTrack]), + metadata: { + channelCount: audioTrack.channelCount + } + }; + if (computePTSDTS) { + timescale = audioTrack.inputTimeScale; + if (!_initPTS || timescale !== _initPTS.timescale) { + // remember first PTS of this demuxing context. for audio, PTS = DTS + initPTS = initDTS = audioSamples[0].pts - Math.round(timescale * timeOffset); + } else { + computePTSDTS = false; + } + } + } + if (videoTrack.sps && videoTrack.pps && videoSamples.length) { + // let's use input time scale as MP4 video timescale + // we use input time scale straight away to avoid rounding issues on frame duration / cts computation + videoTrack.timescale = videoTrack.inputTimeScale; + tracks.video = { + id: 'main', + container: 'video/mp4', + codec: videoTrack.codec, + initSegment: MP4.initSegment([videoTrack]), + metadata: { + width: videoTrack.width, + height: videoTrack.height + } + }; + if (computePTSDTS) { + timescale = videoTrack.inputTimeScale; + if (!_initPTS || timescale !== _initPTS.timescale) { + var startPTS = this.getVideoStartPts(videoSamples); + var startOffset = Math.round(timescale * timeOffset); + initDTS = Math.min(initDTS, normalizePts(videoSamples[0].dts, startPTS) - startOffset); + initPTS = Math.min(initPTS, startPTS - startOffset); + } else { + computePTSDTS = false; + } + } + this.videoTrackConfig = { + width: videoTrack.width, + height: videoTrack.height, + pixelRatio: videoTrack.pixelRatio + }; + } + if (Object.keys(tracks).length) { + this.ISGenerated = true; + if (computePTSDTS) { + this._initPTS = { + baseTime: initPTS, + timescale: timescale + }; + this._initDTS = { + baseTime: initDTS, + timescale: timescale + }; + } else { + initPTS = timescale = undefined; + } + return { + tracks: tracks, + initPTS: initPTS, + timescale: timescale + }; + } + }; + _proto.remuxVideo = function remuxVideo(track, timeOffset, contiguous, audioTrackLength) { + var timeScale = track.inputTimeScale; + var inputSamples = track.samples; + var outputSamples = []; + var nbSamples = inputSamples.length; + var initPTS = this._initPTS; + var nextAvcDts = this.nextAvcDts; + var offset = 8; + var mp4SampleDuration = this.videoSampleDuration; + var firstDTS; + var lastDTS; + var minPTS = Number.POSITIVE_INFINITY; + var maxPTS = Number.NEGATIVE_INFINITY; + var sortSamples = false; + + // if parsed fragment is contiguous with last one, let's use last DTS value as reference + if (!contiguous || nextAvcDts === null) { + var pts = timeOffset * timeScale; + var cts = inputSamples[0].pts - normalizePts(inputSamples[0].dts, inputSamples[0].pts); + if (chromeVersion && nextAvcDts !== null && Math.abs(pts - cts - nextAvcDts) < 15000) { + // treat as contigous to adjust samples that would otherwise produce video buffer gaps in Chrome + contiguous = true; + } else { + // if not contiguous, let's use target timeOffset + nextAvcDts = pts - cts; + } + } + + // PTS is coded on 33bits, and can loop from -2^32 to 2^32 + // PTSNormalize will make PTS/DTS value monotonic, we use last known DTS value as reference value + var initTime = initPTS.baseTime * timeScale / initPTS.timescale; + for (var i = 0; i < nbSamples; i++) { + var sample = inputSamples[i]; + sample.pts = normalizePts(sample.pts - initTime, nextAvcDts); + sample.dts = normalizePts(sample.dts - initTime, nextAvcDts); + if (sample.dts < inputSamples[i > 0 ? i - 1 : i].dts) { + sortSamples = true; + } + } + + // sort video samples by DTS then PTS then demux id order + if (sortSamples) { + inputSamples.sort(function (a, b) { + var deltadts = a.dts - b.dts; + var deltapts = a.pts - b.pts; + return deltadts || deltapts; + }); + } + + // Get first/last DTS + firstDTS = inputSamples[0].dts; + lastDTS = inputSamples[inputSamples.length - 1].dts; + + // Sample duration (as expected by trun MP4 boxes), should be the delta between sample DTS + // set this constant duration as being the avg delta between consecutive DTS. + var inputDuration = lastDTS - firstDTS; + var averageSampleDuration = inputDuration ? Math.round(inputDuration / (nbSamples - 1)) : mp4SampleDuration || track.inputTimeScale / 30; + + // if fragment are contiguous, detect hole/overlapping between fragments + if (contiguous) { + // check timestamp continuity across consecutive fragments (this is to remove inter-fragment gap/hole) + var delta = firstDTS - nextAvcDts; + var foundHole = delta > averageSampleDuration; + var foundOverlap = delta < -1; + if (foundHole || foundOverlap) { + if (foundHole) { + logger.warn("AVC: " + toMsFromMpegTsClock(delta, true) + " ms (" + delta + "dts) hole between fragments detected at " + timeOffset.toFixed(3)); + } else { + logger.warn("AVC: " + toMsFromMpegTsClock(-delta, true) + " ms (" + delta + "dts) overlapping between fragments detected at " + timeOffset.toFixed(3)); + } + if (!foundOverlap || nextAvcDts >= inputSamples[0].pts || chromeVersion) { + firstDTS = nextAvcDts; + var firstPTS = inputSamples[0].pts - delta; + if (foundHole) { + inputSamples[0].dts = firstDTS; + inputSamples[0].pts = firstPTS; + } else { + for (var _i = 0; _i < inputSamples.length; _i++) { + if (inputSamples[_i].dts > firstPTS) { + break; + } + inputSamples[_i].dts -= delta; + inputSamples[_i].pts -= delta; + } + } + logger.log("Video: Initial PTS/DTS adjusted: " + toMsFromMpegTsClock(firstPTS, true) + "/" + toMsFromMpegTsClock(firstDTS, true) + ", delta: " + toMsFromMpegTsClock(delta, true) + " ms"); + } + } + } + firstDTS = Math.max(0, firstDTS); + var nbNalu = 0; + var naluLen = 0; + var dtsStep = firstDTS; + for (var _i2 = 0; _i2 < nbSamples; _i2++) { + // compute total/avc sample length and nb of NAL units + var _sample = inputSamples[_i2]; + var units = _sample.units; + var nbUnits = units.length; + var sampleLen = 0; + for (var j = 0; j < nbUnits; j++) { + sampleLen += units[j].data.length; + } + naluLen += sampleLen; + nbNalu += nbUnits; + _sample.length = sampleLen; + + // ensure sample monotonic DTS + if (_sample.dts < dtsStep) { + _sample.dts = dtsStep; + dtsStep += averageSampleDuration / 4 | 0 || 1; + } else { + dtsStep = _sample.dts; + } + minPTS = Math.min(_sample.pts, minPTS); + maxPTS = Math.max(_sample.pts, maxPTS); + } + lastDTS = inputSamples[nbSamples - 1].dts; + + /* concatenate the video data and construct the mdat in place + (need 8 more bytes to fill length and mpdat type) */ + var mdatSize = naluLen + 4 * nbNalu + 8; + var mdat; + try { + mdat = new Uint8Array(mdatSize); + } catch (err) { + this.observer.emit(Events.ERROR, Events.ERROR, { + type: ErrorTypes.MUX_ERROR, + details: ErrorDetails.REMUX_ALLOC_ERROR, + fatal: false, + error: err, + bytes: mdatSize, + reason: "fail allocating video mdat " + mdatSize + }); + return; + } + var view = new DataView(mdat.buffer); + view.setUint32(0, mdatSize); + mdat.set(MP4.types.mdat, 4); + var stretchedLastFrame = false; + var minDtsDelta = Number.POSITIVE_INFINITY; + var minPtsDelta = Number.POSITIVE_INFINITY; + var maxDtsDelta = Number.NEGATIVE_INFINITY; + var maxPtsDelta = Number.NEGATIVE_INFINITY; + for (var _i3 = 0; _i3 < nbSamples; _i3++) { + var _VideoSample = inputSamples[_i3]; + var VideoSampleUnits = _VideoSample.units; + var mp4SampleLength = 0; + // convert NALU bitstream to MP4 format (prepend NALU with size field) + for (var _j = 0, _nbUnits = VideoSampleUnits.length; _j < _nbUnits; _j++) { + var unit = VideoSampleUnits[_j]; + var unitData = unit.data; + var unitDataLen = unit.data.byteLength; + view.setUint32(offset, unitDataLen); + offset += 4; + mdat.set(unitData, offset); + offset += unitDataLen; + mp4SampleLength += 4 + unitDataLen; + } + + // expected sample duration is the Decoding Timestamp diff of consecutive samples + var ptsDelta = void 0; + if (_i3 < nbSamples - 1) { + mp4SampleDuration = inputSamples[_i3 + 1].dts - _VideoSample.dts; + ptsDelta = inputSamples[_i3 + 1].pts - _VideoSample.pts; + } else { + var config = this.config; + var lastFrameDuration = _i3 > 0 ? _VideoSample.dts - inputSamples[_i3 - 1].dts : averageSampleDuration; + ptsDelta = _i3 > 0 ? _VideoSample.pts - inputSamples[_i3 - 1].pts : averageSampleDuration; + if (config.stretchShortVideoTrack && this.nextAudioPts !== null) { + // In some cases, a segment's audio track duration may exceed the video track duration. + // Since we've already remuxed audio, and we know how long the audio track is, we look to + // see if the delta to the next segment is longer than maxBufferHole. + // If so, playback would potentially get stuck, so we artificially inflate + // the duration of the last frame to minimize any potential gap between segments. + var gapTolerance = Math.floor(config.maxBufferHole * timeScale); + var deltaToFrameEnd = (audioTrackLength ? minPTS + audioTrackLength * timeScale : this.nextAudioPts) - _VideoSample.pts; + if (deltaToFrameEnd > gapTolerance) { + // We subtract lastFrameDuration from deltaToFrameEnd to try to prevent any video + // frame overlap. maxBufferHole should be >> lastFrameDuration anyway. + mp4SampleDuration = deltaToFrameEnd - lastFrameDuration; + if (mp4SampleDuration < 0) { + mp4SampleDuration = lastFrameDuration; + } else { + stretchedLastFrame = true; + } + logger.log("[mp4-remuxer]: It is approximately " + deltaToFrameEnd / 90 + " ms to the next segment; using duration " + mp4SampleDuration / 90 + " ms for the last video frame."); + } else { + mp4SampleDuration = lastFrameDuration; + } + } else { + mp4SampleDuration = lastFrameDuration; + } + } + var compositionTimeOffset = Math.round(_VideoSample.pts - _VideoSample.dts); + minDtsDelta = Math.min(minDtsDelta, mp4SampleDuration); + maxDtsDelta = Math.max(maxDtsDelta, mp4SampleDuration); + minPtsDelta = Math.min(minPtsDelta, ptsDelta); + maxPtsDelta = Math.max(maxPtsDelta, ptsDelta); + outputSamples.push(new Mp4Sample(_VideoSample.key, mp4SampleDuration, mp4SampleLength, compositionTimeOffset)); + } + if (outputSamples.length) { + if (chromeVersion) { + if (chromeVersion < 70) { + // Chrome workaround, mark first sample as being a Random Access Point (keyframe) to avoid sourcebuffer append issue + // https://code.google.com/p/chromium/issues/detail?id=229412 + var flags = outputSamples[0].flags; + flags.dependsOn = 2; + flags.isNonSync = 0; + } + } else if (safariWebkitVersion) { + // Fix for "CNN special report, with CC" in test-streams (Safari browser only) + // Ignore DTS when frame durations are irregular. Safari MSE does not handle this leading to gaps. + if (maxPtsDelta - minPtsDelta < maxDtsDelta - minDtsDelta && averageSampleDuration / maxDtsDelta < 0.025 && outputSamples[0].cts === 0) { + logger.warn('Found irregular gaps in sample duration. Using PTS instead of DTS to determine MP4 sample duration.'); + var dts = firstDTS; + for (var _i4 = 0, len = outputSamples.length; _i4 < len; _i4++) { + var nextDts = dts + outputSamples[_i4].duration; + var _pts = dts + outputSamples[_i4].cts; + if (_i4 < len - 1) { + var nextPts = nextDts + outputSamples[_i4 + 1].cts; + outputSamples[_i4].duration = nextPts - _pts; + } else { + outputSamples[_i4].duration = _i4 ? outputSamples[_i4 - 1].duration : averageSampleDuration; + } + outputSamples[_i4].cts = 0; + dts = nextDts; + } + } + } + } + // next AVC sample DTS should be equal to last sample DTS + last sample duration (in PES timescale) + mp4SampleDuration = stretchedLastFrame || !mp4SampleDuration ? averageSampleDuration : mp4SampleDuration; + this.nextAvcDts = nextAvcDts = lastDTS + mp4SampleDuration; + this.videoSampleDuration = mp4SampleDuration; + this.isVideoContiguous = true; + var moof = MP4.moof(track.sequenceNumber++, firstDTS, _extends({}, track, { + samples: outputSamples + })); + var type = 'video'; + var data = { + data1: moof, + data2: mdat, + startPTS: minPTS / timeScale, + endPTS: (maxPTS + mp4SampleDuration) / timeScale, + startDTS: firstDTS / timeScale, + endDTS: nextAvcDts / timeScale, + type: type, + hasAudio: false, + hasVideo: true, + nb: outputSamples.length, + dropped: track.dropped + }; + track.samples = []; + track.dropped = 0; + return data; + }; + _proto.getSamplesPerFrame = function getSamplesPerFrame(track) { + switch (track.segmentCodec) { + case 'mp3': + return MPEG_AUDIO_SAMPLE_PER_FRAME; + case 'ac3': + return AC3_SAMPLES_PER_FRAME; + default: + return AAC_SAMPLES_PER_FRAME; + } + }; + _proto.remuxAudio = function remuxAudio(track, timeOffset, contiguous, accurateTimeOffset, videoTimeOffset) { + var inputTimeScale = track.inputTimeScale; + var mp4timeScale = track.samplerate ? track.samplerate : inputTimeScale; + var scaleFactor = inputTimeScale / mp4timeScale; + var mp4SampleDuration = this.getSamplesPerFrame(track); + var inputSampleDuration = mp4SampleDuration * scaleFactor; + var initPTS = this._initPTS; + var rawMPEG = track.segmentCodec === 'mp3' && this.typeSupported.mpeg; + var outputSamples = []; + var alignedWithVideo = videoTimeOffset !== undefined; + var inputSamples = track.samples; + var offset = rawMPEG ? 0 : 8; + var nextAudioPts = this.nextAudioPts || -1; + + // window.audioSamples ? window.audioSamples.push(inputSamples.map(s => s.pts)) : (window.audioSamples = [inputSamples.map(s => s.pts)]); + + // for audio samples, also consider consecutive fragments as being contiguous (even if a level switch occurs), + // for sake of clarity: + // consecutive fragments are frags with + // - less than 100ms gaps between new time offset (if accurate) and next expected PTS OR + // - less than 20 audio frames distance + // contiguous fragments are consecutive fragments from same quality level (same level, new SN = old SN + 1) + // this helps ensuring audio continuity + // and this also avoids audio glitches/cut when switching quality, or reporting wrong duration on first audio frame + var timeOffsetMpegTS = timeOffset * inputTimeScale; + var initTime = initPTS.baseTime * inputTimeScale / initPTS.timescale; + this.isAudioContiguous = contiguous = contiguous || inputSamples.length && nextAudioPts > 0 && (accurateTimeOffset && Math.abs(timeOffsetMpegTS - nextAudioPts) < 9000 || Math.abs(normalizePts(inputSamples[0].pts - initTime, timeOffsetMpegTS) - nextAudioPts) < 20 * inputSampleDuration); + + // compute normalized PTS + inputSamples.forEach(function (sample) { + sample.pts = normalizePts(sample.pts - initTime, timeOffsetMpegTS); + }); + if (!contiguous || nextAudioPts < 0) { + // filter out sample with negative PTS that are not playable anyway + // if we don't remove these negative samples, they will shift all audio samples forward. + // leading to audio overlap between current / next fragment + inputSamples = inputSamples.filter(function (sample) { + return sample.pts >= 0; + }); + + // in case all samples have negative PTS, and have been filtered out, return now + if (!inputSamples.length) { + return; + } + if (videoTimeOffset === 0) { + // Set the start to 0 to match video so that start gaps larger than inputSampleDuration are filled with silence + nextAudioPts = 0; + } else if (accurateTimeOffset && !alignedWithVideo) { + // When not seeking, not live, and LevelDetails.PTSKnown, use fragment start as predicted next audio PTS + nextAudioPts = Math.max(0, timeOffsetMpegTS); + } else { + // if frags are not contiguous and if we cant trust time offset, let's use first sample PTS as next audio PTS + nextAudioPts = inputSamples[0].pts; + } + } + + // If the audio track is missing samples, the frames seem to get "left-shifted" within the + // resulting mp4 segment, causing sync issues and leaving gaps at the end of the audio segment. + // In an effort to prevent this from happening, we inject frames here where there are gaps. + // When possible, we inject a silent frame; when that's not possible, we duplicate the last + // frame. + + if (track.segmentCodec === 'aac') { + var maxAudioFramesDrift = this.config.maxAudioFramesDrift; + for (var i = 0, nextPts = nextAudioPts; i < inputSamples.length; i++) { + // First, let's see how far off this frame is from where we expect it to be + var sample = inputSamples[i]; + var pts = sample.pts; + var delta = pts - nextPts; + var duration = Math.abs(1000 * delta / inputTimeScale); + + // When remuxing with video, if we're overlapping by more than a duration, drop this sample to stay in sync + if (delta <= -maxAudioFramesDrift * inputSampleDuration && alignedWithVideo) { + if (i === 0) { + logger.warn("Audio frame @ " + (pts / inputTimeScale).toFixed(3) + "s overlaps nextAudioPts by " + Math.round(1000 * delta / inputTimeScale) + " ms."); + this.nextAudioPts = nextAudioPts = nextPts = pts; + } + } // eslint-disable-line brace-style + + // Insert missing frames if: + // 1: We're more than maxAudioFramesDrift frame away + // 2: Not more than MAX_SILENT_FRAME_DURATION away + // 3: currentTime (aka nextPtsNorm) is not 0 + // 4: remuxing with video (videoTimeOffset !== undefined) + else if (delta >= maxAudioFramesDrift * inputSampleDuration && duration < MAX_SILENT_FRAME_DURATION && alignedWithVideo) { + var missing = Math.round(delta / inputSampleDuration); + // Adjust nextPts so that silent samples are aligned with media pts. This will prevent media samples from + // later being shifted if nextPts is based on timeOffset and delta is not a multiple of inputSampleDuration. + nextPts = pts - missing * inputSampleDuration; + if (nextPts < 0) { + missing--; + nextPts += inputSampleDuration; + } + if (i === 0) { + this.nextAudioPts = nextAudioPts = nextPts; + } + logger.warn("[mp4-remuxer]: Injecting " + missing + " audio frame @ " + (nextPts / inputTimeScale).toFixed(3) + "s due to " + Math.round(1000 * delta / inputTimeScale) + " ms gap."); + for (var j = 0; j < missing; j++) { + var newStamp = Math.max(nextPts, 0); + var fillFrame = AAC.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); + if (!fillFrame) { + logger.log('[mp4-remuxer]: Unable to get silent frame for given audio codec; duplicating last frame instead.'); + fillFrame = sample.unit.subarray(); + } + inputSamples.splice(i, 0, { + unit: fillFrame, + pts: newStamp + }); + nextPts += inputSampleDuration; + i++; + } + } + sample.pts = nextPts; + nextPts += inputSampleDuration; + } + } + var firstPTS = null; + var lastPTS = null; + var mdat; + var mdatSize = 0; + var sampleLength = inputSamples.length; + while (sampleLength--) { + mdatSize += inputSamples[sampleLength].unit.byteLength; + } + for (var _j2 = 0, _nbSamples = inputSamples.length; _j2 < _nbSamples; _j2++) { + var audioSample = inputSamples[_j2]; + var unit = audioSample.unit; + var _pts2 = audioSample.pts; + if (lastPTS !== null) { + // If we have more than one sample, set the duration of the sample to the "real" duration; the PTS diff with + // the previous sample + var prevSample = outputSamples[_j2 - 1]; + prevSample.duration = Math.round((_pts2 - lastPTS) / scaleFactor); + } else { + if (contiguous && track.segmentCodec === 'aac') { + // set PTS/DTS to expected PTS/DTS + _pts2 = nextAudioPts; + } + // remember first PTS of our audioSamples + firstPTS = _pts2; + if (mdatSize > 0) { + /* concatenate the audio data and construct the mdat in place + (need 8 more bytes to fill length and mdat type) */ + mdatSize += offset; + try { + mdat = new Uint8Array(mdatSize); + } catch (err) { + this.observer.emit(Events.ERROR, Events.ERROR, { + type: ErrorTypes.MUX_ERROR, + details: ErrorDetails.REMUX_ALLOC_ERROR, + fatal: false, + error: err, + bytes: mdatSize, + reason: "fail allocating audio mdat " + mdatSize + }); + return; + } + if (!rawMPEG) { + var view = new DataView(mdat.buffer); + view.setUint32(0, mdatSize); + mdat.set(MP4.types.mdat, 4); + } + } else { + // no audio samples + return; + } + } + mdat.set(unit, offset); + var unitLen = unit.byteLength; + offset += unitLen; + // Default the sample's duration to the computed mp4SampleDuration, which will either be 1024 for AAC or 1152 for MPEG + // In the case that we have 1 sample, this will be the duration. If we have more than one sample, the duration + // becomes the PTS diff with the previous sample + outputSamples.push(new Mp4Sample(true, mp4SampleDuration, unitLen, 0)); + lastPTS = _pts2; + } + + // We could end up with no audio samples if all input samples were overlapping with the previously remuxed ones + var nbSamples = outputSamples.length; + if (!nbSamples) { + return; + } + + // The next audio sample PTS should be equal to last sample PTS + duration + var lastSample = outputSamples[outputSamples.length - 1]; + this.nextAudioPts = nextAudioPts = lastPTS + scaleFactor * lastSample.duration; + + // Set the track samples from inputSamples to outputSamples before remuxing + var moof = rawMPEG ? new Uint8Array(0) : MP4.moof(track.sequenceNumber++, firstPTS / scaleFactor, _extends({}, track, { + samples: outputSamples + })); + + // Clear the track samples. This also clears the samples array in the demuxer, since the reference is shared + track.samples = []; + var start = firstPTS / inputTimeScale; + var end = nextAudioPts / inputTimeScale; + var type = 'audio'; + var audioData = { + data1: moof, + data2: mdat, + startPTS: start, + endPTS: end, + startDTS: start, + endDTS: end, + type: type, + hasAudio: true, + hasVideo: false, + nb: nbSamples + }; + this.isAudioContiguous = true; + return audioData; + }; + _proto.remuxEmptyAudio = function remuxEmptyAudio(track, timeOffset, contiguous, videoData) { + var inputTimeScale = track.inputTimeScale; + var mp4timeScale = track.samplerate ? track.samplerate : inputTimeScale; + var scaleFactor = inputTimeScale / mp4timeScale; + var nextAudioPts = this.nextAudioPts; + // sync with video's timestamp + var initDTS = this._initDTS; + var init90kHz = initDTS.baseTime * 90000 / initDTS.timescale; + var startDTS = (nextAudioPts !== null ? nextAudioPts : videoData.startDTS * inputTimeScale) + init90kHz; + var endDTS = videoData.endDTS * inputTimeScale + init90kHz; + // one sample's duration value + var frameDuration = scaleFactor * AAC_SAMPLES_PER_FRAME; + // samples count of this segment's duration + var nbSamples = Math.ceil((endDTS - startDTS) / frameDuration); + // silent frame + var silentFrame = AAC.getSilentFrame(track.manifestCodec || track.codec, track.channelCount); + logger.warn('[mp4-remuxer]: remux empty Audio'); + // Can't remux if we can't generate a silent frame... + if (!silentFrame) { + logger.trace('[mp4-remuxer]: Unable to remuxEmptyAudio since we were unable to get a silent frame for given audio codec'); + return; + } + var samples = []; + for (var i = 0; i < nbSamples; i++) { + var stamp = startDTS + i * frameDuration; + samples.push({ + unit: silentFrame, + pts: stamp, + dts: stamp + }); + } + track.samples = samples; + return this.remuxAudio(track, timeOffset, contiguous, false); + }; + return MP4Remuxer; + }(); + function normalizePts(value, reference) { + var offset; + if (reference === null) { + return value; + } + if (reference < value) { + // - 2^33 + offset = -8589934592; + } else { + // + 2^33 + offset = 8589934592; + } + /* PTS is 33bit (from 0 to 2^33 -1) + if diff between value and reference is bigger than half of the amplitude (2^32) then it means that + PTS looping occured. fill the gap */ + while (Math.abs(value - reference) > 4294967296) { + value += offset; + } + return value; + } + function findKeyframeIndex(samples) { + for (var i = 0; i < samples.length; i++) { + if (samples[i].key) { + return i; + } + } + return -1; + } + function flushTextTrackMetadataCueSamples(track, timeOffset, initPTS, initDTS) { + var length = track.samples.length; + if (!length) { + return; + } + var inputTimeScale = track.inputTimeScale; + for (var index = 0; index < length; index++) { + var sample = track.samples[index]; + // setting id3 pts, dts to relative time + // using this._initPTS and this._initDTS to calculate relative time + sample.pts = normalizePts(sample.pts - initPTS.baseTime * inputTimeScale / initPTS.timescale, timeOffset * inputTimeScale) / inputTimeScale; + sample.dts = normalizePts(sample.dts - initDTS.baseTime * inputTimeScale / initDTS.timescale, timeOffset * inputTimeScale) / inputTimeScale; + } + var samples = track.samples; + track.samples = []; + return { + samples: samples + }; + } + function flushTextTrackUserdataCueSamples(track, timeOffset, initPTS) { + var length = track.samples.length; + if (!length) { + return; + } + var inputTimeScale = track.inputTimeScale; + for (var index = 0; index < length; index++) { + var sample = track.samples[index]; + // setting text pts, dts to relative time + // using this._initPTS and this._initDTS to calculate relative time + sample.pts = normalizePts(sample.pts - initPTS.baseTime * inputTimeScale / initPTS.timescale, timeOffset * inputTimeScale) / inputTimeScale; + } + track.samples.sort(function (a, b) { + return a.pts - b.pts; + }); + var samples = track.samples; + track.samples = []; + return { + samples: samples + }; + } + var Mp4Sample = function Mp4Sample(isKeyframe, duration, size, cts) { + this.size = void 0; + this.duration = void 0; + this.cts = void 0; + this.flags = void 0; + this.duration = duration; + this.size = size; + this.cts = cts; + this.flags = { + isLeading: 0, + isDependedOn: 0, + hasRedundancy: 0, + degradPrio: 0, + dependsOn: isKeyframe ? 2 : 1, + isNonSync: isKeyframe ? 0 : 1 + }; + }; + + var PassThroughRemuxer = /*#__PURE__*/function () { + function PassThroughRemuxer() { + this.emitInitSegment = false; + this.audioCodec = void 0; + this.videoCodec = void 0; + this.initData = void 0; + this.initPTS = null; + this.initTracks = void 0; + this.lastEndTime = null; + } + var _proto = PassThroughRemuxer.prototype; + _proto.destroy = function destroy() {}; + _proto.resetTimeStamp = function resetTimeStamp(defaultInitPTS) { + this.initPTS = defaultInitPTS; + this.lastEndTime = null; + }; + _proto.resetNextTimestamp = function resetNextTimestamp() { + this.lastEndTime = null; + }; + _proto.resetInitSegment = function resetInitSegment(initSegment, audioCodec, videoCodec, decryptdata) { + this.audioCodec = audioCodec; + this.videoCodec = videoCodec; + this.generateInitSegment(patchEncyptionData(initSegment, decryptdata)); + this.emitInitSegment = true; + }; + _proto.generateInitSegment = function generateInitSegment(initSegment) { + var audioCodec = this.audioCodec, + videoCodec = this.videoCodec; + if (!(initSegment != null && initSegment.byteLength)) { + this.initTracks = undefined; + this.initData = undefined; + return; + } + var initData = this.initData = parseInitSegment(initSegment); + + // Get codec from initSegment or fallback to default + if (initData.audio) { + audioCodec = getParsedTrackCodec(initData.audio, ElementaryStreamTypes.AUDIO); + } + if (initData.video) { + videoCodec = getParsedTrackCodec(initData.video, ElementaryStreamTypes.VIDEO); + } + var tracks = {}; + if (initData.audio && initData.video) { + tracks.audiovideo = { + container: 'video/mp4', + codec: audioCodec + ',' + videoCodec, + initSegment: initSegment, + id: 'main' + }; + } else if (initData.audio) { + tracks.audio = { + container: 'audio/mp4', + codec: audioCodec, + initSegment: initSegment, + id: 'audio' + }; + } else if (initData.video) { + tracks.video = { + container: 'video/mp4', + codec: videoCodec, + initSegment: initSegment, + id: 'main' + }; + } else { + logger.warn('[passthrough-remuxer.ts]: initSegment does not contain moov or trak boxes.'); + } + this.initTracks = tracks; + }; + _proto.remux = function remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, accurateTimeOffset) { + var _initData, _initData2; + var initPTS = this.initPTS, + lastEndTime = this.lastEndTime; + var result = { + audio: undefined, + video: undefined, + text: textTrack, + id3: id3Track, + initSegment: undefined + }; + + // If we haven't yet set a lastEndDTS, or it was reset, set it to the provided timeOffset. We want to use the + // lastEndDTS over timeOffset whenever possible; during progressive playback, the media source will not update + // the media duration (which is what timeOffset is provided as) before we need to process the next chunk. + if (!isFiniteNumber(lastEndTime)) { + lastEndTime = this.lastEndTime = timeOffset || 0; + } + + // The binary segment data is added to the videoTrack in the mp4demuxer. We don't check to see if the data is only + // audio or video (or both); adding it to video was an arbitrary choice. + var data = videoTrack.samples; + if (!(data != null && data.length)) { + return result; + } + var initSegment = { + initPTS: undefined, + timescale: 1 + }; + var initData = this.initData; + if (!((_initData = initData) != null && _initData.length)) { + this.generateInitSegment(data); + initData = this.initData; + } + if (!((_initData2 = initData) != null && _initData2.length)) { + // We can't remux if the initSegment could not be generated + logger.warn('[passthrough-remuxer.ts]: Failed to generate initSegment.'); + return result; + } + if (this.emitInitSegment) { + initSegment.tracks = this.initTracks; + this.emitInitSegment = false; + } + var duration = getDuration(data, initData); + var startDTS = getStartDTS(initData, data); + var decodeTime = startDTS === null ? timeOffset : startDTS; + if (isInvalidInitPts(initPTS, decodeTime, timeOffset, duration) || initSegment.timescale !== initPTS.timescale && accurateTimeOffset) { + initSegment.initPTS = decodeTime - timeOffset; + if (initPTS && initPTS.timescale === 1) { + logger.warn("Adjusting initPTS by " + (initSegment.initPTS - initPTS.baseTime)); + } + this.initPTS = initPTS = { + baseTime: initSegment.initPTS, + timescale: 1 + }; + } + var startTime = audioTrack ? decodeTime - initPTS.baseTime / initPTS.timescale : lastEndTime; + var endTime = startTime + duration; + offsetStartDTS(initData, data, initPTS.baseTime / initPTS.timescale); + if (duration > 0) { + this.lastEndTime = endTime; + } else { + logger.warn('Duration parsed from mp4 should be greater than zero'); + this.resetNextTimestamp(); + } + var hasAudio = !!initData.audio; + var hasVideo = !!initData.video; + var type = ''; + if (hasAudio) { + type += 'audio'; + } + if (hasVideo) { + type += 'video'; + } + var track = { + data1: data, + startPTS: startTime, + startDTS: startTime, + endPTS: endTime, + endDTS: endTime, + type: type, + hasAudio: hasAudio, + hasVideo: hasVideo, + nb: 1, + dropped: 0 + }; + result.audio = track.type === 'audio' ? track : undefined; + result.video = track.type !== 'audio' ? track : undefined; + result.initSegment = initSegment; + result.id3 = flushTextTrackMetadataCueSamples(id3Track, timeOffset, initPTS, initPTS); + if (textTrack.samples.length) { + result.text = flushTextTrackUserdataCueSamples(textTrack, timeOffset, initPTS); + } + return result; + }; + return PassThroughRemuxer; + }(); + function isInvalidInitPts(initPTS, startDTS, timeOffset, duration) { + if (initPTS === null) { + return true; + } + // InitPTS is invalid when distance from program would be more than segment duration or a minimum of one second + var minDuration = Math.max(duration, 1); + var startTime = startDTS - initPTS.baseTime / initPTS.timescale; + return Math.abs(startTime - timeOffset) > minDuration; + } + function getParsedTrackCodec(track, type) { + var parsedCodec = track == null ? void 0 : track.codec; + if (parsedCodec && parsedCodec.length > 4) { + return parsedCodec; + } + if (type === ElementaryStreamTypes.AUDIO) { + if (parsedCodec === 'ec-3' || parsedCodec === 'ac-3' || parsedCodec === 'alac') { + return parsedCodec; + } + if (parsedCodec === 'fLaC' || parsedCodec === 'Opus') { + // Opting not to get `preferManagedMediaSource` from player config for isSupported() check for simplicity + var preferManagedMediaSource = false; + return getCodecCompatibleName(parsedCodec, preferManagedMediaSource); + } + var result = 'mp4a.40.5'; + logger.info("Parsed audio codec \"" + parsedCodec + "\" or audio object type not handled. Using \"" + result + "\""); + return result; + } + // Provide defaults based on codec type + // This allows for some playback of some fmp4 playlists without CODECS defined in manifest + logger.warn("Unhandled video codec \"" + parsedCodec + "\""); + if (parsedCodec === 'hvc1' || parsedCodec === 'hev1') { + return 'hvc1.1.6.L120.90'; + } + if (parsedCodec === 'av01') { + return 'av01.0.04M.08'; + } + return 'avc1.42e01e'; + } + + var now; + // performance.now() not available on WebWorker, at least on Safari Desktop + try { + now = self.performance.now.bind(self.performance); + } catch (err) { + logger.debug('Unable to use Performance API on this environment'); + now = optionalSelf == null ? void 0 : optionalSelf.Date.now; + } + var muxConfig = [{ + demux: MP4Demuxer, + remux: PassThroughRemuxer + }, { + demux: TSDemuxer, + remux: MP4Remuxer + }, { + demux: AACDemuxer, + remux: MP4Remuxer + }, { + demux: MP3Demuxer, + remux: MP4Remuxer + }]; + { + muxConfig.splice(2, 0, { + demux: AC3Demuxer, + remux: MP4Remuxer + }); + } + var Transmuxer = /*#__PURE__*/function () { + function Transmuxer(observer, typeSupported, config, vendor, id) { + this.async = false; + this.observer = void 0; + this.typeSupported = void 0; + this.config = void 0; + this.vendor = void 0; + this.id = void 0; + this.demuxer = void 0; + this.remuxer = void 0; + this.decrypter = void 0; + this.probe = void 0; + this.decryptionPromise = null; + this.transmuxConfig = void 0; + this.currentTransmuxState = void 0; + this.observer = observer; + this.typeSupported = typeSupported; + this.config = config; + this.vendor = vendor; + this.id = id; + } + var _proto = Transmuxer.prototype; + _proto.configure = function configure(transmuxConfig) { + this.transmuxConfig = transmuxConfig; + if (this.decrypter) { + this.decrypter.reset(); + } + }; + _proto.push = function push(data, decryptdata, chunkMeta, state) { + var _this = this; + var stats = chunkMeta.transmuxing; + stats.executeStart = now(); + var uintData = new Uint8Array(data); + var currentTransmuxState = this.currentTransmuxState, + transmuxConfig = this.transmuxConfig; + if (state) { + this.currentTransmuxState = state; + } + var _ref = state || currentTransmuxState, + contiguous = _ref.contiguous, + discontinuity = _ref.discontinuity, + trackSwitch = _ref.trackSwitch, + accurateTimeOffset = _ref.accurateTimeOffset, + timeOffset = _ref.timeOffset, + initSegmentChange = _ref.initSegmentChange; + var audioCodec = transmuxConfig.audioCodec, + videoCodec = transmuxConfig.videoCodec, + defaultInitPts = transmuxConfig.defaultInitPts, + duration = transmuxConfig.duration, + initSegmentData = transmuxConfig.initSegmentData; + var keyData = getEncryptionType(uintData, decryptdata); + if (keyData && keyData.method === 'AES-128') { + var decrypter = this.getDecrypter(); + // Software decryption is synchronous; webCrypto is not + if (decrypter.isSync()) { + // Software decryption is progressive. Progressive decryption may not return a result on each call. Any cached + // data is handled in the flush() call + var decryptedData = decrypter.softwareDecrypt(uintData, keyData.key.buffer, keyData.iv.buffer); + // For Low-Latency HLS Parts, decrypt in place, since part parsing is expected on push progress + var loadingParts = chunkMeta.part > -1; + if (loadingParts) { + decryptedData = decrypter.flush(); + } + if (!decryptedData) { + stats.executeEnd = now(); + return emptyResult(chunkMeta); + } + uintData = new Uint8Array(decryptedData); + } else { + this.decryptionPromise = decrypter.webCryptoDecrypt(uintData, keyData.key.buffer, keyData.iv.buffer).then(function (decryptedData) { + // Calling push here is important; if flush() is called while this is still resolving, this ensures that + // the decrypted data has been transmuxed + var result = _this.push(decryptedData, null, chunkMeta); + _this.decryptionPromise = null; + return result; + }); + return this.decryptionPromise; + } + } + var resetMuxers = this.needsProbing(discontinuity, trackSwitch); + if (resetMuxers) { + var error = this.configureTransmuxer(uintData); + if (error) { + logger.warn("[transmuxer] " + error.message); + this.observer.emit(Events.ERROR, Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + fatal: false, + error: error, + reason: error.message + }); + stats.executeEnd = now(); + return emptyResult(chunkMeta); + } + } + if (discontinuity || trackSwitch || initSegmentChange || resetMuxers) { + this.resetInitSegment(initSegmentData, audioCodec, videoCodec, duration, decryptdata); + } + if (discontinuity || initSegmentChange || resetMuxers) { + this.resetInitialTimestamp(defaultInitPts); + } + if (!contiguous) { + this.resetContiguity(); + } + var result = this.transmux(uintData, keyData, timeOffset, accurateTimeOffset, chunkMeta); + var currentState = this.currentTransmuxState; + currentState.contiguous = true; + currentState.discontinuity = false; + currentState.trackSwitch = false; + stats.executeEnd = now(); + return result; + } + + // Due to data caching, flush calls can produce more than one TransmuxerResult (hence the Array type) + ; + _proto.flush = function flush(chunkMeta) { + var _this2 = this; + var stats = chunkMeta.transmuxing; + stats.executeStart = now(); + var decrypter = this.decrypter, + currentTransmuxState = this.currentTransmuxState, + decryptionPromise = this.decryptionPromise; + if (decryptionPromise) { + // Upon resolution, the decryption promise calls push() and returns its TransmuxerResult up the stack. Therefore + // only flushing is required for async decryption + return decryptionPromise.then(function () { + return _this2.flush(chunkMeta); + }); + } + var transmuxResults = []; + var timeOffset = currentTransmuxState.timeOffset; + if (decrypter) { + // The decrypter may have data cached, which needs to be demuxed. In this case we'll have two TransmuxResults + // This happens in the case that we receive only 1 push call for a segment (either for non-progressive downloads, + // or for progressive downloads with small segments) + var decryptedData = decrypter.flush(); + if (decryptedData) { + // Push always returns a TransmuxerResult if decryptdata is null + transmuxResults.push(this.push(decryptedData, null, chunkMeta)); + } + } + var demuxer = this.demuxer, + remuxer = this.remuxer; + if (!demuxer || !remuxer) { + // If probing failed, then Hls.js has been given content its not able to handle + stats.executeEnd = now(); + return [emptyResult(chunkMeta)]; + } + var demuxResultOrPromise = demuxer.flush(timeOffset); + if (isPromise(demuxResultOrPromise)) { + // Decrypt final SAMPLE-AES samples + return demuxResultOrPromise.then(function (demuxResult) { + _this2.flushRemux(transmuxResults, demuxResult, chunkMeta); + return transmuxResults; + }); + } + this.flushRemux(transmuxResults, demuxResultOrPromise, chunkMeta); + return transmuxResults; + }; + _proto.flushRemux = function flushRemux(transmuxResults, demuxResult, chunkMeta) { + var audioTrack = demuxResult.audioTrack, + videoTrack = demuxResult.videoTrack, + id3Track = demuxResult.id3Track, + textTrack = demuxResult.textTrack; + var _this$currentTransmux = this.currentTransmuxState, + accurateTimeOffset = _this$currentTransmux.accurateTimeOffset, + timeOffset = _this$currentTransmux.timeOffset; + logger.log("[transmuxer.ts]: Flushed fragment " + chunkMeta.sn + (chunkMeta.part > -1 ? ' p: ' + chunkMeta.part : '') + " of level " + chunkMeta.level); + var remuxResult = this.remuxer.remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, accurateTimeOffset, true, this.id); + transmuxResults.push({ + remuxResult: remuxResult, + chunkMeta: chunkMeta + }); + chunkMeta.transmuxing.executeEnd = now(); + }; + _proto.resetInitialTimestamp = function resetInitialTimestamp(defaultInitPts) { + var demuxer = this.demuxer, + remuxer = this.remuxer; + if (!demuxer || !remuxer) { + return; + } + demuxer.resetTimeStamp(defaultInitPts); + remuxer.resetTimeStamp(defaultInitPts); + }; + _proto.resetContiguity = function resetContiguity() { + var demuxer = this.demuxer, + remuxer = this.remuxer; + if (!demuxer || !remuxer) { + return; + } + demuxer.resetContiguity(); + remuxer.resetNextTimestamp(); + }; + _proto.resetInitSegment = function resetInitSegment(initSegmentData, audioCodec, videoCodec, trackDuration, decryptdata) { + var demuxer = this.demuxer, + remuxer = this.remuxer; + if (!demuxer || !remuxer) { + return; + } + demuxer.resetInitSegment(initSegmentData, audioCodec, videoCodec, trackDuration); + remuxer.resetInitSegment(initSegmentData, audioCodec, videoCodec, decryptdata); + }; + _proto.destroy = function destroy() { + if (this.demuxer) { + this.demuxer.destroy(); + this.demuxer = undefined; + } + if (this.remuxer) { + this.remuxer.destroy(); + this.remuxer = undefined; + } + }; + _proto.transmux = function transmux(data, keyData, timeOffset, accurateTimeOffset, chunkMeta) { + var result; + if (keyData && keyData.method === 'SAMPLE-AES') { + result = this.transmuxSampleAes(data, keyData, timeOffset, accurateTimeOffset, chunkMeta); + } else { + result = this.transmuxUnencrypted(data, timeOffset, accurateTimeOffset, chunkMeta); + } + return result; + }; + _proto.transmuxUnencrypted = function transmuxUnencrypted(data, timeOffset, accurateTimeOffset, chunkMeta) { + var _demux = this.demuxer.demux(data, timeOffset, false, !this.config.progressive), + audioTrack = _demux.audioTrack, + videoTrack = _demux.videoTrack, + id3Track = _demux.id3Track, + textTrack = _demux.textTrack; + var remuxResult = this.remuxer.remux(audioTrack, videoTrack, id3Track, textTrack, timeOffset, accurateTimeOffset, false, this.id); + return { + remuxResult: remuxResult, + chunkMeta: chunkMeta + }; + }; + _proto.transmuxSampleAes = function transmuxSampleAes(data, decryptData, timeOffset, accurateTimeOffset, chunkMeta) { + var _this3 = this; + return this.demuxer.demuxSampleAes(data, decryptData, timeOffset).then(function (demuxResult) { + var remuxResult = _this3.remuxer.remux(demuxResult.audioTrack, demuxResult.videoTrack, demuxResult.id3Track, demuxResult.textTrack, timeOffset, accurateTimeOffset, false, _this3.id); + return { + remuxResult: remuxResult, + chunkMeta: chunkMeta + }; + }); + }; + _proto.configureTransmuxer = function configureTransmuxer(data) { + var config = this.config, + observer = this.observer, + typeSupported = this.typeSupported, + vendor = this.vendor; + // probe for content type + var mux; + for (var i = 0, len = muxConfig.length; i < len; i++) { + var _muxConfig$i$demux; + if ((_muxConfig$i$demux = muxConfig[i].demux) != null && _muxConfig$i$demux.probe(data)) { + mux = muxConfig[i]; + break; + } + } + if (!mux) { + return new Error('Failed to find demuxer by probing fragment data'); + } + // so let's check that current remuxer and demuxer are still valid + var demuxer = this.demuxer; + var remuxer = this.remuxer; + var Remuxer = mux.remux; + var Demuxer = mux.demux; + if (!remuxer || !(remuxer instanceof Remuxer)) { + this.remuxer = new Remuxer(observer, config, typeSupported, vendor); + } + if (!demuxer || !(demuxer instanceof Demuxer)) { + this.demuxer = new Demuxer(observer, config, typeSupported); + this.probe = Demuxer.probe; + } + }; + _proto.needsProbing = function needsProbing(discontinuity, trackSwitch) { + // in case of continuity change, or track switch + // we might switch from content type (AAC container to TS container, or TS to fmp4 for example) + return !this.demuxer || !this.remuxer || discontinuity || trackSwitch; + }; + _proto.getDecrypter = function getDecrypter() { + var decrypter = this.decrypter; + if (!decrypter) { + decrypter = this.decrypter = new Decrypter(this.config); + } + return decrypter; + }; + return Transmuxer; + }(); + function getEncryptionType(data, decryptData) { + var encryptionType = null; + if (data.byteLength > 0 && (decryptData == null ? void 0 : decryptData.key) != null && decryptData.iv !== null && decryptData.method != null) { + encryptionType = decryptData; + } + return encryptionType; + } + var emptyResult = function emptyResult(chunkMeta) { + return { + remuxResult: {}, + chunkMeta: chunkMeta + }; + }; + function isPromise(p) { + return 'then' in p && p.then instanceof Function; + } + var TransmuxConfig = function TransmuxConfig(audioCodec, videoCodec, initSegmentData, duration, defaultInitPts) { + this.audioCodec = void 0; + this.videoCodec = void 0; + this.initSegmentData = void 0; + this.duration = void 0; + this.defaultInitPts = void 0; + this.audioCodec = audioCodec; + this.videoCodec = videoCodec; + this.initSegmentData = initSegmentData; + this.duration = duration; + this.defaultInitPts = defaultInitPts || null; + }; + var TransmuxState = function TransmuxState(discontinuity, contiguous, accurateTimeOffset, trackSwitch, timeOffset, initSegmentChange) { + this.discontinuity = void 0; + this.contiguous = void 0; + this.accurateTimeOffset = void 0; + this.trackSwitch = void 0; + this.timeOffset = void 0; + this.initSegmentChange = void 0; + this.discontinuity = discontinuity; + this.contiguous = contiguous; + this.accurateTimeOffset = accurateTimeOffset; + this.trackSwitch = trackSwitch; + this.timeOffset = timeOffset; + this.initSegmentChange = initSegmentChange; + }; + + var eventemitter3 = {exports: {}}; + + (function (module) { + + var has = Object.prototype.hasOwnProperty + , prefix = '~'; + + /** + * Constructor to create a storage for our `EE` objects. + * An `Events` instance is a plain object whose properties are event names. + * + * @constructor + * @private + */ + function Events() {} + + // + // We try to not inherit from `Object.prototype`. In some engines creating an + // instance in this way is faster than calling `Object.create(null)` directly. + // If `Object.create(null)` is not supported we prefix the event names with a + // character to make sure that the built-in object properties are not + // overridden or used as an attack vector. + // + if (Object.create) { + Events.prototype = Object.create(null); + + // + // This hack is needed because the `__proto__` property is still inherited in + // some old browsers like Android 4, iPhone 5.1, Opera 11 and Safari 5. + // + if (!new Events().__proto__) prefix = false; + } + + /** + * Representation of a single event listener. + * + * @param {Function} fn The listener function. + * @param {*} context The context to invoke the listener with. + * @param {Boolean} [once=false] Specify if the listener is a one-time listener. + * @constructor + * @private + */ + function EE(fn, context, once) { + this.fn = fn; + this.context = context; + this.once = once || false; + } + + /** + * Add a listener for a given event. + * + * @param {EventEmitter} emitter Reference to the `EventEmitter` instance. + * @param {(String|Symbol)} event The event name. + * @param {Function} fn The listener function. + * @param {*} context The context to invoke the listener with. + * @param {Boolean} once Specify if the listener is a one-time listener. + * @returns {EventEmitter} + * @private + */ + function addListener(emitter, event, fn, context, once) { + if (typeof fn !== 'function') { + throw new TypeError('The listener must be a function'); + } + + var listener = new EE(fn, context || emitter, once) + , evt = prefix ? prefix + event : event; + + if (!emitter._events[evt]) emitter._events[evt] = listener, emitter._eventsCount++; + else if (!emitter._events[evt].fn) emitter._events[evt].push(listener); + else emitter._events[evt] = [emitter._events[evt], listener]; + + return emitter; + } + + /** + * Clear event by name. + * + * @param {EventEmitter} emitter Reference to the `EventEmitter` instance. + * @param {(String|Symbol)} evt The Event name. + * @private + */ + function clearEvent(emitter, evt) { + if (--emitter._eventsCount === 0) emitter._events = new Events(); + else delete emitter._events[evt]; + } + + /** + * Minimal `EventEmitter` interface that is molded against the Node.js + * `EventEmitter` interface. + * + * @constructor + * @public + */ + function EventEmitter() { + this._events = new Events(); + this._eventsCount = 0; + } + + /** + * Return an array listing the events for which the emitter has registered + * listeners. + * + * @returns {Array} + * @public + */ + EventEmitter.prototype.eventNames = function eventNames() { + var names = [] + , events + , name; + + if (this._eventsCount === 0) return names; + + for (name in (events = this._events)) { + if (has.call(events, name)) names.push(prefix ? name.slice(1) : name); + } + + if (Object.getOwnPropertySymbols) { + return names.concat(Object.getOwnPropertySymbols(events)); + } + + return names; + }; + + /** + * Return the listeners registered for a given event. + * + * @param {(String|Symbol)} event The event name. + * @returns {Array} The registered listeners. + * @public + */ + EventEmitter.prototype.listeners = function listeners(event) { + var evt = prefix ? prefix + event : event + , handlers = this._events[evt]; + + if (!handlers) return []; + if (handlers.fn) return [handlers.fn]; + + for (var i = 0, l = handlers.length, ee = new Array(l); i < l; i++) { + ee[i] = handlers[i].fn; + } + + return ee; + }; + + /** + * Return the number of listeners listening to a given event. + * + * @param {(String|Symbol)} event The event name. + * @returns {Number} The number of listeners. + * @public + */ + EventEmitter.prototype.listenerCount = function listenerCount(event) { + var evt = prefix ? prefix + event : event + , listeners = this._events[evt]; + + if (!listeners) return 0; + if (listeners.fn) return 1; + return listeners.length; + }; + + /** + * Calls each of the listeners registered for a given event. + * + * @param {(String|Symbol)} event The event name. + * @returns {Boolean} `true` if the event had listeners, else `false`. + * @public + */ + EventEmitter.prototype.emit = function emit(event, a1, a2, a3, a4, a5) { + var evt = prefix ? prefix + event : event; + + if (!this._events[evt]) return false; + + var listeners = this._events[evt] + , len = arguments.length + , args + , i; + + if (listeners.fn) { + if (listeners.once) this.removeListener(event, listeners.fn, undefined, true); + + switch (len) { + case 1: return listeners.fn.call(listeners.context), true; + case 2: return listeners.fn.call(listeners.context, a1), true; + case 3: return listeners.fn.call(listeners.context, a1, a2), true; + case 4: return listeners.fn.call(listeners.context, a1, a2, a3), true; + case 5: return listeners.fn.call(listeners.context, a1, a2, a3, a4), true; + case 6: return listeners.fn.call(listeners.context, a1, a2, a3, a4, a5), true; + } + + for (i = 1, args = new Array(len -1); i < len; i++) { + args[i - 1] = arguments[i]; + } + + listeners.fn.apply(listeners.context, args); + } else { + var length = listeners.length + , j; + + for (i = 0; i < length; i++) { + if (listeners[i].once) this.removeListener(event, listeners[i].fn, undefined, true); + + switch (len) { + case 1: listeners[i].fn.call(listeners[i].context); break; + case 2: listeners[i].fn.call(listeners[i].context, a1); break; + case 3: listeners[i].fn.call(listeners[i].context, a1, a2); break; + case 4: listeners[i].fn.call(listeners[i].context, a1, a2, a3); break; + default: + if (!args) for (j = 1, args = new Array(len -1); j < len; j++) { + args[j - 1] = arguments[j]; + } + + listeners[i].fn.apply(listeners[i].context, args); + } + } + } + + return true; + }; + + /** + * Add a listener for a given event. + * + * @param {(String|Symbol)} event The event name. + * @param {Function} fn The listener function. + * @param {*} [context=this] The context to invoke the listener with. + * @returns {EventEmitter} `this`. + * @public + */ + EventEmitter.prototype.on = function on(event, fn, context) { + return addListener(this, event, fn, context, false); + }; + + /** + * Add a one-time listener for a given event. + * + * @param {(String|Symbol)} event The event name. + * @param {Function} fn The listener function. + * @param {*} [context=this] The context to invoke the listener with. + * @returns {EventEmitter} `this`. + * @public + */ + EventEmitter.prototype.once = function once(event, fn, context) { + return addListener(this, event, fn, context, true); + }; + + /** + * Remove the listeners of a given event. + * + * @param {(String|Symbol)} event The event name. + * @param {Function} fn Only remove the listeners that match this function. + * @param {*} context Only remove the listeners that have this context. + * @param {Boolean} once Only remove one-time listeners. + * @returns {EventEmitter} `this`. + * @public + */ + EventEmitter.prototype.removeListener = function removeListener(event, fn, context, once) { + var evt = prefix ? prefix + event : event; + + if (!this._events[evt]) return this; + if (!fn) { + clearEvent(this, evt); + return this; + } + + var listeners = this._events[evt]; + + if (listeners.fn) { + if ( + listeners.fn === fn && + (!once || listeners.once) && + (!context || listeners.context === context) + ) { + clearEvent(this, evt); + } + } else { + for (var i = 0, events = [], length = listeners.length; i < length; i++) { + if ( + listeners[i].fn !== fn || + (once && !listeners[i].once) || + (context && listeners[i].context !== context) + ) { + events.push(listeners[i]); + } + } + + // + // Reset the array, or remove it completely if we have no more listeners. + // + if (events.length) this._events[evt] = events.length === 1 ? events[0] : events; + else clearEvent(this, evt); + } + + return this; + }; + + /** + * Remove all listeners, or those of the specified event. + * + * @param {(String|Symbol)} [event] The event name. + * @returns {EventEmitter} `this`. + * @public + */ + EventEmitter.prototype.removeAllListeners = function removeAllListeners(event) { + var evt; + + if (event) { + evt = prefix ? prefix + event : event; + if (this._events[evt]) clearEvent(this, evt); + } else { + this._events = new Events(); + this._eventsCount = 0; + } + + return this; + }; + + // + // Alias methods names because people roll like that. + // + EventEmitter.prototype.off = EventEmitter.prototype.removeListener; + EventEmitter.prototype.addListener = EventEmitter.prototype.on; + + // + // Expose the prefix. + // + EventEmitter.prefixed = prefix; + + // + // Allow `EventEmitter` to be imported as module namespace. + // + EventEmitter.EventEmitter = EventEmitter; + + // + // Expose the module. + // + { + module.exports = EventEmitter; + } + } (eventemitter3)); + + var eventemitter3Exports = eventemitter3.exports; + var EventEmitter = /*@__PURE__*/getDefaultExportFromCjs(eventemitter3Exports); + + if (typeof __IN_WORKER__ !== 'undefined' && __IN_WORKER__) { + startWorker(self); + } + function startWorker(self) { + var observer = new EventEmitter(); + var forwardMessage = function forwardMessage(ev, data) { + self.postMessage({ + event: ev, + data: data + }); + }; + + // forward events to main thread + observer.on(Events.FRAG_DECRYPTED, forwardMessage); + observer.on(Events.ERROR, forwardMessage); + + // forward logger events to main thread + var forwardWorkerLogs = function forwardWorkerLogs() { + var _loop = function _loop(logFn) { + var func = function func(message) { + forwardMessage('workerLog', { + logType: logFn, + message: message + }); + }; + logger[logFn] = func; + }; + for (var logFn in logger) { + _loop(logFn); + } + }; + self.addEventListener('message', function (ev) { + var data = ev.data; + switch (data.cmd) { + case 'init': + { + var config = JSON.parse(data.config); + self.transmuxer = new Transmuxer(observer, data.typeSupported, config, '', data.id); + enableLogs(config.debug, data.id); + forwardWorkerLogs(); + forwardMessage('init', null); + break; + } + case 'configure': + { + self.transmuxer.configure(data.config); + break; + } + case 'demux': + { + var transmuxResult = self.transmuxer.push(data.data, data.decryptdata, data.chunkMeta, data.state); + if (isPromise(transmuxResult)) { + self.transmuxer.async = true; + transmuxResult.then(function (data) { + emitTransmuxComplete(self, data); + }).catch(function (error) { + forwardMessage(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + chunkMeta: data.chunkMeta, + fatal: false, + error: error, + err: error, + reason: "transmuxer-worker push error" + }); + }); + } else { + self.transmuxer.async = false; + emitTransmuxComplete(self, transmuxResult); + } + break; + } + case 'flush': + { + var id = data.chunkMeta; + var _transmuxResult = self.transmuxer.flush(id); + var asyncFlush = isPromise(_transmuxResult); + if (asyncFlush || self.transmuxer.async) { + if (!isPromise(_transmuxResult)) { + _transmuxResult = Promise.resolve(_transmuxResult); + } + _transmuxResult.then(function (results) { + handleFlushResult(self, results, id); + }).catch(function (error) { + forwardMessage(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + chunkMeta: data.chunkMeta, + fatal: false, + error: error, + err: error, + reason: "transmuxer-worker flush error" + }); + }); + } else { + handleFlushResult(self, _transmuxResult, id); + } + break; + } + } + }); + } + function emitTransmuxComplete(self, transmuxResult) { + if (isEmptyResult(transmuxResult.remuxResult)) { + return false; + } + var transferable = []; + var _transmuxResult$remux = transmuxResult.remuxResult, + audio = _transmuxResult$remux.audio, + video = _transmuxResult$remux.video; + if (audio) { + addToTransferable(transferable, audio); + } + if (video) { + addToTransferable(transferable, video); + } + self.postMessage({ + event: 'transmuxComplete', + data: transmuxResult + }, transferable); + return true; + } + + // Converts data to a transferable object https://developers.google.com/web/updates/2011/12/Transferable-Objects-Lightning-Fast) + // in order to minimize message passing overhead + function addToTransferable(transferable, track) { + if (track.data1) { + transferable.push(track.data1.buffer); + } + if (track.data2) { + transferable.push(track.data2.buffer); + } + } + function handleFlushResult(self, results, chunkMeta) { + var parsed = results.reduce(function (parsed, result) { + return emitTransmuxComplete(self, result) || parsed; + }, false); + if (!parsed) { + // Emit at least one "transmuxComplete" message even if media is not found to update stream-controller state to PARSING + self.postMessage({ + event: 'transmuxComplete', + data: results[0] + }); + } + self.postMessage({ + event: 'flush', + data: chunkMeta + }); + } + function isEmptyResult(remuxResult) { + return !remuxResult.audio && !remuxResult.video && !remuxResult.text && !remuxResult.id3 && !remuxResult.initSegment; + } + + // ensure the worker ends up in the bundle + // If the worker should not be included this gets aliased to empty.js + function hasUMDWorker() { + return typeof __HLS_WORKER_BUNDLE__ === 'function'; + } + function injectWorker() { + var blob = new self.Blob(["var exports={};var module={exports:exports};function define(f){f()};define.amd=true;(" + __HLS_WORKER_BUNDLE__.toString() + ")(true);"], { + type: 'text/javascript' + }); + var objectURL = self.URL.createObjectURL(blob); + var worker = new self.Worker(objectURL); + return { + worker: worker, + objectURL: objectURL + }; + } + function loadWorker(path) { + var scriptURL = new self.URL(path, self.location.href).href; + var worker = new self.Worker(scriptURL); + return { + worker: worker, + scriptURL: scriptURL + }; + } + + var TransmuxerInterface = /*#__PURE__*/function () { + function TransmuxerInterface(hls, id, onTransmuxComplete, onFlush) { + var _this = this; + this.error = null; + this.hls = void 0; + this.id = void 0; + this.observer = void 0; + this.frag = null; + this.part = null; + this.useWorker = void 0; + this.workerContext = null; + this.onwmsg = void 0; + this.transmuxer = null; + this.onTransmuxComplete = void 0; + this.onFlush = void 0; + var config = hls.config; + this.hls = hls; + this.id = id; + this.useWorker = !!config.enableWorker; + this.onTransmuxComplete = onTransmuxComplete; + this.onFlush = onFlush; + var forwardMessage = function forwardMessage(ev, data) { + data = data || {}; + data.frag = _this.frag; + data.id = _this.id; + if (ev === Events.ERROR) { + _this.error = data.error; + } + _this.hls.trigger(ev, data); + }; + + // forward events to main thread + this.observer = new EventEmitter(); + this.observer.on(Events.FRAG_DECRYPTED, forwardMessage); + this.observer.on(Events.ERROR, forwardMessage); + var MediaSource = getMediaSource(config.preferManagedMediaSource) || { + isTypeSupported: function isTypeSupported() { + return false; + } + }; + var m2tsTypeSupported = { + mpeg: MediaSource.isTypeSupported('audio/mpeg'), + mp3: MediaSource.isTypeSupported('audio/mp4; codecs="mp3"'), + ac3: MediaSource.isTypeSupported('audio/mp4; codecs="ac-3"') + }; + if (this.useWorker && typeof Worker !== 'undefined') { + var canCreateWorker = config.workerPath || hasUMDWorker(); + if (canCreateWorker) { + try { + if (config.workerPath) { + logger.log("loading Web Worker " + config.workerPath + " for \"" + id + "\""); + this.workerContext = loadWorker(config.workerPath); + } else { + logger.log("injecting Web Worker for \"" + id + "\""); + this.workerContext = injectWorker(); + } + this.onwmsg = function (event) { + return _this.onWorkerMessage(event); + }; + var worker = this.workerContext.worker; + worker.addEventListener('message', this.onwmsg); + worker.onerror = function (event) { + var error = new Error(event.message + " (" + event.filename + ":" + event.lineno + ")"); + config.enableWorker = false; + logger.warn("Error in \"" + id + "\" Web Worker, fallback to inline"); + _this.hls.trigger(Events.ERROR, { + type: ErrorTypes.OTHER_ERROR, + details: ErrorDetails.INTERNAL_EXCEPTION, + fatal: false, + event: 'demuxerWorker', + error: error + }); + }; + worker.postMessage({ + cmd: 'init', + typeSupported: m2tsTypeSupported, + vendor: '', + id: id, + config: JSON.stringify(config) + }); + } catch (err) { + logger.warn("Error setting up \"" + id + "\" Web Worker, fallback to inline", err); + this.resetWorker(); + this.error = null; + this.transmuxer = new Transmuxer(this.observer, m2tsTypeSupported, config, '', id); + } + return; + } + } + this.transmuxer = new Transmuxer(this.observer, m2tsTypeSupported, config, '', id); + } + var _proto = TransmuxerInterface.prototype; + _proto.resetWorker = function resetWorker() { + if (this.workerContext) { + var _this$workerContext = this.workerContext, + worker = _this$workerContext.worker, + objectURL = _this$workerContext.objectURL; + if (objectURL) { + // revoke the Object URL that was used to create transmuxer worker, so as not to leak it + self.URL.revokeObjectURL(objectURL); + } + worker.removeEventListener('message', this.onwmsg); + worker.onerror = null; + worker.terminate(); + this.workerContext = null; + } + }; + _proto.destroy = function destroy() { + if (this.workerContext) { + this.resetWorker(); + this.onwmsg = undefined; + } else { + var transmuxer = this.transmuxer; + if (transmuxer) { + transmuxer.destroy(); + this.transmuxer = null; + } + } + var observer = this.observer; + if (observer) { + observer.removeAllListeners(); + } + this.frag = null; + // @ts-ignore + this.observer = null; + // @ts-ignore + this.hls = null; + }; + _proto.push = function push(data, initSegmentData, audioCodec, videoCodec, frag, part, duration, accurateTimeOffset, chunkMeta, defaultInitPTS) { + var _frag$initSegment, + _lastFrag$initSegment, + _this2 = this; + chunkMeta.transmuxing.start = self.performance.now(); + var transmuxer = this.transmuxer; + var timeOffset = part ? part.start : frag.start; + // TODO: push "clear-lead" decrypt data for unencrypted fragments in streams with encrypted ones + var decryptdata = frag.decryptdata; + var lastFrag = this.frag; + var discontinuity = !(lastFrag && frag.cc === lastFrag.cc); + var trackSwitch = !(lastFrag && chunkMeta.level === lastFrag.level); + var snDiff = lastFrag ? chunkMeta.sn - lastFrag.sn : -1; + var partDiff = this.part ? chunkMeta.part - this.part.index : -1; + var progressive = snDiff === 0 && chunkMeta.id > 1 && chunkMeta.id === (lastFrag == null ? void 0 : lastFrag.stats.chunkCount); + var contiguous = !trackSwitch && (snDiff === 1 || snDiff === 0 && (partDiff === 1 || progressive && partDiff <= 0)); + var now = self.performance.now(); + if (trackSwitch || snDiff || frag.stats.parsing.start === 0) { + frag.stats.parsing.start = now; + } + if (part && (partDiff || !contiguous)) { + part.stats.parsing.start = now; + } + var initSegmentChange = !(lastFrag && ((_frag$initSegment = frag.initSegment) == null ? void 0 : _frag$initSegment.url) === ((_lastFrag$initSegment = lastFrag.initSegment) == null ? void 0 : _lastFrag$initSegment.url)); + var state = new TransmuxState(discontinuity, contiguous, accurateTimeOffset, trackSwitch, timeOffset, initSegmentChange); + if (!contiguous || discontinuity || initSegmentChange) { + logger.log("[transmuxer-interface, " + frag.type + "]: Starting new transmux session for sn: " + chunkMeta.sn + " p: " + chunkMeta.part + " level: " + chunkMeta.level + " id: " + chunkMeta.id + "\n discontinuity: " + discontinuity + "\n trackSwitch: " + trackSwitch + "\n contiguous: " + contiguous + "\n accurateTimeOffset: " + accurateTimeOffset + "\n timeOffset: " + timeOffset + "\n initSegmentChange: " + initSegmentChange); + var config = new TransmuxConfig(audioCodec, videoCodec, initSegmentData, duration, defaultInitPTS); + this.configureTransmuxer(config); + } + this.frag = frag; + this.part = part; + + // Frags with sn of 'initSegment' are not transmuxed + if (this.workerContext) { + // post fragment payload as transferable objects for ArrayBuffer (no copy) + this.workerContext.worker.postMessage({ + cmd: 'demux', + data: data, + decryptdata: decryptdata, + chunkMeta: chunkMeta, + state: state + }, data instanceof ArrayBuffer ? [data] : []); + } else if (transmuxer) { + var _transmuxResult = transmuxer.push(data, decryptdata, chunkMeta, state); + if (isPromise(_transmuxResult)) { + transmuxer.async = true; + _transmuxResult.then(function (data) { + _this2.handleTransmuxComplete(data); + }).catch(function (error) { + _this2.transmuxerError(error, chunkMeta, 'transmuxer-interface push error'); + }); + } else { + transmuxer.async = false; + this.handleTransmuxComplete(_transmuxResult); + } + } + }; + _proto.flush = function flush(chunkMeta) { + var _this3 = this; + chunkMeta.transmuxing.start = self.performance.now(); + var transmuxer = this.transmuxer; + if (this.workerContext) { + this.workerContext.worker.postMessage({ + cmd: 'flush', + chunkMeta: chunkMeta + }); + } else if (transmuxer) { + var _transmuxResult2 = transmuxer.flush(chunkMeta); + var asyncFlush = isPromise(_transmuxResult2); + if (asyncFlush || transmuxer.async) { + if (!isPromise(_transmuxResult2)) { + _transmuxResult2 = Promise.resolve(_transmuxResult2); + } + _transmuxResult2.then(function (data) { + _this3.handleFlushResult(data, chunkMeta); + }).catch(function (error) { + _this3.transmuxerError(error, chunkMeta, 'transmuxer-interface flush error'); + }); + } else { + this.handleFlushResult(_transmuxResult2, chunkMeta); + } + } + }; + _proto.transmuxerError = function transmuxerError(error, chunkMeta, reason) { + if (!this.hls) { + return; + } + this.error = error; + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_PARSING_ERROR, + chunkMeta: chunkMeta, + frag: this.frag || undefined, + fatal: false, + error: error, + err: error, + reason: reason + }); + }; + _proto.handleFlushResult = function handleFlushResult(results, chunkMeta) { + var _this4 = this; + results.forEach(function (result) { + _this4.handleTransmuxComplete(result); + }); + this.onFlush(chunkMeta); + }; + _proto.onWorkerMessage = function onWorkerMessage(event) { + var data = event.data; + if (!(data != null && data.event)) { + logger.warn("worker message received with no " + (data ? 'event name' : 'data')); + return; + } + var hls = this.hls; + if (!this.hls) { + return; + } + switch (data.event) { + case 'init': + { + var _this$workerContext2; + var objectURL = (_this$workerContext2 = this.workerContext) == null ? void 0 : _this$workerContext2.objectURL; + if (objectURL) { + // revoke the Object URL that was used to create transmuxer worker, so as not to leak it + self.URL.revokeObjectURL(objectURL); + } + break; + } + case 'transmuxComplete': + { + this.handleTransmuxComplete(data.data); + break; + } + case 'flush': + { + this.onFlush(data.data); + break; + } + + // pass logs from the worker thread to the main logger + case 'workerLog': + if (logger[data.data.logType]) { + logger[data.data.logType](data.data.message); + } + break; + default: + { + data.data = data.data || {}; + data.data.frag = this.frag; + data.data.id = this.id; + hls.trigger(data.event, data.data); + break; + } + } + }; + _proto.configureTransmuxer = function configureTransmuxer(config) { + var transmuxer = this.transmuxer; + if (this.workerContext) { + this.workerContext.worker.postMessage({ + cmd: 'configure', + config: config + }); + } else if (transmuxer) { + transmuxer.configure(config); + } + }; + _proto.handleTransmuxComplete = function handleTransmuxComplete(result) { + result.chunkMeta.transmuxing.end = self.performance.now(); + this.onTransmuxComplete(result); + }; + return TransmuxerInterface; + }(); + + function subtitleOptionsIdentical(trackList1, trackList2) { + if (trackList1.length !== trackList2.length) { + return false; + } + for (var i = 0; i < trackList1.length; i++) { + if (!mediaAttributesIdentical(trackList1[i].attrs, trackList2[i].attrs)) { + return false; + } + } + return true; + } + function mediaAttributesIdentical(attrs1, attrs2, customAttributes) { + // Media options with the same rendition ID must be bit identical + var stableRenditionId = attrs1['STABLE-RENDITION-ID']; + if (stableRenditionId && !customAttributes) { + return stableRenditionId === attrs2['STABLE-RENDITION-ID']; + } + // When rendition ID is not present, compare attributes + return !(customAttributes || ['LANGUAGE', 'NAME', 'CHARACTERISTICS', 'AUTOSELECT', 'DEFAULT', 'FORCED', 'ASSOC-LANGUAGE']).some(function (subtitleAttribute) { + return attrs1[subtitleAttribute] !== attrs2[subtitleAttribute]; + }); + } + function subtitleTrackMatchesTextTrack(subtitleTrack, textTrack) { + return textTrack.label.toLowerCase() === subtitleTrack.name.toLowerCase() && (!textTrack.language || textTrack.language.toLowerCase() === (subtitleTrack.lang || '').toLowerCase()); + } + + var TICK_INTERVAL$2 = 100; // how often to tick in ms + var AudioStreamController = /*#__PURE__*/function (_BaseStreamController) { + _inheritsLoose(AudioStreamController, _BaseStreamController); + function AudioStreamController(hls, fragmentTracker, keyLoader) { + var _this; + _this = _BaseStreamController.call(this, hls, fragmentTracker, keyLoader, '[audio-stream-controller]', PlaylistLevelType.AUDIO) || this; + _this.videoBuffer = null; + _this.videoTrackCC = -1; + _this.waitingVideoCC = -1; + _this.bufferedTrack = null; + _this.switchingTrack = null; + _this.trackId = -1; + _this.waitingData = null; + _this.mainDetails = null; + _this.flushing = false; + _this.bufferFlushed = false; + _this.cachedTrackLoadedData = null; + _this._registerListeners(); + return _this; + } + var _proto = AudioStreamController.prototype; + _proto.onHandlerDestroying = function onHandlerDestroying() { + this._unregisterListeners(); + _BaseStreamController.prototype.onHandlerDestroying.call(this); + this.mainDetails = null; + this.bufferedTrack = null; + this.switchingTrack = null; + }; + _proto._registerListeners = function _registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.on(Events.AUDIO_TRACKS_UPDATED, this.onAudioTracksUpdated, this); + hls.on(Events.AUDIO_TRACK_SWITCHING, this.onAudioTrackSwitching, this); + hls.on(Events.AUDIO_TRACK_LOADED, this.onAudioTrackLoaded, this); + hls.on(Events.ERROR, this.onError, this); + hls.on(Events.BUFFER_RESET, this.onBufferReset, this); + hls.on(Events.BUFFER_CREATED, this.onBufferCreated, this); + hls.on(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.on(Events.BUFFER_FLUSHED, this.onBufferFlushed, this); + hls.on(Events.INIT_PTS_FOUND, this.onInitPtsFound, this); + hls.on(Events.FRAG_BUFFERED, this.onFragBuffered, this); + }; + _proto._unregisterListeners = function _unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.off(Events.AUDIO_TRACKS_UPDATED, this.onAudioTracksUpdated, this); + hls.off(Events.AUDIO_TRACK_SWITCHING, this.onAudioTrackSwitching, this); + hls.off(Events.AUDIO_TRACK_LOADED, this.onAudioTrackLoaded, this); + hls.off(Events.ERROR, this.onError, this); + hls.off(Events.BUFFER_RESET, this.onBufferReset, this); + hls.off(Events.BUFFER_CREATED, this.onBufferCreated, this); + hls.off(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.off(Events.BUFFER_FLUSHED, this.onBufferFlushed, this); + hls.off(Events.INIT_PTS_FOUND, this.onInitPtsFound, this); + hls.off(Events.FRAG_BUFFERED, this.onFragBuffered, this); + } + + // INIT_PTS_FOUND is triggered when the video track parsed in the stream-controller has a new PTS value + ; + _proto.onInitPtsFound = function onInitPtsFound(event, _ref) { + var frag = _ref.frag, + id = _ref.id, + initPTS = _ref.initPTS, + timescale = _ref.timescale; + // Always update the new INIT PTS + // Can change due level switch + if (id === 'main') { + var cc = frag.cc; + this.initPTS[frag.cc] = { + baseTime: initPTS, + timescale: timescale + }; + this.log("InitPTS for cc: " + cc + " found from main: " + initPTS); + this.videoTrackCC = cc; + // If we are waiting, tick immediately to unblock audio fragment transmuxing + if (this.state === State.WAITING_INIT_PTS) { + this.tick(); + } + } + }; + _proto.startLoad = function startLoad(startPosition) { + if (!this.levels) { + this.startPosition = startPosition; + this.state = State.STOPPED; + return; + } + var lastCurrentTime = this.lastCurrentTime; + this.stopLoad(); + this.setInterval(TICK_INTERVAL$2); + if (lastCurrentTime > 0 && startPosition === -1) { + this.log("Override startPosition with lastCurrentTime @" + lastCurrentTime.toFixed(3)); + startPosition = lastCurrentTime; + this.state = State.IDLE; + } else { + this.loadedmetadata = false; + this.state = State.WAITING_TRACK; + } + this.nextLoadPosition = this.startPosition = this.lastCurrentTime = startPosition; + this.tick(); + }; + _proto.doTick = function doTick() { + switch (this.state) { + case State.IDLE: + this.doTickIdle(); + break; + case State.WAITING_TRACK: + { + var _levels$trackId; + var levels = this.levels, + trackId = this.trackId; + var details = levels == null ? void 0 : (_levels$trackId = levels[trackId]) == null ? void 0 : _levels$trackId.details; + if (details) { + if (this.waitForCdnTuneIn(details)) { + break; + } + this.state = State.WAITING_INIT_PTS; + } + break; + } + case State.FRAG_LOADING_WAITING_RETRY: + { + var _this$media; + var now = performance.now(); + var retryDate = this.retryDate; + // if current time is gt than retryDate, or if media seeking let's switch to IDLE state to retry loading + if (!retryDate || now >= retryDate || (_this$media = this.media) != null && _this$media.seeking) { + var _levels = this.levels, + _trackId = this.trackId; + this.log('RetryDate reached, switch back to IDLE state'); + this.resetStartWhenNotLoaded((_levels == null ? void 0 : _levels[_trackId]) || null); + this.state = State.IDLE; + } + break; + } + case State.WAITING_INIT_PTS: + { + // Ensure we don't get stuck in the WAITING_INIT_PTS state if the waiting frag CC doesn't match any initPTS + var waitingData = this.waitingData; + if (waitingData) { + var frag = waitingData.frag, + part = waitingData.part, + cache = waitingData.cache, + complete = waitingData.complete; + if (this.initPTS[frag.cc] !== undefined) { + this.waitingData = null; + this.waitingVideoCC = -1; + this.state = State.FRAG_LOADING; + var payload = cache.flush(); + var data = { + frag: frag, + part: part, + payload: payload, + networkDetails: null + }; + this._handleFragmentLoadProgress(data); + if (complete) { + _BaseStreamController.prototype._handleFragmentLoadComplete.call(this, data); + } + } else if (this.videoTrackCC !== this.waitingVideoCC) { + // Drop waiting fragment if videoTrackCC has changed since waitingFragment was set and initPTS was not found + this.log("Waiting fragment cc (" + frag.cc + ") cancelled because video is at cc " + this.videoTrackCC); + this.clearWaitingFragment(); + } else { + // Drop waiting fragment if an earlier fragment is needed + var pos = this.getLoadPosition(); + var bufferInfo = BufferHelper.bufferInfo(this.mediaBuffer, pos, this.config.maxBufferHole); + var waitingFragmentAtPosition = fragmentWithinToleranceTest(bufferInfo.end, this.config.maxFragLookUpTolerance, frag); + if (waitingFragmentAtPosition < 0) { + this.log("Waiting fragment cc (" + frag.cc + ") @ " + frag.start + " cancelled because another fragment at " + bufferInfo.end + " is needed"); + this.clearWaitingFragment(); + } + } + } else { + this.state = State.IDLE; + } + } + } + this.onTickEnd(); + }; + _proto.clearWaitingFragment = function clearWaitingFragment() { + var waitingData = this.waitingData; + if (waitingData) { + this.fragmentTracker.removeFragment(waitingData.frag); + this.waitingData = null; + this.waitingVideoCC = -1; + this.state = State.IDLE; + } + }; + _proto.resetLoadingState = function resetLoadingState() { + this.clearWaitingFragment(); + _BaseStreamController.prototype.resetLoadingState.call(this); + }; + _proto.onTickEnd = function onTickEnd() { + var media = this.media; + if (!(media != null && media.readyState)) { + // Exit early if we don't have media or if the media hasn't buffered anything yet (readyState 0) + return; + } + this.lastCurrentTime = media.currentTime; + }; + _proto.doTickIdle = function doTickIdle() { + var hls = this.hls, + levels = this.levels, + media = this.media, + trackId = this.trackId; + var config = hls.config; + + // 1. if buffering is suspended + // 2. if video not attached AND + // start fragment already requested OR start frag prefetch not enabled + // 3. if tracks or track not loaded and selected + // then exit loop + // => if media not attached but start frag prefetch is enabled and start frag not requested yet, we will not exit loop + if (!this.buffering || !media && (this.startFragRequested || !config.startFragPrefetch) || !(levels != null && levels[trackId])) { + return; + } + var levelInfo = levels[trackId]; + var trackDetails = levelInfo.details; + if (!trackDetails || trackDetails.live && this.levelLastLoaded !== levelInfo || this.waitForCdnTuneIn(trackDetails)) { + this.state = State.WAITING_TRACK; + return; + } + var bufferable = this.mediaBuffer ? this.mediaBuffer : this.media; + if (this.bufferFlushed && bufferable) { + this.bufferFlushed = false; + this.afterBufferFlushed(bufferable, ElementaryStreamTypes.AUDIO, PlaylistLevelType.AUDIO); + } + var bufferInfo = this.getFwdBufferInfo(bufferable, PlaylistLevelType.AUDIO); + if (bufferInfo === null) { + return; + } + var bufferedTrack = this.bufferedTrack, + switchingTrack = this.switchingTrack; + if (!switchingTrack && this._streamEnded(bufferInfo, trackDetails)) { + hls.trigger(Events.BUFFER_EOS, { + type: 'audio' + }); + this.state = State.ENDED; + return; + } + var mainBufferInfo = this.getFwdBufferInfo(this.videoBuffer ? this.videoBuffer : this.media, PlaylistLevelType.MAIN); + var bufferLen = bufferInfo.len; + var maxBufLen = this.getMaxBufferLength(mainBufferInfo == null ? void 0 : mainBufferInfo.len); + var fragments = trackDetails.fragments; + var start = fragments[0].start; + var targetBufferTime = this.flushing ? this.getLoadPosition() : bufferInfo.end; + if (switchingTrack && media) { + var pos = this.getLoadPosition(); + // STABLE + if (bufferedTrack && !mediaAttributesIdentical(switchingTrack.attrs, bufferedTrack.attrs)) { + targetBufferTime = pos; + } + // if currentTime (pos) is less than alt audio playlist start time, it means that alt audio is ahead of currentTime + if (trackDetails.PTSKnown && pos < start) { + // if everything is buffered from pos to start or if audio buffer upfront, let's seek to start + if (bufferInfo.end > start || bufferInfo.nextStart) { + this.log('Alt audio track ahead of main track, seek to start of alt audio track'); + media.currentTime = start + 0.05; + } + } + } + + // if buffer length is less than maxBufLen, or near the end, find a fragment to load + if (bufferLen >= maxBufLen && !switchingTrack && targetBufferTime < fragments[fragments.length - 1].start) { + return; + } + var frag = this.getNextFragment(targetBufferTime, trackDetails); + var atGap = false; + // Avoid loop loading by using nextLoadPosition set for backtracking and skipping consecutive GAP tags + if (frag && this.isLoopLoading(frag, targetBufferTime)) { + atGap = !!frag.gap; + frag = this.getNextFragmentLoopLoading(frag, trackDetails, bufferInfo, PlaylistLevelType.MAIN, maxBufLen); + } + if (!frag) { + this.bufferFlushed = true; + return; + } + + // Buffer audio up to one target duration ahead of main buffer + var atBufferSyncLimit = mainBufferInfo && frag.start > mainBufferInfo.end + trackDetails.targetduration; + if (atBufferSyncLimit || + // Or wait for main buffer after buffing some audio + !(mainBufferInfo != null && mainBufferInfo.len) && bufferInfo.len) { + // Check fragment-tracker for main fragments since GAP segments do not show up in bufferInfo + var mainFrag = this.getAppendedFrag(frag.start, PlaylistLevelType.MAIN); + if (mainFrag === null) { + return; + } + // Bridge gaps in main buffer + atGap || (atGap = !!mainFrag.gap || !!atBufferSyncLimit && mainBufferInfo.len === 0); + if (atBufferSyncLimit && !atGap || atGap && bufferInfo.nextStart && bufferInfo.nextStart < mainFrag.end) { + return; + } + } + this.loadFragment(frag, levelInfo, targetBufferTime); + }; + _proto.getMaxBufferLength = function getMaxBufferLength(mainBufferLength) { + var maxConfigBuffer = _BaseStreamController.prototype.getMaxBufferLength.call(this); + if (!mainBufferLength) { + return maxConfigBuffer; + } + return Math.min(Math.max(maxConfigBuffer, mainBufferLength), this.config.maxMaxBufferLength); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + this.videoBuffer = null; + this.bufferFlushed = this.flushing = false; + _BaseStreamController.prototype.onMediaDetaching.call(this); + }; + _proto.onAudioTracksUpdated = function onAudioTracksUpdated(event, _ref2) { + var audioTracks = _ref2.audioTracks; + // Reset tranxmuxer is essential for large context switches (Content Steering) + this.resetTransmuxer(); + this.levels = audioTracks.map(function (mediaPlaylist) { + return new Level(mediaPlaylist); + }); + }; + _proto.onAudioTrackSwitching = function onAudioTrackSwitching(event, data) { + // if any URL found on new audio track, it is an alternate audio track + var altAudio = !!data.url; + this.trackId = data.id; + var fragCurrent = this.fragCurrent; + if (fragCurrent) { + fragCurrent.abortRequests(); + this.removeUnbufferedFrags(fragCurrent.start); + } + this.resetLoadingState(); + // destroy useless transmuxer when switching audio to main + if (!altAudio) { + this.resetTransmuxer(); + } else { + // switching to audio track, start timer if not already started + this.setInterval(TICK_INTERVAL$2); + } + + // should we switch tracks ? + if (altAudio) { + this.switchingTrack = data; + // main audio track are handled by stream-controller, just do something if switching to alt audio track + this.state = State.IDLE; + this.flushAudioIfNeeded(data); + } else { + this.switchingTrack = null; + this.bufferedTrack = data; + this.state = State.STOPPED; + } + this.tick(); + }; + _proto.onManifestLoading = function onManifestLoading() { + this.fragmentTracker.removeAllFragments(); + this.startPosition = this.lastCurrentTime = 0; + this.bufferFlushed = this.flushing = false; + this.levels = this.mainDetails = this.waitingData = this.bufferedTrack = this.cachedTrackLoadedData = this.switchingTrack = null; + this.startFragRequested = false; + this.trackId = this.videoTrackCC = this.waitingVideoCC = -1; + }; + _proto.onLevelLoaded = function onLevelLoaded(event, data) { + this.mainDetails = data.details; + if (this.cachedTrackLoadedData !== null) { + this.hls.trigger(Events.AUDIO_TRACK_LOADED, this.cachedTrackLoadedData); + this.cachedTrackLoadedData = null; + } + }; + _proto.onAudioTrackLoaded = function onAudioTrackLoaded(event, data) { + var _track$details; + if (this.mainDetails == null) { + this.cachedTrackLoadedData = data; + return; + } + var levels = this.levels; + var newDetails = data.details, + trackId = data.id; + if (!levels) { + this.warn("Audio tracks were reset while loading level " + trackId); + return; + } + this.log("Audio track " + trackId + " loaded [" + newDetails.startSN + "," + newDetails.endSN + "]" + (newDetails.lastPartSn ? "[part-" + newDetails.lastPartSn + "-" + newDetails.lastPartIndex + "]" : '') + ",duration:" + newDetails.totalduration); + var track = levels[trackId]; + var sliding = 0; + if (newDetails.live || (_track$details = track.details) != null && _track$details.live) { + this.checkLiveUpdate(newDetails); + var mainDetails = this.mainDetails; + if (newDetails.deltaUpdateFailed || !mainDetails) { + return; + } + if (!track.details && newDetails.hasProgramDateTime && mainDetails.hasProgramDateTime) { + // Make sure our audio rendition is aligned with the "main" rendition, using + // pdt as our reference times. + alignMediaPlaylistByPDT(newDetails, mainDetails); + sliding = newDetails.fragments[0].start; + } else { + var _this$levelLastLoaded; + sliding = this.alignPlaylists(newDetails, track.details, (_this$levelLastLoaded = this.levelLastLoaded) == null ? void 0 : _this$levelLastLoaded.details); + } + } + track.details = newDetails; + this.levelLastLoaded = track; + + // compute start position if we are aligned with the main playlist + if (!this.startFragRequested && (this.mainDetails || !newDetails.live)) { + this.setStartPosition(this.mainDetails || newDetails, sliding); + } + // only switch back to IDLE state if we were waiting for track to start downloading a new fragment + if (this.state === State.WAITING_TRACK && !this.waitForCdnTuneIn(newDetails)) { + this.state = State.IDLE; + } + + // trigger handler right now + this.tick(); + }; + _proto._handleFragmentLoadProgress = function _handleFragmentLoadProgress(data) { + var _frag$initSegment; + var frag = data.frag, + part = data.part, + payload = data.payload; + var config = this.config, + trackId = this.trackId, + levels = this.levels; + if (!levels) { + this.warn("Audio tracks were reset while fragment load was in progress. Fragment " + frag.sn + " of level " + frag.level + " will not be buffered"); + return; + } + var track = levels[trackId]; + if (!track) { + this.warn('Audio track is undefined on fragment load progress'); + return; + } + var details = track.details; + if (!details) { + this.warn('Audio track details undefined on fragment load progress'); + this.removeUnbufferedFrags(frag.start); + return; + } + var audioCodec = config.defaultAudioCodec || track.audioCodec || 'mp4a.40.2'; + var transmuxer = this.transmuxer; + if (!transmuxer) { + transmuxer = this.transmuxer = new TransmuxerInterface(this.hls, PlaylistLevelType.AUDIO, this._handleTransmuxComplete.bind(this), this._handleTransmuxerFlush.bind(this)); + } + + // Check if we have video initPTS + // If not we need to wait for it + var initPTS = this.initPTS[frag.cc]; + var initSegmentData = (_frag$initSegment = frag.initSegment) == null ? void 0 : _frag$initSegment.data; + if (initPTS !== undefined) { + // this.log(`Transmuxing ${sn} of [${details.startSN} ,${details.endSN}],track ${trackId}`); + // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live) + var accurateTimeOffset = false; // details.PTSKnown || !details.live; + var partIndex = part ? part.index : -1; + var partial = partIndex !== -1; + var chunkMeta = new ChunkMetadata(frag.level, frag.sn, frag.stats.chunkCount, payload.byteLength, partIndex, partial); + transmuxer.push(payload, initSegmentData, audioCodec, '', frag, part, details.totalduration, accurateTimeOffset, chunkMeta, initPTS); + } else { + this.log("Unknown video PTS for cc " + frag.cc + ", waiting for video PTS before demuxing audio frag " + frag.sn + " of [" + details.startSN + " ," + details.endSN + "],track " + trackId); + var _this$waitingData = this.waitingData = this.waitingData || { + frag: frag, + part: part, + cache: new ChunkCache(), + complete: false + }, + cache = _this$waitingData.cache; + cache.push(new Uint8Array(payload)); + this.waitingVideoCC = this.videoTrackCC; + this.state = State.WAITING_INIT_PTS; + } + }; + _proto._handleFragmentLoadComplete = function _handleFragmentLoadComplete(fragLoadedData) { + if (this.waitingData) { + this.waitingData.complete = true; + return; + } + _BaseStreamController.prototype._handleFragmentLoadComplete.call(this, fragLoadedData); + }; + _proto.onBufferReset = function onBufferReset( /* event: Events.BUFFER_RESET */ + ) { + // reset reference to sourcebuffers + this.mediaBuffer = this.videoBuffer = null; + this.loadedmetadata = false; + }; + _proto.onBufferCreated = function onBufferCreated(event, data) { + var audioTrack = data.tracks.audio; + if (audioTrack) { + this.mediaBuffer = audioTrack.buffer || null; + } + if (data.tracks.video) { + this.videoBuffer = data.tracks.video.buffer || null; + } + }; + _proto.onFragBuffered = function onFragBuffered(event, data) { + var frag = data.frag, + part = data.part; + if (frag.type !== PlaylistLevelType.AUDIO) { + if (!this.loadedmetadata && frag.type === PlaylistLevelType.MAIN) { + var bufferable = this.videoBuffer || this.media; + if (bufferable) { + var bufferedTimeRanges = BufferHelper.getBuffered(bufferable); + if (bufferedTimeRanges.length) { + this.loadedmetadata = true; + } + } + } + return; + } + if (this.fragContextChanged(frag)) { + // If a level switch was requested while a fragment was buffering, it will emit the FRAG_BUFFERED event upon completion + // Avoid setting state back to IDLE or concluding the audio switch; otherwise, the switched-to track will not buffer + this.warn("Fragment " + frag.sn + (part ? ' p: ' + part.index : '') + " of level " + frag.level + " finished buffering, but was aborted. state: " + this.state + ", audioSwitch: " + (this.switchingTrack ? this.switchingTrack.name : 'false')); + return; + } + if (frag.sn !== 'initSegment') { + this.fragPrevious = frag; + var track = this.switchingTrack; + if (track) { + this.bufferedTrack = track; + this.switchingTrack = null; + this.hls.trigger(Events.AUDIO_TRACK_SWITCHED, _objectSpread2({}, track)); + } + } + this.fragBufferedComplete(frag, part); + }; + _proto.onError = function onError(event, data) { + var _data$context; + if (data.fatal) { + this.state = State.ERROR; + return; + } + switch (data.details) { + case ErrorDetails.FRAG_GAP: + case ErrorDetails.FRAG_PARSING_ERROR: + case ErrorDetails.FRAG_DECRYPT_ERROR: + case ErrorDetails.FRAG_LOAD_ERROR: + case ErrorDetails.FRAG_LOAD_TIMEOUT: + case ErrorDetails.KEY_LOAD_ERROR: + case ErrorDetails.KEY_LOAD_TIMEOUT: + this.onFragmentOrKeyLoadError(PlaylistLevelType.AUDIO, data); + break; + case ErrorDetails.AUDIO_TRACK_LOAD_ERROR: + case ErrorDetails.AUDIO_TRACK_LOAD_TIMEOUT: + case ErrorDetails.LEVEL_PARSING_ERROR: + // in case of non fatal error while loading track, if not retrying to load track, switch back to IDLE + if (!data.levelRetry && this.state === State.WAITING_TRACK && ((_data$context = data.context) == null ? void 0 : _data$context.type) === PlaylistContextType.AUDIO_TRACK) { + this.state = State.IDLE; + } + break; + case ErrorDetails.BUFFER_APPEND_ERROR: + case ErrorDetails.BUFFER_FULL_ERROR: + if (!data.parent || data.parent !== 'audio') { + return; + } + if (data.details === ErrorDetails.BUFFER_APPEND_ERROR) { + this.resetLoadingState(); + return; + } + if (this.reduceLengthAndFlushBuffer(data)) { + this.bufferedTrack = null; + _BaseStreamController.prototype.flushMainBuffer.call(this, 0, Number.POSITIVE_INFINITY, 'audio'); + } + break; + case ErrorDetails.INTERNAL_EXCEPTION: + this.recoverWorkerError(data); + break; + } + }; + _proto.onBufferFlushing = function onBufferFlushing(event, _ref3) { + var type = _ref3.type; + if (type !== ElementaryStreamTypes.VIDEO) { + this.flushing = true; + } + }; + _proto.onBufferFlushed = function onBufferFlushed(event, _ref4) { + var type = _ref4.type; + if (type !== ElementaryStreamTypes.VIDEO) { + this.flushing = false; + this.bufferFlushed = true; + if (this.state === State.ENDED) { + this.state = State.IDLE; + } + var mediaBuffer = this.mediaBuffer || this.media; + if (mediaBuffer) { + this.afterBufferFlushed(mediaBuffer, type, PlaylistLevelType.AUDIO); + this.tick(); + } + } + }; + _proto._handleTransmuxComplete = function _handleTransmuxComplete(transmuxResult) { + var _id3$samples; + var id = 'audio'; + var hls = this.hls; + var remuxResult = transmuxResult.remuxResult, + chunkMeta = transmuxResult.chunkMeta; + var context = this.getCurrentContext(chunkMeta); + if (!context) { + this.resetWhenMissingContext(chunkMeta); + return; + } + var frag = context.frag, + part = context.part, + level = context.level; + var details = level.details; + var audio = remuxResult.audio, + text = remuxResult.text, + id3 = remuxResult.id3, + initSegment = remuxResult.initSegment; + + // Check if the current fragment has been aborted. We check this by first seeing if we're still playing the current level. + // If we are, subsequently check if the currently loading fragment (fragCurrent) has changed. + if (this.fragContextChanged(frag) || !details) { + this.fragmentTracker.removeFragment(frag); + return; + } + this.state = State.PARSING; + if (this.switchingTrack && audio) { + this.completeAudioSwitch(this.switchingTrack); + } + if (initSegment != null && initSegment.tracks) { + var mapFragment = frag.initSegment || frag; + this._bufferInitSegment(level, initSegment.tracks, mapFragment, chunkMeta); + hls.trigger(Events.FRAG_PARSING_INIT_SEGMENT, { + frag: mapFragment, + id: id, + tracks: initSegment.tracks + }); + // Only flush audio from old audio tracks when PTS is known on new audio track + } + if (audio) { + var startPTS = audio.startPTS, + endPTS = audio.endPTS, + startDTS = audio.startDTS, + endDTS = audio.endDTS; + if (part) { + part.elementaryStreams[ElementaryStreamTypes.AUDIO] = { + startPTS: startPTS, + endPTS: endPTS, + startDTS: startDTS, + endDTS: endDTS + }; + } + frag.setElementaryStreamInfo(ElementaryStreamTypes.AUDIO, startPTS, endPTS, startDTS, endDTS); + this.bufferFragmentData(audio, frag, part, chunkMeta); + } + if (id3 != null && (_id3$samples = id3.samples) != null && _id3$samples.length) { + var emittedID3 = _extends({ + id: id, + frag: frag, + details: details + }, id3); + hls.trigger(Events.FRAG_PARSING_METADATA, emittedID3); + } + if (text) { + var emittedText = _extends({ + id: id, + frag: frag, + details: details + }, text); + hls.trigger(Events.FRAG_PARSING_USERDATA, emittedText); + } + }; + _proto._bufferInitSegment = function _bufferInitSegment(currentLevel, tracks, frag, chunkMeta) { + if (this.state !== State.PARSING) { + return; + } + // delete any video track found on audio transmuxer + if (tracks.video) { + delete tracks.video; + } + + // include levelCodec in audio and video tracks + var track = tracks.audio; + if (!track) { + return; + } + track.id = 'audio'; + var variantAudioCodecs = currentLevel.audioCodec; + this.log("Init audio buffer, container:" + track.container + ", codecs[level/parsed]=[" + variantAudioCodecs + "/" + track.codec + "]"); + // SourceBuffer will use track.levelCodec if defined + if (variantAudioCodecs && variantAudioCodecs.split(',').length === 1) { + track.levelCodec = variantAudioCodecs; + } + this.hls.trigger(Events.BUFFER_CODECS, tracks); + var initSegment = track.initSegment; + if (initSegment != null && initSegment.byteLength) { + var segment = { + type: 'audio', + frag: frag, + part: null, + chunkMeta: chunkMeta, + parent: frag.type, + data: initSegment + }; + this.hls.trigger(Events.BUFFER_APPENDING, segment); + } + // trigger handler right now + this.tickImmediate(); + }; + _proto.loadFragment = function loadFragment(frag, track, targetBufferTime) { + // only load if fragment is not loaded or if in audio switch + var fragState = this.fragmentTracker.getState(frag); + this.fragCurrent = frag; + + // we force a frag loading in audio switch as fragment tracker might not have evicted previous frags in case of quick audio switch + if (this.switchingTrack || fragState === FragmentState.NOT_LOADED || fragState === FragmentState.PARTIAL) { + var _track$details2; + if (frag.sn === 'initSegment') { + this._loadInitSegment(frag, track); + } else if ((_track$details2 = track.details) != null && _track$details2.live && !this.initPTS[frag.cc]) { + this.log("Waiting for video PTS in continuity counter " + frag.cc + " of live stream before loading audio fragment " + frag.sn + " of level " + this.trackId); + this.state = State.WAITING_INIT_PTS; + var mainDetails = this.mainDetails; + if (mainDetails && mainDetails.fragments[0].start !== track.details.fragments[0].start) { + alignMediaPlaylistByPDT(track.details, mainDetails); + } + } else { + this.startFragRequested = true; + _BaseStreamController.prototype.loadFragment.call(this, frag, track, targetBufferTime); + } + } else { + this.clearTrackerIfNeeded(frag); + } + }; + _proto.flushAudioIfNeeded = function flushAudioIfNeeded(switchingTrack) { + var media = this.media, + bufferedTrack = this.bufferedTrack; + var bufferedAttributes = bufferedTrack == null ? void 0 : bufferedTrack.attrs; + var switchAttributes = switchingTrack.attrs; + if (media && bufferedAttributes && (bufferedAttributes.CHANNELS !== switchAttributes.CHANNELS || bufferedTrack.name !== switchingTrack.name || bufferedTrack.lang !== switchingTrack.lang)) { + this.log('Switching audio track : flushing all audio'); + _BaseStreamController.prototype.flushMainBuffer.call(this, 0, Number.POSITIVE_INFINITY, 'audio'); + this.bufferedTrack = null; + } + }; + _proto.completeAudioSwitch = function completeAudioSwitch(switchingTrack) { + var hls = this.hls; + this.flushAudioIfNeeded(switchingTrack); + this.bufferedTrack = switchingTrack; + this.switchingTrack = null; + hls.trigger(Events.AUDIO_TRACK_SWITCHED, _objectSpread2({}, switchingTrack)); + }; + return AudioStreamController; + }(BaseStreamController); + + var AudioTrackController = /*#__PURE__*/function (_BasePlaylistControll) { + _inheritsLoose(AudioTrackController, _BasePlaylistControll); + function AudioTrackController(hls) { + var _this; + _this = _BasePlaylistControll.call(this, hls, '[audio-track-controller]') || this; + _this.tracks = []; + _this.groupIds = null; + _this.tracksInGroup = []; + _this.trackId = -1; + _this.currentTrack = null; + _this.selectDefaultTrack = true; + _this.registerListeners(); + return _this; + } + var _proto = AudioTrackController.prototype; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.on(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.on(Events.LEVEL_SWITCHING, this.onLevelSwitching, this); + hls.on(Events.AUDIO_TRACK_LOADED, this.onAudioTrackLoaded, this); + hls.on(Events.ERROR, this.onError, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.off(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.off(Events.LEVEL_SWITCHING, this.onLevelSwitching, this); + hls.off(Events.AUDIO_TRACK_LOADED, this.onAudioTrackLoaded, this); + hls.off(Events.ERROR, this.onError, this); + }; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.tracks.length = 0; + this.tracksInGroup.length = 0; + this.currentTrack = null; + _BasePlaylistControll.prototype.destroy.call(this); + }; + _proto.onManifestLoading = function onManifestLoading() { + this.tracks = []; + this.tracksInGroup = []; + this.groupIds = null; + this.currentTrack = null; + this.trackId = -1; + this.selectDefaultTrack = true; + }; + _proto.onManifestParsed = function onManifestParsed(event, data) { + this.tracks = data.audioTracks || []; + }; + _proto.onAudioTrackLoaded = function onAudioTrackLoaded(event, data) { + var id = data.id, + groupId = data.groupId, + details = data.details; + var trackInActiveGroup = this.tracksInGroup[id]; + if (!trackInActiveGroup || trackInActiveGroup.groupId !== groupId) { + this.warn("Audio track with id:" + id + " and group:" + groupId + " not found in active group " + (trackInActiveGroup == null ? void 0 : trackInActiveGroup.groupId)); + return; + } + var curDetails = trackInActiveGroup.details; + trackInActiveGroup.details = data.details; + this.log("Audio track " + id + " \"" + trackInActiveGroup.name + "\" lang:" + trackInActiveGroup.lang + " group:" + groupId + " loaded [" + details.startSN + "-" + details.endSN + "]"); + if (id === this.trackId) { + this.playlistLoaded(id, data, curDetails); + } + }; + _proto.onLevelLoading = function onLevelLoading(event, data) { + this.switchLevel(data.level); + }; + _proto.onLevelSwitching = function onLevelSwitching(event, data) { + this.switchLevel(data.level); + }; + _proto.switchLevel = function switchLevel(levelIndex) { + var levelInfo = this.hls.levels[levelIndex]; + if (!levelInfo) { + return; + } + var audioGroups = levelInfo.audioGroups || null; + var currentGroups = this.groupIds; + var currentTrack = this.currentTrack; + if (!audioGroups || (currentGroups == null ? void 0 : currentGroups.length) !== (audioGroups == null ? void 0 : audioGroups.length) || audioGroups != null && audioGroups.some(function (groupId) { + return (currentGroups == null ? void 0 : currentGroups.indexOf(groupId)) === -1; + })) { + this.groupIds = audioGroups; + this.trackId = -1; + this.currentTrack = null; + var audioTracks = this.tracks.filter(function (track) { + return !audioGroups || audioGroups.indexOf(track.groupId) !== -1; + }); + if (audioTracks.length) { + // Disable selectDefaultTrack if there are no default tracks + if (this.selectDefaultTrack && !audioTracks.some(function (track) { + return track.default; + })) { + this.selectDefaultTrack = false; + } + // track.id should match hls.audioTracks index + audioTracks.forEach(function (track, i) { + track.id = i; + }); + } else if (!currentTrack && !this.tracksInGroup.length) { + // Do not dispatch AUDIO_TRACKS_UPDATED when there were and are no tracks + return; + } + this.tracksInGroup = audioTracks; + + // Find preferred track + var audioPreference = this.hls.config.audioPreference; + if (!currentTrack && audioPreference) { + var groupIndex = findMatchingOption(audioPreference, audioTracks, audioMatchPredicate); + if (groupIndex > -1) { + currentTrack = audioTracks[groupIndex]; + } else { + var allIndex = findMatchingOption(audioPreference, this.tracks); + currentTrack = this.tracks[allIndex]; + } + } + + // Select initial track + var trackId = this.findTrackId(currentTrack); + if (trackId === -1 && currentTrack) { + trackId = this.findTrackId(null); + } + + // Dispatch events and load track if needed + var audioTracksUpdated = { + audioTracks: audioTracks + }; + this.log("Updating audio tracks, " + audioTracks.length + " track(s) found in group(s): " + (audioGroups == null ? void 0 : audioGroups.join(','))); + this.hls.trigger(Events.AUDIO_TRACKS_UPDATED, audioTracksUpdated); + var selectedTrackId = this.trackId; + if (trackId !== -1 && selectedTrackId === -1) { + this.setAudioTrack(trackId); + } else if (audioTracks.length && selectedTrackId === -1) { + var _this$groupIds; + var error = new Error("No audio track selected for current audio group-ID(s): " + ((_this$groupIds = this.groupIds) == null ? void 0 : _this$groupIds.join(',')) + " track count: " + audioTracks.length); + this.warn(error.message); + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.AUDIO_TRACK_LOAD_ERROR, + fatal: true, + error: error + }); + } + } else if (this.shouldReloadPlaylist(currentTrack)) { + // Retry playlist loading if no playlist is or has been loaded yet + this.setAudioTrack(this.trackId); + } + }; + _proto.onError = function onError(event, data) { + if (data.fatal || !data.context) { + return; + } + if (data.context.type === PlaylistContextType.AUDIO_TRACK && data.context.id === this.trackId && (!this.groupIds || this.groupIds.indexOf(data.context.groupId) !== -1)) { + this.requestScheduled = -1; + this.checkRetry(data); + } + }; + _proto.setAudioOption = function setAudioOption(audioOption) { + var hls = this.hls; + hls.config.audioPreference = audioOption; + if (audioOption) { + var allAudioTracks = this.allAudioTracks; + this.selectDefaultTrack = false; + if (allAudioTracks.length) { + // First see if current option matches (no switch op) + var currentTrack = this.currentTrack; + if (currentTrack && matchesOption(audioOption, currentTrack, audioMatchPredicate)) { + return currentTrack; + } + // Find option in available tracks (tracksInGroup) + var groupIndex = findMatchingOption(audioOption, this.tracksInGroup, audioMatchPredicate); + if (groupIndex > -1) { + var track = this.tracksInGroup[groupIndex]; + this.setAudioTrack(groupIndex); + return track; + } else if (currentTrack) { + // Find option in nearest level audio group + var searchIndex = hls.loadLevel; + if (searchIndex === -1) { + searchIndex = hls.firstAutoLevel; + } + var switchIndex = findClosestLevelWithAudioGroup(audioOption, hls.levels, allAudioTracks, searchIndex, audioMatchPredicate); + if (switchIndex === -1) { + // could not find matching variant + return null; + } + // and switch level to acheive the audio group switch + hls.nextLoadLevel = switchIndex; + } + if (audioOption.channels || audioOption.audioCodec) { + // Could not find a match with codec / channels predicate + // Find a match without channels or codec + var withoutCodecAndChannelsMatch = findMatchingOption(audioOption, allAudioTracks); + if (withoutCodecAndChannelsMatch > -1) { + return allAudioTracks[withoutCodecAndChannelsMatch]; + } + } + } + } + return null; + }; + _proto.setAudioTrack = function setAudioTrack(newId) { + var tracks = this.tracksInGroup; + + // check if level idx is valid + if (newId < 0 || newId >= tracks.length) { + this.warn("Invalid audio track id: " + newId); + return; + } + + // stopping live reloading timer if any + this.clearTimer(); + this.selectDefaultTrack = false; + var lastTrack = this.currentTrack; + var track = tracks[newId]; + var trackLoaded = track.details && !track.details.live; + if (newId === this.trackId && track === lastTrack && trackLoaded) { + return; + } + this.log("Switching to audio-track " + newId + " \"" + track.name + "\" lang:" + track.lang + " group:" + track.groupId + " channels:" + track.channels); + this.trackId = newId; + this.currentTrack = track; + this.hls.trigger(Events.AUDIO_TRACK_SWITCHING, _objectSpread2({}, track)); + // Do not reload track unless live + if (trackLoaded) { + return; + } + var hlsUrlParameters = this.switchParams(track.url, lastTrack == null ? void 0 : lastTrack.details, track.details); + this.loadPlaylist(hlsUrlParameters); + }; + _proto.findTrackId = function findTrackId(currentTrack) { + var audioTracks = this.tracksInGroup; + for (var i = 0; i < audioTracks.length; i++) { + var track = audioTracks[i]; + if (this.selectDefaultTrack && !track.default) { + continue; + } + if (!currentTrack || matchesOption(currentTrack, track, audioMatchPredicate)) { + return i; + } + } + if (currentTrack) { + var name = currentTrack.name, + lang = currentTrack.lang, + assocLang = currentTrack.assocLang, + characteristics = currentTrack.characteristics, + audioCodec = currentTrack.audioCodec, + channels = currentTrack.channels; + for (var _i = 0; _i < audioTracks.length; _i++) { + var _track = audioTracks[_i]; + if (matchesOption({ + name: name, + lang: lang, + assocLang: assocLang, + characteristics: characteristics, + audioCodec: audioCodec, + channels: channels + }, _track, audioMatchPredicate)) { + return _i; + } + } + for (var _i2 = 0; _i2 < audioTracks.length; _i2++) { + var _track2 = audioTracks[_i2]; + if (mediaAttributesIdentical(currentTrack.attrs, _track2.attrs, ['LANGUAGE', 'ASSOC-LANGUAGE', 'CHARACTERISTICS'])) { + return _i2; + } + } + for (var _i3 = 0; _i3 < audioTracks.length; _i3++) { + var _track3 = audioTracks[_i3]; + if (mediaAttributesIdentical(currentTrack.attrs, _track3.attrs, ['LANGUAGE'])) { + return _i3; + } + } + } + return -1; + }; + _proto.loadPlaylist = function loadPlaylist(hlsUrlParameters) { + var audioTrack = this.currentTrack; + if (this.shouldLoadPlaylist(audioTrack) && audioTrack) { + _BasePlaylistControll.prototype.loadPlaylist.call(this); + var id = audioTrack.id; + var groupId = audioTrack.groupId; + var url = audioTrack.url; + if (hlsUrlParameters) { + try { + url = hlsUrlParameters.addDirectives(url); + } catch (error) { + this.warn("Could not construct new URL with HLS Delivery Directives: " + error); + } + } + // track not retrieved yet, or live playlist we need to (re)load it + this.log("loading audio-track playlist " + id + " \"" + audioTrack.name + "\" lang:" + audioTrack.lang + " group:" + groupId); + this.clearTimer(); + this.hls.trigger(Events.AUDIO_TRACK_LOADING, { + url: url, + id: id, + groupId: groupId, + deliveryDirectives: hlsUrlParameters || null + }); + } + }; + _createClass(AudioTrackController, [{ + key: "allAudioTracks", + get: function get() { + return this.tracks; + } + }, { + key: "audioTracks", + get: function get() { + return this.tracksInGroup; + } + }, { + key: "audioTrack", + get: function get() { + return this.trackId; + }, + set: function set(newId) { + // If audio track is selected from API then don't choose from the manifest default track + this.selectDefaultTrack = false; + this.setAudioTrack(newId); + } + }]); + return AudioTrackController; + }(BasePlaylistController); + + var TICK_INTERVAL$1 = 500; // how often to tick in ms + + var SubtitleStreamController = /*#__PURE__*/function (_BaseStreamController) { + _inheritsLoose(SubtitleStreamController, _BaseStreamController); + function SubtitleStreamController(hls, fragmentTracker, keyLoader) { + var _this; + _this = _BaseStreamController.call(this, hls, fragmentTracker, keyLoader, '[subtitle-stream-controller]', PlaylistLevelType.SUBTITLE) || this; + _this.currentTrackId = -1; + _this.tracksBuffered = []; + _this.mainDetails = null; + _this._registerListeners(); + return _this; + } + var _proto = SubtitleStreamController.prototype; + _proto.onHandlerDestroying = function onHandlerDestroying() { + this._unregisterListeners(); + _BaseStreamController.prototype.onHandlerDestroying.call(this); + this.mainDetails = null; + }; + _proto._registerListeners = function _registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.on(Events.ERROR, this.onError, this); + hls.on(Events.SUBTITLE_TRACKS_UPDATED, this.onSubtitleTracksUpdated, this); + hls.on(Events.SUBTITLE_TRACK_SWITCH, this.onSubtitleTrackSwitch, this); + hls.on(Events.SUBTITLE_TRACK_LOADED, this.onSubtitleTrackLoaded, this); + hls.on(Events.SUBTITLE_FRAG_PROCESSED, this.onSubtitleFragProcessed, this); + hls.on(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.on(Events.FRAG_BUFFERED, this.onFragBuffered, this); + }; + _proto._unregisterListeners = function _unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.off(Events.ERROR, this.onError, this); + hls.off(Events.SUBTITLE_TRACKS_UPDATED, this.onSubtitleTracksUpdated, this); + hls.off(Events.SUBTITLE_TRACK_SWITCH, this.onSubtitleTrackSwitch, this); + hls.off(Events.SUBTITLE_TRACK_LOADED, this.onSubtitleTrackLoaded, this); + hls.off(Events.SUBTITLE_FRAG_PROCESSED, this.onSubtitleFragProcessed, this); + hls.off(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.off(Events.FRAG_BUFFERED, this.onFragBuffered, this); + }; + _proto.startLoad = function startLoad(startPosition) { + this.stopLoad(); + this.state = State.IDLE; + this.setInterval(TICK_INTERVAL$1); + this.nextLoadPosition = this.startPosition = this.lastCurrentTime = startPosition; + this.tick(); + }; + _proto.onManifestLoading = function onManifestLoading() { + this.mainDetails = null; + this.fragmentTracker.removeAllFragments(); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + this.tracksBuffered = []; + _BaseStreamController.prototype.onMediaDetaching.call(this); + }; + _proto.onLevelLoaded = function onLevelLoaded(event, data) { + this.mainDetails = data.details; + }; + _proto.onSubtitleFragProcessed = function onSubtitleFragProcessed(event, data) { + var frag = data.frag, + success = data.success; + this.fragPrevious = frag; + this.state = State.IDLE; + if (!success) { + return; + } + var buffered = this.tracksBuffered[this.currentTrackId]; + if (!buffered) { + return; + } + + // Create/update a buffered array matching the interface used by BufferHelper.bufferedInfo + // so we can re-use the logic used to detect how much has been buffered + var timeRange; + var fragStart = frag.start; + for (var i = 0; i < buffered.length; i++) { + if (fragStart >= buffered[i].start && fragStart <= buffered[i].end) { + timeRange = buffered[i]; + break; + } + } + var fragEnd = frag.start + frag.duration; + if (timeRange) { + timeRange.end = fragEnd; + } else { + timeRange = { + start: fragStart, + end: fragEnd + }; + buffered.push(timeRange); + } + this.fragmentTracker.fragBuffered(frag); + this.fragBufferedComplete(frag, null); + }; + _proto.onBufferFlushing = function onBufferFlushing(event, data) { + var startOffset = data.startOffset, + endOffset = data.endOffset; + if (startOffset === 0 && endOffset !== Number.POSITIVE_INFINITY) { + var endOffsetSubtitles = endOffset - 1; + if (endOffsetSubtitles <= 0) { + return; + } + data.endOffsetSubtitles = Math.max(0, endOffsetSubtitles); + this.tracksBuffered.forEach(function (buffered) { + for (var i = 0; i < buffered.length;) { + if (buffered[i].end <= endOffsetSubtitles) { + buffered.shift(); + continue; + } else if (buffered[i].start < endOffsetSubtitles) { + buffered[i].start = endOffsetSubtitles; + } else { + break; + } + i++; + } + }); + this.fragmentTracker.removeFragmentsInRange(startOffset, endOffsetSubtitles, PlaylistLevelType.SUBTITLE); + } + }; + _proto.onFragBuffered = function onFragBuffered(event, data) { + if (!this.loadedmetadata && data.frag.type === PlaylistLevelType.MAIN) { + var _this$media; + if ((_this$media = this.media) != null && _this$media.buffered.length) { + this.loadedmetadata = true; + } + } + } + + // If something goes wrong, proceed to next frag, if we were processing one. + ; + _proto.onError = function onError(event, data) { + var frag = data.frag; + if ((frag == null ? void 0 : frag.type) === PlaylistLevelType.SUBTITLE) { + if (data.details === ErrorDetails.FRAG_GAP) { + this.fragmentTracker.fragBuffered(frag, true); + } + if (this.fragCurrent) { + this.fragCurrent.abortRequests(); + } + if (this.state !== State.STOPPED) { + this.state = State.IDLE; + } + } + } + + // Got all new subtitle levels. + ; + _proto.onSubtitleTracksUpdated = function onSubtitleTracksUpdated(event, _ref) { + var _this2 = this; + var subtitleTracks = _ref.subtitleTracks; + if (this.levels && subtitleOptionsIdentical(this.levels, subtitleTracks)) { + this.levels = subtitleTracks.map(function (mediaPlaylist) { + return new Level(mediaPlaylist); + }); + return; + } + this.tracksBuffered = []; + this.levels = subtitleTracks.map(function (mediaPlaylist) { + var level = new Level(mediaPlaylist); + _this2.tracksBuffered[level.id] = []; + return level; + }); + this.fragmentTracker.removeFragmentsInRange(0, Number.POSITIVE_INFINITY, PlaylistLevelType.SUBTITLE); + this.fragPrevious = null; + this.mediaBuffer = null; + }; + _proto.onSubtitleTrackSwitch = function onSubtitleTrackSwitch(event, data) { + var _this$levels; + this.currentTrackId = data.id; + if (!((_this$levels = this.levels) != null && _this$levels.length) || this.currentTrackId === -1) { + this.clearInterval(); + return; + } + + // Check if track has the necessary details to load fragments + var currentTrack = this.levels[this.currentTrackId]; + if (currentTrack != null && currentTrack.details) { + this.mediaBuffer = this.mediaBufferTimeRanges; + } else { + this.mediaBuffer = null; + } + if (currentTrack) { + this.setInterval(TICK_INTERVAL$1); + } + } + + // Got a new set of subtitle fragments. + ; + _proto.onSubtitleTrackLoaded = function onSubtitleTrackLoaded(event, data) { + var _track$details; + var currentTrackId = this.currentTrackId, + levels = this.levels; + var newDetails = data.details, + trackId = data.id; + if (!levels) { + this.warn("Subtitle tracks were reset while loading level " + trackId); + return; + } + var track = levels[trackId]; + if (trackId >= levels.length || !track) { + return; + } + this.log("Subtitle track " + trackId + " loaded [" + newDetails.startSN + "," + newDetails.endSN + "]" + (newDetails.lastPartSn ? "[part-" + newDetails.lastPartSn + "-" + newDetails.lastPartIndex + "]" : '') + ",duration:" + newDetails.totalduration); + this.mediaBuffer = this.mediaBufferTimeRanges; + var sliding = 0; + if (newDetails.live || (_track$details = track.details) != null && _track$details.live) { + var mainDetails = this.mainDetails; + if (newDetails.deltaUpdateFailed || !mainDetails) { + return; + } + var mainSlidingStartFragment = mainDetails.fragments[0]; + if (!track.details) { + if (newDetails.hasProgramDateTime && mainDetails.hasProgramDateTime) { + alignMediaPlaylistByPDT(newDetails, mainDetails); + sliding = newDetails.fragments[0].start; + } else if (mainSlidingStartFragment) { + // line up live playlist with main so that fragments in range are loaded + sliding = mainSlidingStartFragment.start; + addSliding(newDetails, sliding); + } + } else { + var _this$levelLastLoaded; + sliding = this.alignPlaylists(newDetails, track.details, (_this$levelLastLoaded = this.levelLastLoaded) == null ? void 0 : _this$levelLastLoaded.details); + if (sliding === 0 && mainSlidingStartFragment) { + // realign with main when there is no overlap with last refresh + sliding = mainSlidingStartFragment.start; + addSliding(newDetails, sliding); + } + } + } + track.details = newDetails; + this.levelLastLoaded = track; + if (trackId !== currentTrackId) { + return; + } + if (!this.startFragRequested && (this.mainDetails || !newDetails.live)) { + this.setStartPosition(this.mainDetails || newDetails, sliding); + } + + // trigger handler right now + this.tick(); + + // If playlist is misaligned because of bad PDT or drift, delete details to resync with main on reload + if (newDetails.live && !this.fragCurrent && this.media && this.state === State.IDLE) { + var foundFrag = findFragmentByPTS(null, newDetails.fragments, this.media.currentTime, 0); + if (!foundFrag) { + this.warn('Subtitle playlist not aligned with playback'); + track.details = undefined; + } + } + }; + _proto._handleFragmentLoadComplete = function _handleFragmentLoadComplete(fragLoadedData) { + var _this3 = this; + var frag = fragLoadedData.frag, + payload = fragLoadedData.payload; + var decryptData = frag.decryptdata; + var hls = this.hls; + if (this.fragContextChanged(frag)) { + return; + } + // check to see if the payload needs to be decrypted + if (payload && payload.byteLength > 0 && decryptData != null && decryptData.key && decryptData.iv && decryptData.method === 'AES-128') { + var startTime = performance.now(); + // decrypt the subtitles + this.decrypter.decrypt(new Uint8Array(payload), decryptData.key.buffer, decryptData.iv.buffer).catch(function (err) { + hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.FRAG_DECRYPT_ERROR, + fatal: false, + error: err, + reason: err.message, + frag: frag + }); + throw err; + }).then(function (decryptedData) { + var endTime = performance.now(); + hls.trigger(Events.FRAG_DECRYPTED, { + frag: frag, + payload: decryptedData, + stats: { + tstart: startTime, + tdecrypt: endTime + } + }); + }).catch(function (err) { + _this3.warn(err.name + ": " + err.message); + _this3.state = State.IDLE; + }); + } + }; + _proto.doTick = function doTick() { + if (!this.media) { + this.state = State.IDLE; + return; + } + if (this.state === State.IDLE) { + var currentTrackId = this.currentTrackId, + levels = this.levels; + var track = levels == null ? void 0 : levels[currentTrackId]; + if (!track || !levels.length || !track.details) { + return; + } + var config = this.config; + var currentTime = this.getLoadPosition(); + var bufferedInfo = BufferHelper.bufferedInfo(this.tracksBuffered[this.currentTrackId] || [], currentTime, config.maxBufferHole); + var targetBufferTime = bufferedInfo.end, + bufferLen = bufferedInfo.len; + var mainBufferInfo = this.getFwdBufferInfo(this.media, PlaylistLevelType.MAIN); + var trackDetails = track.details; + var maxBufLen = this.getMaxBufferLength(mainBufferInfo == null ? void 0 : mainBufferInfo.len) + trackDetails.levelTargetDuration; + if (bufferLen > maxBufLen) { + return; + } + var fragments = trackDetails.fragments; + var fragLen = fragments.length; + var end = trackDetails.edge; + var foundFrag = null; + var fragPrevious = this.fragPrevious; + if (targetBufferTime < end) { + var tolerance = config.maxFragLookUpTolerance; + var lookupTolerance = targetBufferTime > end - tolerance ? 0 : tolerance; + foundFrag = findFragmentByPTS(fragPrevious, fragments, Math.max(fragments[0].start, targetBufferTime), lookupTolerance); + if (!foundFrag && fragPrevious && fragPrevious.start < fragments[0].start) { + foundFrag = fragments[0]; + } + } else { + foundFrag = fragments[fragLen - 1]; + } + if (!foundFrag) { + return; + } + foundFrag = this.mapToInitFragWhenRequired(foundFrag); + if (foundFrag.sn !== 'initSegment') { + // Load earlier fragment in same discontinuity to make up for misaligned playlists and cues that extend beyond end of segment + var curSNIdx = foundFrag.sn - trackDetails.startSN; + var prevFrag = fragments[curSNIdx - 1]; + if (prevFrag && prevFrag.cc === foundFrag.cc && this.fragmentTracker.getState(prevFrag) === FragmentState.NOT_LOADED) { + foundFrag = prevFrag; + } + } + if (this.fragmentTracker.getState(foundFrag) === FragmentState.NOT_LOADED) { + // only load if fragment is not loaded + this.loadFragment(foundFrag, track, targetBufferTime); + } + } + }; + _proto.getMaxBufferLength = function getMaxBufferLength(mainBufferLength) { + var maxConfigBuffer = _BaseStreamController.prototype.getMaxBufferLength.call(this); + if (!mainBufferLength) { + return maxConfigBuffer; + } + return Math.max(maxConfigBuffer, mainBufferLength); + }; + _proto.loadFragment = function loadFragment(frag, level, targetBufferTime) { + this.fragCurrent = frag; + if (frag.sn === 'initSegment') { + this._loadInitSegment(frag, level); + } else { + this.startFragRequested = true; + _BaseStreamController.prototype.loadFragment.call(this, frag, level, targetBufferTime); + } + }; + _createClass(SubtitleStreamController, [{ + key: "mediaBufferTimeRanges", + get: function get() { + return new BufferableInstance(this.tracksBuffered[this.currentTrackId] || []); + } + }]); + return SubtitleStreamController; + }(BaseStreamController); + var BufferableInstance = function BufferableInstance(timeranges) { + this.buffered = void 0; + var getRange = function getRange(name, index, length) { + index = index >>> 0; + if (index > length - 1) { + throw new DOMException("Failed to execute '" + name + "' on 'TimeRanges': The index provided (" + index + ") is greater than the maximum bound (" + length + ")"); + } + return timeranges[index][name]; + }; + this.buffered = { + get length() { + return timeranges.length; + }, + end: function end(index) { + return getRange('end', index, timeranges.length); + }, + start: function start(index) { + return getRange('start', index, timeranges.length); + } + }; + }; + + var SubtitleTrackController = /*#__PURE__*/function (_BasePlaylistControll) { + _inheritsLoose(SubtitleTrackController, _BasePlaylistControll); + function SubtitleTrackController(hls) { + var _this; + _this = _BasePlaylistControll.call(this, hls, '[subtitle-track-controller]') || this; + _this.media = null; + _this.tracks = []; + _this.groupIds = null; + _this.tracksInGroup = []; + _this.trackId = -1; + _this.currentTrack = null; + _this.selectDefaultTrack = true; + _this.queuedDefaultTrack = -1; + _this.asyncPollTrackChange = function () { + return _this.pollTrackChange(0); + }; + _this.useTextTrackPolling = false; + _this.subtitlePollingInterval = -1; + _this._subtitleDisplay = true; + _this.onTextTracksChanged = function () { + if (!_this.useTextTrackPolling) { + self.clearInterval(_this.subtitlePollingInterval); + } + // Media is undefined when switching streams via loadSource() + if (!_this.media || !_this.hls.config.renderTextTracksNatively) { + return; + } + var textTrack = null; + var tracks = filterSubtitleTracks(_this.media.textTracks); + for (var i = 0; i < tracks.length; i++) { + if (tracks[i].mode === 'hidden') { + // Do not break in case there is a following track with showing. + textTrack = tracks[i]; + } else if (tracks[i].mode === 'showing') { + textTrack = tracks[i]; + break; + } + } + + // Find internal track index for TextTrack + var trackId = _this.findTrackForTextTrack(textTrack); + if (_this.subtitleTrack !== trackId) { + _this.setSubtitleTrack(trackId); + } + }; + _this.registerListeners(); + return _this; + } + var _proto = SubtitleTrackController.prototype; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.tracks.length = 0; + this.tracksInGroup.length = 0; + this.currentTrack = null; + this.onTextTracksChanged = this.asyncPollTrackChange = null; + _BasePlaylistControll.prototype.destroy.call(this); + }; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.on(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.on(Events.LEVEL_SWITCHING, this.onLevelSwitching, this); + hls.on(Events.SUBTITLE_TRACK_LOADED, this.onSubtitleTrackLoaded, this); + hls.on(Events.ERROR, this.onError, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.off(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.off(Events.LEVEL_SWITCHING, this.onLevelSwitching, this); + hls.off(Events.SUBTITLE_TRACK_LOADED, this.onSubtitleTrackLoaded, this); + hls.off(Events.ERROR, this.onError, this); + } + + // Listen for subtitle track change, then extract the current track ID. + ; + _proto.onMediaAttached = function onMediaAttached(event, data) { + this.media = data.media; + if (!this.media) { + return; + } + if (this.queuedDefaultTrack > -1) { + this.subtitleTrack = this.queuedDefaultTrack; + this.queuedDefaultTrack = -1; + } + this.useTextTrackPolling = !(this.media.textTracks && 'onchange' in this.media.textTracks); + if (this.useTextTrackPolling) { + this.pollTrackChange(500); + } else { + this.media.textTracks.addEventListener('change', this.asyncPollTrackChange); + } + }; + _proto.pollTrackChange = function pollTrackChange(timeout) { + self.clearInterval(this.subtitlePollingInterval); + this.subtitlePollingInterval = self.setInterval(this.onTextTracksChanged, timeout); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + if (!this.media) { + return; + } + self.clearInterval(this.subtitlePollingInterval); + if (!this.useTextTrackPolling) { + this.media.textTracks.removeEventListener('change', this.asyncPollTrackChange); + } + if (this.trackId > -1) { + this.queuedDefaultTrack = this.trackId; + } + var textTracks = filterSubtitleTracks(this.media.textTracks); + // Clear loaded cues on media detachment from tracks + textTracks.forEach(function (track) { + clearCurrentCues(track); + }); + // Disable all subtitle tracks before detachment so when reattached only tracks in that content are enabled. + this.subtitleTrack = -1; + this.media = null; + }; + _proto.onManifestLoading = function onManifestLoading() { + this.tracks = []; + this.groupIds = null; + this.tracksInGroup = []; + this.trackId = -1; + this.currentTrack = null; + this.selectDefaultTrack = true; + } + + // Fired whenever a new manifest is loaded. + ; + _proto.onManifestParsed = function onManifestParsed(event, data) { + this.tracks = data.subtitleTracks; + }; + _proto.onSubtitleTrackLoaded = function onSubtitleTrackLoaded(event, data) { + var id = data.id, + groupId = data.groupId, + details = data.details; + var trackInActiveGroup = this.tracksInGroup[id]; + if (!trackInActiveGroup || trackInActiveGroup.groupId !== groupId) { + this.warn("Subtitle track with id:" + id + " and group:" + groupId + " not found in active group " + (trackInActiveGroup == null ? void 0 : trackInActiveGroup.groupId)); + return; + } + var curDetails = trackInActiveGroup.details; + trackInActiveGroup.details = data.details; + this.log("Subtitle track " + id + " \"" + trackInActiveGroup.name + "\" lang:" + trackInActiveGroup.lang + " group:" + groupId + " loaded [" + details.startSN + "-" + details.endSN + "]"); + if (id === this.trackId) { + this.playlistLoaded(id, data, curDetails); + } + }; + _proto.onLevelLoading = function onLevelLoading(event, data) { + this.switchLevel(data.level); + }; + _proto.onLevelSwitching = function onLevelSwitching(event, data) { + this.switchLevel(data.level); + }; + _proto.switchLevel = function switchLevel(levelIndex) { + var levelInfo = this.hls.levels[levelIndex]; + if (!levelInfo) { + return; + } + var subtitleGroups = levelInfo.subtitleGroups || null; + var currentGroups = this.groupIds; + var currentTrack = this.currentTrack; + if (!subtitleGroups || (currentGroups == null ? void 0 : currentGroups.length) !== (subtitleGroups == null ? void 0 : subtitleGroups.length) || subtitleGroups != null && subtitleGroups.some(function (groupId) { + return (currentGroups == null ? void 0 : currentGroups.indexOf(groupId)) === -1; + })) { + this.groupIds = subtitleGroups; + this.trackId = -1; + this.currentTrack = null; + var subtitleTracks = this.tracks.filter(function (track) { + return !subtitleGroups || subtitleGroups.indexOf(track.groupId) !== -1; + }); + if (subtitleTracks.length) { + // Disable selectDefaultTrack if there are no default tracks + if (this.selectDefaultTrack && !subtitleTracks.some(function (track) { + return track.default; + })) { + this.selectDefaultTrack = false; + } + // track.id should match hls.audioTracks index + subtitleTracks.forEach(function (track, i) { + track.id = i; + }); + } else if (!currentTrack && !this.tracksInGroup.length) { + // Do not dispatch SUBTITLE_TRACKS_UPDATED when there were and are no tracks + return; + } + this.tracksInGroup = subtitleTracks; + + // Find preferred track + var subtitlePreference = this.hls.config.subtitlePreference; + if (!currentTrack && subtitlePreference) { + this.selectDefaultTrack = false; + var groupIndex = findMatchingOption(subtitlePreference, subtitleTracks); + if (groupIndex > -1) { + currentTrack = subtitleTracks[groupIndex]; + } else { + var allIndex = findMatchingOption(subtitlePreference, this.tracks); + currentTrack = this.tracks[allIndex]; + } + } + + // Select initial track + var trackId = this.findTrackId(currentTrack); + if (trackId === -1 && currentTrack) { + trackId = this.findTrackId(null); + } + + // Dispatch events and load track if needed + var subtitleTracksUpdated = { + subtitleTracks: subtitleTracks + }; + this.log("Updating subtitle tracks, " + subtitleTracks.length + " track(s) found in \"" + (subtitleGroups == null ? void 0 : subtitleGroups.join(',')) + "\" group-id"); + this.hls.trigger(Events.SUBTITLE_TRACKS_UPDATED, subtitleTracksUpdated); + if (trackId !== -1 && this.trackId === -1) { + this.setSubtitleTrack(trackId); + } + } else if (this.shouldReloadPlaylist(currentTrack)) { + // Retry playlist loading if no playlist is or has been loaded yet + this.setSubtitleTrack(this.trackId); + } + }; + _proto.findTrackId = function findTrackId(currentTrack) { + var tracks = this.tracksInGroup; + var selectDefault = this.selectDefaultTrack; + for (var i = 0; i < tracks.length; i++) { + var track = tracks[i]; + if (selectDefault && !track.default || !selectDefault && !currentTrack) { + continue; + } + if (!currentTrack || matchesOption(track, currentTrack)) { + return i; + } + } + if (currentTrack) { + for (var _i = 0; _i < tracks.length; _i++) { + var _track = tracks[_i]; + if (mediaAttributesIdentical(currentTrack.attrs, _track.attrs, ['LANGUAGE', 'ASSOC-LANGUAGE', 'CHARACTERISTICS'])) { + return _i; + } + } + for (var _i2 = 0; _i2 < tracks.length; _i2++) { + var _track2 = tracks[_i2]; + if (mediaAttributesIdentical(currentTrack.attrs, _track2.attrs, ['LANGUAGE'])) { + return _i2; + } + } + } + return -1; + }; + _proto.findTrackForTextTrack = function findTrackForTextTrack(textTrack) { + if (textTrack) { + var tracks = this.tracksInGroup; + for (var i = 0; i < tracks.length; i++) { + var track = tracks[i]; + if (subtitleTrackMatchesTextTrack(track, textTrack)) { + return i; + } + } + } + return -1; + }; + _proto.onError = function onError(event, data) { + if (data.fatal || !data.context) { + return; + } + if (data.context.type === PlaylistContextType.SUBTITLE_TRACK && data.context.id === this.trackId && (!this.groupIds || this.groupIds.indexOf(data.context.groupId) !== -1)) { + this.checkRetry(data); + } + }; + _proto.setSubtitleOption = function setSubtitleOption(subtitleOption) { + this.hls.config.subtitlePreference = subtitleOption; + if (subtitleOption) { + var allSubtitleTracks = this.allSubtitleTracks; + this.selectDefaultTrack = false; + if (allSubtitleTracks.length) { + // First see if current option matches (no switch op) + var currentTrack = this.currentTrack; + if (currentTrack && matchesOption(subtitleOption, currentTrack)) { + return currentTrack; + } + // Find option in current group + var groupIndex = findMatchingOption(subtitleOption, this.tracksInGroup); + if (groupIndex > -1) { + var track = this.tracksInGroup[groupIndex]; + this.setSubtitleTrack(groupIndex); + return track; + } else if (currentTrack) { + // If this is not the initial selection return null + // option should have matched one in active group + return null; + } else { + // Find the option in all tracks for initial selection + var allIndex = findMatchingOption(subtitleOption, allSubtitleTracks); + if (allIndex > -1) { + return allSubtitleTracks[allIndex]; + } + } + } + } + return null; + }; + _proto.loadPlaylist = function loadPlaylist(hlsUrlParameters) { + _BasePlaylistControll.prototype.loadPlaylist.call(this); + var currentTrack = this.currentTrack; + if (this.shouldLoadPlaylist(currentTrack) && currentTrack) { + var id = currentTrack.id; + var groupId = currentTrack.groupId; + var url = currentTrack.url; + if (hlsUrlParameters) { + try { + url = hlsUrlParameters.addDirectives(url); + } catch (error) { + this.warn("Could not construct new URL with HLS Delivery Directives: " + error); + } + } + this.log("Loading subtitle playlist for id " + id); + this.hls.trigger(Events.SUBTITLE_TRACK_LOADING, { + url: url, + id: id, + groupId: groupId, + deliveryDirectives: hlsUrlParameters || null + }); + } + } + + /** + * Disables the old subtitleTrack and sets current mode on the next subtitleTrack. + * This operates on the DOM textTracks. + * A value of -1 will disable all subtitle tracks. + */; + _proto.toggleTrackModes = function toggleTrackModes() { + var media = this.media; + if (!media) { + return; + } + var textTracks = filterSubtitleTracks(media.textTracks); + var currentTrack = this.currentTrack; + var nextTrack; + if (currentTrack) { + nextTrack = textTracks.filter(function (textTrack) { + return subtitleTrackMatchesTextTrack(currentTrack, textTrack); + })[0]; + if (!nextTrack) { + this.warn("Unable to find subtitle TextTrack with name \"" + currentTrack.name + "\" and language \"" + currentTrack.lang + "\""); + } + } + [].slice.call(textTracks).forEach(function (track) { + if (track.mode !== 'disabled' && track !== nextTrack) { + track.mode = 'disabled'; + } + }); + if (nextTrack) { + var mode = this.subtitleDisplay ? 'showing' : 'hidden'; + if (nextTrack.mode !== mode) { + nextTrack.mode = mode; + } + } + } + + /** + * This method is responsible for validating the subtitle index and periodically reloading if live. + * Dispatches the SUBTITLE_TRACK_SWITCH event, which instructs the subtitle-stream-controller to load the selected track. + */; + _proto.setSubtitleTrack = function setSubtitleTrack(newId) { + var tracks = this.tracksInGroup; + + // setting this.subtitleTrack will trigger internal logic + // if media has not been attached yet, it will fail + // we keep a reference to the default track id + // and we'll set subtitleTrack when onMediaAttached is triggered + if (!this.media) { + this.queuedDefaultTrack = newId; + return; + } + + // exit if track id as already set or invalid + if (newId < -1 || newId >= tracks.length || !isFiniteNumber(newId)) { + this.warn("Invalid subtitle track id: " + newId); + return; + } + + // stopping live reloading timer if any + this.clearTimer(); + this.selectDefaultTrack = false; + var lastTrack = this.currentTrack; + var track = tracks[newId] || null; + this.trackId = newId; + this.currentTrack = track; + this.toggleTrackModes(); + if (!track) { + // switch to -1 + this.hls.trigger(Events.SUBTITLE_TRACK_SWITCH, { + id: newId + }); + return; + } + var trackLoaded = !!track.details && !track.details.live; + if (newId === this.trackId && track === lastTrack && trackLoaded) { + return; + } + this.log("Switching to subtitle-track " + newId + (track ? " \"" + track.name + "\" lang:" + track.lang + " group:" + track.groupId : '')); + var id = track.id, + _track$groupId = track.groupId, + groupId = _track$groupId === void 0 ? '' : _track$groupId, + name = track.name, + type = track.type, + url = track.url; + this.hls.trigger(Events.SUBTITLE_TRACK_SWITCH, { + id: id, + groupId: groupId, + name: name, + type: type, + url: url + }); + var hlsUrlParameters = this.switchParams(track.url, lastTrack == null ? void 0 : lastTrack.details, track.details); + this.loadPlaylist(hlsUrlParameters); + }; + _createClass(SubtitleTrackController, [{ + key: "subtitleDisplay", + get: function get() { + return this._subtitleDisplay; + }, + set: function set(value) { + this._subtitleDisplay = value; + if (this.trackId > -1) { + this.toggleTrackModes(); + } + } + }, { + key: "allSubtitleTracks", + get: function get() { + return this.tracks; + } + + /** get alternate subtitle tracks list from playlist **/ + }, { + key: "subtitleTracks", + get: function get() { + return this.tracksInGroup; + } + + /** get/set index of the selected subtitle track (based on index in subtitle track lists) **/ + }, { + key: "subtitleTrack", + get: function get() { + return this.trackId; + }, + set: function set(newId) { + this.selectDefaultTrack = false; + this.setSubtitleTrack(newId); + } + }]); + return SubtitleTrackController; + }(BasePlaylistController); + + var BufferOperationQueue = /*#__PURE__*/function () { + function BufferOperationQueue(sourceBufferReference) { + this.buffers = void 0; + this.queues = { + video: [], + audio: [], + audiovideo: [] + }; + this.buffers = sourceBufferReference; + } + var _proto = BufferOperationQueue.prototype; + _proto.append = function append(operation, type, pending) { + var queue = this.queues[type]; + queue.push(operation); + if (queue.length === 1 && !pending) { + this.executeNext(type); + } + }; + _proto.insertAbort = function insertAbort(operation, type) { + var queue = this.queues[type]; + queue.unshift(operation); + this.executeNext(type); + }; + _proto.appendBlocker = function appendBlocker(type) { + var execute; + var promise = new Promise(function (resolve) { + execute = resolve; + }); + var operation = { + execute: execute, + onStart: function onStart() {}, + onComplete: function onComplete() {}, + onError: function onError() {} + }; + this.append(operation, type); + return promise; + }; + _proto.executeNext = function executeNext(type) { + var queue = this.queues[type]; + if (queue.length) { + var operation = queue[0]; + try { + // Operations are expected to result in an 'updateend' event being fired. If not, the queue will lock. Operations + // which do not end with this event must call _onSBUpdateEnd manually + operation.execute(); + } catch (error) { + logger.warn("[buffer-operation-queue]: Exception executing \"" + type + "\" SourceBuffer operation: " + error); + operation.onError(error); + + // Only shift the current operation off, otherwise the updateend handler will do this for us + var sb = this.buffers[type]; + if (!(sb != null && sb.updating)) { + this.shiftAndExecuteNext(type); + } + } + } + }; + _proto.shiftAndExecuteNext = function shiftAndExecuteNext(type) { + this.queues[type].shift(); + this.executeNext(type); + }; + _proto.current = function current(type) { + return this.queues[type][0]; + }; + return BufferOperationQueue; + }(); + + var VIDEO_CODEC_PROFILE_REPLACE = /(avc[1234]|hvc1|hev1|dvh[1e]|vp09|av01)(?:\.[^.,]+)+/; + var BufferController = /*#__PURE__*/function () { + function BufferController(hls) { + var _this = this; + // The level details used to determine duration, target-duration and live + this.details = null; + // cache the self generated object url to detect hijack of video tag + this._objectUrl = null; + // A queue of buffer operations which require the SourceBuffer to not be updating upon execution + this.operationQueue = void 0; + // References to event listeners for each SourceBuffer, so that they can be referenced for event removal + this.listeners = void 0; + this.hls = void 0; + // The number of BUFFER_CODEC events received before any sourceBuffers are created + this.bufferCodecEventsExpected = 0; + // The total number of BUFFER_CODEC events received + this._bufferCodecEventsTotal = 0; + // A reference to the attached media element + this.media = null; + // A reference to the active media source + this.mediaSource = null; + // Last MP3 audio chunk appended + this.lastMpegAudioChunk = null; + this.appendSource = void 0; + // counters + this.appendErrors = { + audio: 0, + video: 0, + audiovideo: 0 + }; + this.tracks = {}; + this.pendingTracks = {}; + this.sourceBuffer = void 0; + this.log = void 0; + this.warn = void 0; + this.error = void 0; + this._onEndStreaming = function (event) { + if (!_this.hls) { + return; + } + _this.hls.pauseBuffering(); + }; + this._onStartStreaming = function (event) { + if (!_this.hls) { + return; + } + _this.hls.resumeBuffering(); + }; + // Keep as arrow functions so that we can directly reference these functions directly as event listeners + this._onMediaSourceOpen = function () { + var media = _this.media, + mediaSource = _this.mediaSource; + _this.log('Media source opened'); + if (media) { + media.removeEventListener('emptied', _this._onMediaEmptied); + _this.updateMediaElementDuration(); + _this.hls.trigger(Events.MEDIA_ATTACHED, { + media: media, + mediaSource: mediaSource + }); + } + if (mediaSource) { + // once received, don't listen anymore to sourceopen event + mediaSource.removeEventListener('sourceopen', _this._onMediaSourceOpen); + } + _this.checkPendingTracks(); + }; + this._onMediaSourceClose = function () { + _this.log('Media source closed'); + }; + this._onMediaSourceEnded = function () { + _this.log('Media source ended'); + }; + this._onMediaEmptied = function () { + var mediaSrc = _this.mediaSrc, + _objectUrl = _this._objectUrl; + if (mediaSrc !== _objectUrl) { + logger.error("Media element src was set while attaching MediaSource (" + _objectUrl + " > " + mediaSrc + ")"); + } + }; + this.hls = hls; + var logPrefix = '[buffer-controller]'; + this.appendSource = isManagedMediaSource(getMediaSource(hls.config.preferManagedMediaSource)); + this.log = logger.log.bind(logger, logPrefix); + this.warn = logger.warn.bind(logger, logPrefix); + this.error = logger.error.bind(logger, logPrefix); + this._initSourceBuffer(); + this.registerListeners(); + } + var _proto = BufferController.prototype; + _proto.hasSourceTypes = function hasSourceTypes() { + return this.getSourceBufferTypes().length > 0 || Object.keys(this.pendingTracks).length > 0; + }; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.details = null; + this.lastMpegAudioChunk = null; + // @ts-ignore + this.hls = null; + }; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.on(Events.BUFFER_RESET, this.onBufferReset, this); + hls.on(Events.BUFFER_APPENDING, this.onBufferAppending, this); + hls.on(Events.BUFFER_CODECS, this.onBufferCodecs, this); + hls.on(Events.BUFFER_EOS, this.onBufferEos, this); + hls.on(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.on(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + hls.on(Events.FRAG_PARSED, this.onFragParsed, this); + hls.on(Events.FRAG_CHANGED, this.onFragChanged, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.off(Events.BUFFER_RESET, this.onBufferReset, this); + hls.off(Events.BUFFER_APPENDING, this.onBufferAppending, this); + hls.off(Events.BUFFER_CODECS, this.onBufferCodecs, this); + hls.off(Events.BUFFER_EOS, this.onBufferEos, this); + hls.off(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + hls.off(Events.LEVEL_UPDATED, this.onLevelUpdated, this); + hls.off(Events.FRAG_PARSED, this.onFragParsed, this); + hls.off(Events.FRAG_CHANGED, this.onFragChanged, this); + }; + _proto._initSourceBuffer = function _initSourceBuffer() { + this.sourceBuffer = {}; + this.operationQueue = new BufferOperationQueue(this.sourceBuffer); + this.listeners = { + audio: [], + video: [], + audiovideo: [] + }; + this.appendErrors = { + audio: 0, + video: 0, + audiovideo: 0 + }; + this.lastMpegAudioChunk = null; + }; + _proto.onManifestLoading = function onManifestLoading() { + this.bufferCodecEventsExpected = this._bufferCodecEventsTotal = 0; + this.details = null; + }; + _proto.onManifestParsed = function onManifestParsed(event, data) { + // in case of alt audio 2 BUFFER_CODECS events will be triggered, one per stream controller + // sourcebuffers will be created all at once when the expected nb of tracks will be reached + // in case alt audio is not used, only one BUFFER_CODEC event will be fired from main stream controller + // it will contain the expected nb of source buffers, no need to compute it + var codecEvents = 2; + if (data.audio && !data.video || !data.altAudio || !true) { + codecEvents = 1; + } + this.bufferCodecEventsExpected = this._bufferCodecEventsTotal = codecEvents; + this.log(this.bufferCodecEventsExpected + " bufferCodec event(s) expected"); + }; + _proto.onMediaAttaching = function onMediaAttaching(event, data) { + var media = this.media = data.media; + var MediaSource = getMediaSource(this.appendSource); + if (media && MediaSource) { + var _ms$constructor; + var ms = this.mediaSource = new MediaSource(); + this.log("created media source: " + ((_ms$constructor = ms.constructor) == null ? void 0 : _ms$constructor.name)); + // MediaSource listeners are arrow functions with a lexical scope, and do not need to be bound + ms.addEventListener('sourceopen', this._onMediaSourceOpen); + ms.addEventListener('sourceended', this._onMediaSourceEnded); + ms.addEventListener('sourceclose', this._onMediaSourceClose); + if (this.appendSource) { + ms.addEventListener('startstreaming', this._onStartStreaming); + ms.addEventListener('endstreaming', this._onEndStreaming); + } + + // cache the locally generated object url + var objectUrl = this._objectUrl = self.URL.createObjectURL(ms); + // link video and media Source + if (this.appendSource) { + try { + media.removeAttribute('src'); + // ManagedMediaSource will not open without disableRemotePlayback set to false or source alternatives + var MMS = self.ManagedMediaSource; + media.disableRemotePlayback = media.disableRemotePlayback || MMS && ms instanceof MMS; + removeSourceChildren(media); + addSource(media, objectUrl); + media.load(); + } catch (error) { + media.src = objectUrl; + } + } else { + media.src = objectUrl; + } + media.addEventListener('emptied', this._onMediaEmptied); + } + }; + _proto.onMediaDetaching = function onMediaDetaching() { + var media = this.media, + mediaSource = this.mediaSource, + _objectUrl = this._objectUrl; + if (mediaSource) { + this.log('media source detaching'); + if (mediaSource.readyState === 'open') { + try { + // endOfStream could trigger exception if any sourcebuffer is in updating state + // we don't really care about checking sourcebuffer state here, + // as we are anyway detaching the MediaSource + // let's just avoid this exception to propagate + mediaSource.endOfStream(); + } catch (err) { + this.warn("onMediaDetaching: " + err.message + " while calling endOfStream"); + } + } + // Clean up the SourceBuffers by invoking onBufferReset + this.onBufferReset(); + mediaSource.removeEventListener('sourceopen', this._onMediaSourceOpen); + mediaSource.removeEventListener('sourceended', this._onMediaSourceEnded); + mediaSource.removeEventListener('sourceclose', this._onMediaSourceClose); + if (this.appendSource) { + mediaSource.removeEventListener('startstreaming', this._onStartStreaming); + mediaSource.removeEventListener('endstreaming', this._onEndStreaming); + } + + // Detach properly the MediaSource from the HTMLMediaElement as + // suggested in https://github.com/w3c/media-source/issues/53. + if (media) { + media.removeEventListener('emptied', this._onMediaEmptied); + if (_objectUrl) { + self.URL.revokeObjectURL(_objectUrl); + } + + // clean up video tag src only if it's our own url. some external libraries might + // hijack the video tag and change its 'src' without destroying the Hls instance first + if (this.mediaSrc === _objectUrl) { + media.removeAttribute('src'); + if (this.appendSource) { + removeSourceChildren(media); + } + media.load(); + } else { + this.warn('media|source.src was changed by a third party - skip cleanup'); + } + } + this.mediaSource = null; + this.media = null; + this._objectUrl = null; + this.bufferCodecEventsExpected = this._bufferCodecEventsTotal; + this.pendingTracks = {}; + this.tracks = {}; + } + this.hls.trigger(Events.MEDIA_DETACHED, undefined); + }; + _proto.onBufferReset = function onBufferReset() { + var _this2 = this; + this.getSourceBufferTypes().forEach(function (type) { + _this2.resetBuffer(type); + }); + this._initSourceBuffer(); + this.hls.resumeBuffering(); + }; + _proto.resetBuffer = function resetBuffer(type) { + var sb = this.sourceBuffer[type]; + try { + if (sb) { + var _this$mediaSource; + this.removeBufferListeners(type); + // Synchronously remove the SB from the map before the next call in order to prevent an async function from + // accessing it + this.sourceBuffer[type] = undefined; + if ((_this$mediaSource = this.mediaSource) != null && _this$mediaSource.sourceBuffers.length) { + this.mediaSource.removeSourceBuffer(sb); + } + } + } catch (err) { + this.warn("onBufferReset " + type, err); + } + }; + _proto.onBufferCodecs = function onBufferCodecs(event, data) { + var _this3 = this; + var sourceBufferCount = this.getSourceBufferTypes().length; + var trackNames = Object.keys(data); + trackNames.forEach(function (trackName) { + if (sourceBufferCount) { + // check if SourceBuffer codec needs to change + var track = _this3.tracks[trackName]; + if (track && typeof track.buffer.changeType === 'function') { + var _trackCodec; + var _data$trackName = data[trackName], + id = _data$trackName.id, + codec = _data$trackName.codec, + levelCodec = _data$trackName.levelCodec, + container = _data$trackName.container, + metadata = _data$trackName.metadata; + var currentCodecFull = pickMostCompleteCodecName(track.codec, track.levelCodec); + var currentCodec = currentCodecFull == null ? void 0 : currentCodecFull.replace(VIDEO_CODEC_PROFILE_REPLACE, '$1'); + var trackCodec = pickMostCompleteCodecName(codec, levelCodec); + var nextCodec = (_trackCodec = trackCodec) == null ? void 0 : _trackCodec.replace(VIDEO_CODEC_PROFILE_REPLACE, '$1'); + if (trackCodec && currentCodec !== nextCodec) { + if (trackName.slice(0, 5) === 'audio') { + trackCodec = getCodecCompatibleName(trackCodec, _this3.appendSource); + } + var mimeType = container + ";codecs=" + trackCodec; + _this3.appendChangeType(trackName, mimeType); + _this3.log("switching codec " + currentCodecFull + " to " + trackCodec); + _this3.tracks[trackName] = { + buffer: track.buffer, + codec: codec, + container: container, + levelCodec: levelCodec, + metadata: metadata, + id: id + }; + } + } + } else { + // if source buffer(s) not created yet, appended buffer tracks in this.pendingTracks + _this3.pendingTracks[trackName] = data[trackName]; + } + }); + + // if sourcebuffers already created, do nothing ... + if (sourceBufferCount) { + return; + } + var bufferCodecEventsExpected = Math.max(this.bufferCodecEventsExpected - 1, 0); + if (this.bufferCodecEventsExpected !== bufferCodecEventsExpected) { + this.log(bufferCodecEventsExpected + " bufferCodec event(s) expected " + trackNames.join(',')); + this.bufferCodecEventsExpected = bufferCodecEventsExpected; + } + if (this.mediaSource && this.mediaSource.readyState === 'open') { + this.checkPendingTracks(); + } + }; + _proto.appendChangeType = function appendChangeType(type, mimeType) { + var _this4 = this; + var operationQueue = this.operationQueue; + var operation = { + execute: function execute() { + var sb = _this4.sourceBuffer[type]; + if (sb) { + _this4.log("changing " + type + " sourceBuffer type to " + mimeType); + sb.changeType(mimeType); + } + operationQueue.shiftAndExecuteNext(type); + }, + onStart: function onStart() {}, + onComplete: function onComplete() {}, + onError: function onError(error) { + _this4.warn("Failed to change " + type + " SourceBuffer type", error); + } + }; + operationQueue.append(operation, type, !!this.pendingTracks[type]); + }; + _proto.onBufferAppending = function onBufferAppending(event, eventData) { + var _this5 = this; + var hls = this.hls, + operationQueue = this.operationQueue, + tracks = this.tracks; + var data = eventData.data, + type = eventData.type, + frag = eventData.frag, + part = eventData.part, + chunkMeta = eventData.chunkMeta; + var chunkStats = chunkMeta.buffering[type]; + var bufferAppendingStart = self.performance.now(); + chunkStats.start = bufferAppendingStart; + var fragBuffering = frag.stats.buffering; + var partBuffering = part ? part.stats.buffering : null; + if (fragBuffering.start === 0) { + fragBuffering.start = bufferAppendingStart; + } + if (partBuffering && partBuffering.start === 0) { + partBuffering.start = bufferAppendingStart; + } + + // TODO: Only update timestampOffset when audio/mpeg fragment or part is not contiguous with previously appended + // Adjusting `SourceBuffer.timestampOffset` (desired point in the timeline where the next frames should be appended) + // in Chrome browser when we detect MPEG audio container and time delta between level PTS and `SourceBuffer.timestampOffset` + // is greater than 100ms (this is enough to handle seek for VOD or level change for LIVE videos). + // More info here: https://github.com/video-dev/hls.js/issues/332#issuecomment-257986486 + var audioTrack = tracks.audio; + var checkTimestampOffset = false; + if (type === 'audio' && (audioTrack == null ? void 0 : audioTrack.container) === 'audio/mpeg') { + checkTimestampOffset = !this.lastMpegAudioChunk || chunkMeta.id === 1 || this.lastMpegAudioChunk.sn !== chunkMeta.sn; + this.lastMpegAudioChunk = chunkMeta; + } + var fragStart = frag.start; + var operation = { + execute: function execute() { + chunkStats.executeStart = self.performance.now(); + if (checkTimestampOffset) { + var sb = _this5.sourceBuffer[type]; + if (sb) { + var delta = fragStart - sb.timestampOffset; + if (Math.abs(delta) >= 0.1) { + _this5.log("Updating audio SourceBuffer timestampOffset to " + fragStart + " (delta: " + delta + ") sn: " + frag.sn + ")"); + sb.timestampOffset = fragStart; + } + } + } + _this5.appendExecutor(data, type); + }, + onStart: function onStart() { + // logger.debug(`[buffer-controller]: ${type} SourceBuffer updatestart`); + }, + onComplete: function onComplete() { + // logger.debug(`[buffer-controller]: ${type} SourceBuffer updateend`); + var end = self.performance.now(); + chunkStats.executeEnd = chunkStats.end = end; + if (fragBuffering.first === 0) { + fragBuffering.first = end; + } + if (partBuffering && partBuffering.first === 0) { + partBuffering.first = end; + } + var sourceBuffer = _this5.sourceBuffer; + var timeRanges = {}; + for (var _type in sourceBuffer) { + timeRanges[_type] = BufferHelper.getBuffered(sourceBuffer[_type]); + } + _this5.appendErrors[type] = 0; + if (type === 'audio' || type === 'video') { + _this5.appendErrors.audiovideo = 0; + } else { + _this5.appendErrors.audio = 0; + _this5.appendErrors.video = 0; + } + _this5.hls.trigger(Events.BUFFER_APPENDED, { + type: type, + frag: frag, + part: part, + chunkMeta: chunkMeta, + parent: frag.type, + timeRanges: timeRanges + }); + }, + onError: function onError(error) { + // in case any error occured while appending, put back segment in segments table + var event = { + type: ErrorTypes.MEDIA_ERROR, + parent: frag.type, + details: ErrorDetails.BUFFER_APPEND_ERROR, + sourceBufferName: type, + frag: frag, + part: part, + chunkMeta: chunkMeta, + error: error, + err: error, + fatal: false + }; + if (error.code === DOMException.QUOTA_EXCEEDED_ERR) { + // QuotaExceededError: http://www.w3.org/TR/html5/infrastructure.html#quotaexceedederror + // let's stop appending any segments, and report BUFFER_FULL_ERROR error + event.details = ErrorDetails.BUFFER_FULL_ERROR; + } else { + var appendErrorCount = ++_this5.appendErrors[type]; + event.details = ErrorDetails.BUFFER_APPEND_ERROR; + /* with UHD content, we could get loop of quota exceeded error until + browser is able to evict some data from sourcebuffer. Retrying can help recover. + */ + _this5.warn("Failed " + appendErrorCount + "/" + hls.config.appendErrorMaxRetry + " times to append segment in \"" + type + "\" sourceBuffer"); + if (appendErrorCount >= hls.config.appendErrorMaxRetry) { + event.fatal = true; + } + } + hls.trigger(Events.ERROR, event); + } + }; + operationQueue.append(operation, type, !!this.pendingTracks[type]); + }; + _proto.onBufferFlushing = function onBufferFlushing(event, data) { + var _this6 = this; + var operationQueue = this.operationQueue; + var flushOperation = function flushOperation(type) { + return { + execute: _this6.removeExecutor.bind(_this6, type, data.startOffset, data.endOffset), + onStart: function onStart() { + // logger.debug(`[buffer-controller]: Started flushing ${data.startOffset} -> ${data.endOffset} for ${type} Source Buffer`); + }, + onComplete: function onComplete() { + // logger.debug(`[buffer-controller]: Finished flushing ${data.startOffset} -> ${data.endOffset} for ${type} Source Buffer`); + _this6.hls.trigger(Events.BUFFER_FLUSHED, { + type: type + }); + }, + onError: function onError(error) { + _this6.warn("Failed to remove from " + type + " SourceBuffer", error); + } + }; + }; + if (data.type) { + operationQueue.append(flushOperation(data.type), data.type); + } else { + this.getSourceBufferTypes().forEach(function (type) { + operationQueue.append(flushOperation(type), type); + }); + } + }; + _proto.onFragParsed = function onFragParsed(event, data) { + var _this7 = this; + var frag = data.frag, + part = data.part; + var buffersAppendedTo = []; + var elementaryStreams = part ? part.elementaryStreams : frag.elementaryStreams; + if (elementaryStreams[ElementaryStreamTypes.AUDIOVIDEO]) { + buffersAppendedTo.push('audiovideo'); + } else { + if (elementaryStreams[ElementaryStreamTypes.AUDIO]) { + buffersAppendedTo.push('audio'); + } + if (elementaryStreams[ElementaryStreamTypes.VIDEO]) { + buffersAppendedTo.push('video'); + } + } + var onUnblocked = function onUnblocked() { + var now = self.performance.now(); + frag.stats.buffering.end = now; + if (part) { + part.stats.buffering.end = now; + } + var stats = part ? part.stats : frag.stats; + _this7.hls.trigger(Events.FRAG_BUFFERED, { + frag: frag, + part: part, + stats: stats, + id: frag.type + }); + }; + if (buffersAppendedTo.length === 0) { + this.warn("Fragments must have at least one ElementaryStreamType set. type: " + frag.type + " level: " + frag.level + " sn: " + frag.sn); + } + this.blockBuffers(onUnblocked, buffersAppendedTo); + }; + _proto.onFragChanged = function onFragChanged(event, data) { + this.trimBuffers(); + } + + // on BUFFER_EOS mark matching sourcebuffer(s) as ended and trigger checkEos() + // an undefined data.type will mark all buffers as EOS. + ; + _proto.onBufferEos = function onBufferEos(event, data) { + var _this8 = this; + var ended = this.getSourceBufferTypes().reduce(function (acc, type) { + var sb = _this8.sourceBuffer[type]; + if (sb && (!data.type || data.type === type)) { + sb.ending = true; + if (!sb.ended) { + sb.ended = true; + _this8.log(type + " sourceBuffer now EOS"); + } + } + return acc && !!(!sb || sb.ended); + }, true); + if (ended) { + this.log("Queueing mediaSource.endOfStream()"); + this.blockBuffers(function () { + _this8.getSourceBufferTypes().forEach(function (type) { + var sb = _this8.sourceBuffer[type]; + if (sb) { + sb.ending = false; + } + }); + var mediaSource = _this8.mediaSource; + if (!mediaSource || mediaSource.readyState !== 'open') { + if (mediaSource) { + _this8.log("Could not call mediaSource.endOfStream(). mediaSource.readyState: " + mediaSource.readyState); + } + return; + } + _this8.log("Calling mediaSource.endOfStream()"); + // Allow this to throw and be caught by the enqueueing function + mediaSource.endOfStream(); + }); + } + }; + _proto.onLevelUpdated = function onLevelUpdated(event, _ref) { + var details = _ref.details; + if (!details.fragments.length) { + return; + } + this.details = details; + if (this.getSourceBufferTypes().length) { + this.blockBuffers(this.updateMediaElementDuration.bind(this)); + } else { + this.updateMediaElementDuration(); + } + }; + _proto.trimBuffers = function trimBuffers() { + var hls = this.hls, + details = this.details, + media = this.media; + if (!media || details === null) { + return; + } + var sourceBufferTypes = this.getSourceBufferTypes(); + if (!sourceBufferTypes.length) { + return; + } + var config = hls.config; + var currentTime = media.currentTime; + var targetDuration = details.levelTargetDuration; + + // Support for deprecated liveBackBufferLength + var backBufferLength = details.live && config.liveBackBufferLength !== null ? config.liveBackBufferLength : config.backBufferLength; + if (isFiniteNumber(backBufferLength) && backBufferLength > 0) { + var maxBackBufferLength = Math.max(backBufferLength, targetDuration); + var targetBackBufferPosition = Math.floor(currentTime / targetDuration) * targetDuration - maxBackBufferLength; + this.flushBackBuffer(currentTime, targetDuration, targetBackBufferPosition); + } + if (isFiniteNumber(config.frontBufferFlushThreshold) && config.frontBufferFlushThreshold > 0) { + var frontBufferLength = Math.max(config.maxBufferLength, config.frontBufferFlushThreshold); + var maxFrontBufferLength = Math.max(frontBufferLength, targetDuration); + var targetFrontBufferPosition = Math.floor(currentTime / targetDuration) * targetDuration + maxFrontBufferLength; + this.flushFrontBuffer(currentTime, targetDuration, targetFrontBufferPosition); + } + }; + _proto.flushBackBuffer = function flushBackBuffer(currentTime, targetDuration, targetBackBufferPosition) { + var _this9 = this; + var details = this.details, + sourceBuffer = this.sourceBuffer; + var sourceBufferTypes = this.getSourceBufferTypes(); + sourceBufferTypes.forEach(function (type) { + var sb = sourceBuffer[type]; + if (sb) { + var buffered = BufferHelper.getBuffered(sb); + // when target buffer start exceeds actual buffer start + if (buffered.length > 0 && targetBackBufferPosition > buffered.start(0)) { + _this9.hls.trigger(Events.BACK_BUFFER_REACHED, { + bufferEnd: targetBackBufferPosition + }); + + // Support for deprecated event: + if (details != null && details.live) { + _this9.hls.trigger(Events.LIVE_BACK_BUFFER_REACHED, { + bufferEnd: targetBackBufferPosition + }); + } else if (sb.ended && buffered.end(buffered.length - 1) - currentTime < targetDuration * 2) { + _this9.log("Cannot flush " + type + " back buffer while SourceBuffer is in ended state"); + return; + } + _this9.hls.trigger(Events.BUFFER_FLUSHING, { + startOffset: 0, + endOffset: targetBackBufferPosition, + type: type + }); + } + } + }); + }; + _proto.flushFrontBuffer = function flushFrontBuffer(currentTime, targetDuration, targetFrontBufferPosition) { + var _this10 = this; + var sourceBuffer = this.sourceBuffer; + var sourceBufferTypes = this.getSourceBufferTypes(); + sourceBufferTypes.forEach(function (type) { + var sb = sourceBuffer[type]; + if (sb) { + var buffered = BufferHelper.getBuffered(sb); + var numBufferedRanges = buffered.length; + // The buffer is either empty or contiguous + if (numBufferedRanges < 2) { + return; + } + var bufferStart = buffered.start(numBufferedRanges - 1); + var bufferEnd = buffered.end(numBufferedRanges - 1); + // No flush if we can tolerate the current buffer length or the current buffer range we would flush is contiguous with current position + if (targetFrontBufferPosition > bufferStart || currentTime >= bufferStart && currentTime <= bufferEnd) { + return; + } else if (sb.ended && currentTime - bufferEnd < 2 * targetDuration) { + _this10.log("Cannot flush " + type + " front buffer while SourceBuffer is in ended state"); + return; + } + _this10.hls.trigger(Events.BUFFER_FLUSHING, { + startOffset: bufferStart, + endOffset: Infinity, + type: type + }); + } + }); + } + + /** + * Update Media Source duration to current level duration or override to Infinity if configuration parameter + * 'liveDurationInfinity` is set to `true` + * More details: https://github.com/video-dev/hls.js/issues/355 + */; + _proto.updateMediaElementDuration = function updateMediaElementDuration() { + if (!this.details || !this.media || !this.mediaSource || this.mediaSource.readyState !== 'open') { + return; + } + var details = this.details, + hls = this.hls, + media = this.media, + mediaSource = this.mediaSource; + var levelDuration = details.fragments[0].start + details.totalduration; + var mediaDuration = media.duration; + var msDuration = isFiniteNumber(mediaSource.duration) ? mediaSource.duration : 0; + if (details.live && hls.config.liveDurationInfinity) { + // Override duration to Infinity + mediaSource.duration = Infinity; + this.updateSeekableRange(details); + } else if (levelDuration > msDuration && levelDuration > mediaDuration || !isFiniteNumber(mediaDuration)) { + // levelDuration was the last value we set. + // not using mediaSource.duration as the browser may tweak this value + // only update Media Source duration if its value increase, this is to avoid + // flushing already buffered portion when switching between quality level + this.log("Updating Media Source duration to " + levelDuration.toFixed(3)); + mediaSource.duration = levelDuration; + } + }; + _proto.updateSeekableRange = function updateSeekableRange(levelDetails) { + var mediaSource = this.mediaSource; + var fragments = levelDetails.fragments; + var len = fragments.length; + if (len && levelDetails.live && mediaSource != null && mediaSource.setLiveSeekableRange) { + var start = Math.max(0, fragments[0].start); + var end = Math.max(start, start + levelDetails.totalduration); + this.log("Media Source duration is set to " + mediaSource.duration + ". Setting seekable range to " + start + "-" + end + "."); + mediaSource.setLiveSeekableRange(start, end); + } + }; + _proto.checkPendingTracks = function checkPendingTracks() { + var bufferCodecEventsExpected = this.bufferCodecEventsExpected, + operationQueue = this.operationQueue, + pendingTracks = this.pendingTracks; + + // Check if we've received all of the expected bufferCodec events. When none remain, create all the sourceBuffers at once. + // This is important because the MSE spec allows implementations to throw QuotaExceededErrors if creating new sourceBuffers after + // data has been appended to existing ones. + // 2 tracks is the max (one for audio, one for video). If we've reach this max go ahead and create the buffers. + var pendingTracksCount = Object.keys(pendingTracks).length; + if (pendingTracksCount && (!bufferCodecEventsExpected || pendingTracksCount === 2 || 'audiovideo' in pendingTracks)) { + // ok, let's create them now ! + this.createSourceBuffers(pendingTracks); + this.pendingTracks = {}; + // append any pending segments now ! + var buffers = this.getSourceBufferTypes(); + if (buffers.length) { + this.hls.trigger(Events.BUFFER_CREATED, { + tracks: this.tracks + }); + buffers.forEach(function (type) { + operationQueue.executeNext(type); + }); + } else { + var error = new Error('could not create source buffer for media codec(s)'); + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_INCOMPATIBLE_CODECS_ERROR, + fatal: true, + error: error, + reason: error.message + }); + } + } + }; + _proto.createSourceBuffers = function createSourceBuffers(tracks) { + var _this11 = this; + var sourceBuffer = this.sourceBuffer, + mediaSource = this.mediaSource; + if (!mediaSource) { + throw Error('createSourceBuffers called when mediaSource was null'); + } + var _loop = function _loop(trackName) { + if (!sourceBuffer[trackName]) { + var _track$levelCodec; + var track = tracks[trackName]; + if (!track) { + throw Error("source buffer exists for track " + trackName + ", however track does not"); + } + // use levelCodec as first priority unless it contains multiple comma-separated codec values + var codec = ((_track$levelCodec = track.levelCodec) == null ? void 0 : _track$levelCodec.indexOf(',')) === -1 ? track.levelCodec : track.codec; + if (codec) { + if (trackName.slice(0, 5) === 'audio') { + codec = getCodecCompatibleName(codec, _this11.appendSource); + } + } + var mimeType = track.container + ";codecs=" + codec; + _this11.log("creating sourceBuffer(" + mimeType + ")"); + try { + var sb = sourceBuffer[trackName] = mediaSource.addSourceBuffer(mimeType); + var sbName = trackName; + _this11.addBufferListener(sbName, 'updatestart', _this11._onSBUpdateStart); + _this11.addBufferListener(sbName, 'updateend', _this11._onSBUpdateEnd); + _this11.addBufferListener(sbName, 'error', _this11._onSBUpdateError); + // ManagedSourceBuffer bufferedchange event + if (_this11.appendSource) { + _this11.addBufferListener(sbName, 'bufferedchange', function (type, event) { + // If media was ejected check for a change. Added ranges are redundant with changes on 'updateend' event. + var removedRanges = event.removedRanges; + if (removedRanges != null && removedRanges.length) { + _this11.hls.trigger(Events.BUFFER_FLUSHED, { + type: trackName + }); + } + }); + } + _this11.tracks[trackName] = { + buffer: sb, + codec: codec, + container: track.container, + levelCodec: track.levelCodec, + metadata: track.metadata, + id: track.id + }; + } catch (err) { + _this11.error("error while trying to add sourceBuffer: " + err.message); + _this11.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_ADD_CODEC_ERROR, + fatal: false, + error: err, + sourceBufferName: trackName, + mimeType: mimeType + }); + } + } + }; + for (var trackName in tracks) { + _loop(trackName); + } + }; + _proto._onSBUpdateStart = function _onSBUpdateStart(type) { + var operationQueue = this.operationQueue; + var operation = operationQueue.current(type); + operation.onStart(); + }; + _proto._onSBUpdateEnd = function _onSBUpdateEnd(type) { + var _this$mediaSource2; + if (((_this$mediaSource2 = this.mediaSource) == null ? void 0 : _this$mediaSource2.readyState) === 'closed') { + this.resetBuffer(type); + return; + } + var operationQueue = this.operationQueue; + var operation = operationQueue.current(type); + operation.onComplete(); + operationQueue.shiftAndExecuteNext(type); + }; + _proto._onSBUpdateError = function _onSBUpdateError(type, event) { + var _this$mediaSource3; + var error = new Error(type + " SourceBuffer error. MediaSource readyState: " + ((_this$mediaSource3 = this.mediaSource) == null ? void 0 : _this$mediaSource3.readyState)); + this.error("" + error, event); + // according to http://www.w3.org/TR/media-source/#sourcebuffer-append-error + // SourceBuffer errors are not necessarily fatal; if so, the HTMLMediaElement will fire an error event + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_APPENDING_ERROR, + sourceBufferName: type, + error: error, + fatal: false + }); + // updateend is always fired after error, so we'll allow that to shift the current operation off of the queue + var operation = this.operationQueue.current(type); + if (operation) { + operation.onError(error); + } + } + + // This method must result in an updateend event; if remove is not called, _onSBUpdateEnd must be called manually + ; + _proto.removeExecutor = function removeExecutor(type, startOffset, endOffset) { + var media = this.media, + mediaSource = this.mediaSource, + operationQueue = this.operationQueue, + sourceBuffer = this.sourceBuffer; + var sb = sourceBuffer[type]; + if (!media || !mediaSource || !sb) { + this.warn("Attempting to remove from the " + type + " SourceBuffer, but it does not exist"); + operationQueue.shiftAndExecuteNext(type); + return; + } + var mediaDuration = isFiniteNumber(media.duration) ? media.duration : Infinity; + var msDuration = isFiniteNumber(mediaSource.duration) ? mediaSource.duration : Infinity; + var removeStart = Math.max(0, startOffset); + var removeEnd = Math.min(endOffset, mediaDuration, msDuration); + if (removeEnd > removeStart && (!sb.ending || sb.ended)) { + sb.ended = false; + this.log("Removing [" + removeStart + "," + removeEnd + "] from the " + type + " SourceBuffer"); + sb.remove(removeStart, removeEnd); + } else { + // Cycle the queue + operationQueue.shiftAndExecuteNext(type); + } + } + + // This method must result in an updateend event; if append is not called, _onSBUpdateEnd must be called manually + ; + _proto.appendExecutor = function appendExecutor(data, type) { + var sb = this.sourceBuffer[type]; + if (!sb) { + if (!this.pendingTracks[type]) { + throw new Error("Attempting to append to the " + type + " SourceBuffer, but it does not exist"); + } + return; + } + sb.ended = false; + sb.appendBuffer(data); + } + + // Enqueues an operation to each SourceBuffer queue which, upon execution, resolves a promise. When all promises + // resolve, the onUnblocked function is executed. Functions calling this method do not need to unblock the queue + // upon completion, since we already do it here + ; + _proto.blockBuffers = function blockBuffers(onUnblocked, buffers) { + var _this12 = this; + if (buffers === void 0) { + buffers = this.getSourceBufferTypes(); + } + if (!buffers.length) { + this.log('Blocking operation requested, but no SourceBuffers exist'); + Promise.resolve().then(onUnblocked); + return; + } + var operationQueue = this.operationQueue; + + // logger.debug(`[buffer-controller]: Blocking ${buffers} SourceBuffer`); + var blockingOperations = buffers.map(function (type) { + return operationQueue.appendBlocker(type); + }); + Promise.all(blockingOperations).then(function () { + // logger.debug(`[buffer-controller]: Blocking operation resolved; unblocking ${buffers} SourceBuffer`); + onUnblocked(); + buffers.forEach(function (type) { + var sb = _this12.sourceBuffer[type]; + // Only cycle the queue if the SB is not updating. There's a bug in Chrome which sets the SB updating flag to + // true when changing the MediaSource duration (https://bugs.chromium.org/p/chromium/issues/detail?id=959359&can=2&q=mediasource%20duration) + // While this is a workaround, it's probably useful to have around + if (!(sb != null && sb.updating)) { + operationQueue.shiftAndExecuteNext(type); + } + }); + }); + }; + _proto.getSourceBufferTypes = function getSourceBufferTypes() { + return Object.keys(this.sourceBuffer); + }; + _proto.addBufferListener = function addBufferListener(type, event, fn) { + var buffer = this.sourceBuffer[type]; + if (!buffer) { + return; + } + var listener = fn.bind(this, type); + this.listeners[type].push({ + event: event, + listener: listener + }); + buffer.addEventListener(event, listener); + }; + _proto.removeBufferListeners = function removeBufferListeners(type) { + var buffer = this.sourceBuffer[type]; + if (!buffer) { + return; + } + this.listeners[type].forEach(function (l) { + buffer.removeEventListener(l.event, l.listener); + }); + }; + _createClass(BufferController, [{ + key: "mediaSrc", + get: function get() { + var _this$media, _this$media$querySele; + var media = ((_this$media = this.media) == null ? void 0 : (_this$media$querySele = _this$media.querySelector) == null ? void 0 : _this$media$querySele.call(_this$media, 'source')) || this.media; + return media == null ? void 0 : media.src; + } + }]); + return BufferController; + }(); + function removeSourceChildren(node) { + var sourceChildren = node.querySelectorAll('source'); + [].slice.call(sourceChildren).forEach(function (source) { + node.removeChild(source); + }); + } + function addSource(media, url) { + var source = self.document.createElement('source'); + source.type = 'video/mp4'; + source.src = url; + media.appendChild(source); + } + + /** + * + * This code was ported from the dash.js project at: + * https://github.com/Dash-Industry-Forum/dash.js/blob/development/externals/cea608-parser.js + * https://github.com/Dash-Industry-Forum/dash.js/commit/8269b26a761e0853bb21d78780ed945144ecdd4d#diff-71bc295a2d6b6b7093a1d3290d53a4b2 + * + * The original copyright appears below: + * + * The copyright in this software is being made available under the BSD License, + * included below. This software may be subject to other third party and contributor + * rights, including patent rights, and no such rights are granted under this license. + * + * Copyright (c) 2015-2016, DASH Industry Forum. + * All rights reserved. + * + * Redistribution and use in source and binary forms, with or without modification, + * are permitted provided that the following conditions are met: + * 1. Redistributions of source code must retain the above copyright notice, this + * list of conditions and the following disclaimer. + * * Redistributions in binary form must reproduce the above copyright notice, + * this list of conditions and the following disclaimer in the documentation and/or + * other materials provided with the distribution. + * 2. Neither the name of Dash Industry Forum nor the names of its + * contributors may be used to endorse or promote products derived from this software + * without specific prior written permission. + * + * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS AS IS AND ANY + * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED + * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. + * IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, + * INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT + * NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR + * PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, + * WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) + * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE + * POSSIBILITY OF SUCH DAMAGE. + */ + /** + * Exceptions from regular ASCII. CodePoints are mapped to UTF-16 codes + */ + + var specialCea608CharsCodes = { + 0x2a: 0xe1, + // lowercase a, acute accent + 0x5c: 0xe9, + // lowercase e, acute accent + 0x5e: 0xed, + // lowercase i, acute accent + 0x5f: 0xf3, + // lowercase o, acute accent + 0x60: 0xfa, + // lowercase u, acute accent + 0x7b: 0xe7, + // lowercase c with cedilla + 0x7c: 0xf7, + // division symbol + 0x7d: 0xd1, + // uppercase N tilde + 0x7e: 0xf1, + // lowercase n tilde + 0x7f: 0x2588, + // Full block + // THIS BLOCK INCLUDES THE 16 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS + // THAT COME FROM HI BYTE=0x11 AND LOW BETWEEN 0x30 AND 0x3F + // THIS MEANS THAT \x50 MUST BE ADDED TO THE VALUES + 0x80: 0xae, + // Registered symbol (R) + 0x81: 0xb0, + // degree sign + 0x82: 0xbd, + // 1/2 symbol + 0x83: 0xbf, + // Inverted (open) question mark + 0x84: 0x2122, + // Trademark symbol (TM) + 0x85: 0xa2, + // Cents symbol + 0x86: 0xa3, + // Pounds sterling + 0x87: 0x266a, + // Music 8'th note + 0x88: 0xe0, + // lowercase a, grave accent + 0x89: 0x20, + // transparent space (regular) + 0x8a: 0xe8, + // lowercase e, grave accent + 0x8b: 0xe2, + // lowercase a, circumflex accent + 0x8c: 0xea, + // lowercase e, circumflex accent + 0x8d: 0xee, + // lowercase i, circumflex accent + 0x8e: 0xf4, + // lowercase o, circumflex accent + 0x8f: 0xfb, + // lowercase u, circumflex accent + // THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS + // THAT COME FROM HI BYTE=0x12 AND LOW BETWEEN 0x20 AND 0x3F + 0x90: 0xc1, + // capital letter A with acute + 0x91: 0xc9, + // capital letter E with acute + 0x92: 0xd3, + // capital letter O with acute + 0x93: 0xda, + // capital letter U with acute + 0x94: 0xdc, + // capital letter U with diaresis + 0x95: 0xfc, + // lowercase letter U with diaeresis + 0x96: 0x2018, + // opening single quote + 0x97: 0xa1, + // inverted exclamation mark + 0x98: 0x2a, + // asterisk + 0x99: 0x2019, + // closing single quote + 0x9a: 0x2501, + // box drawings heavy horizontal + 0x9b: 0xa9, + // copyright sign + 0x9c: 0x2120, + // Service mark + 0x9d: 0x2022, + // (round) bullet + 0x9e: 0x201c, + // Left double quotation mark + 0x9f: 0x201d, + // Right double quotation mark + 0xa0: 0xc0, + // uppercase A, grave accent + 0xa1: 0xc2, + // uppercase A, circumflex + 0xa2: 0xc7, + // uppercase C with cedilla + 0xa3: 0xc8, + // uppercase E, grave accent + 0xa4: 0xca, + // uppercase E, circumflex + 0xa5: 0xcb, + // capital letter E with diaresis + 0xa6: 0xeb, + // lowercase letter e with diaresis + 0xa7: 0xce, + // uppercase I, circumflex + 0xa8: 0xcf, + // uppercase I, with diaresis + 0xa9: 0xef, + // lowercase i, with diaresis + 0xaa: 0xd4, + // uppercase O, circumflex + 0xab: 0xd9, + // uppercase U, grave accent + 0xac: 0xf9, + // lowercase u, grave accent + 0xad: 0xdb, + // uppercase U, circumflex + 0xae: 0xab, + // left-pointing double angle quotation mark + 0xaf: 0xbb, + // right-pointing double angle quotation mark + // THIS BLOCK INCLUDES THE 32 EXTENDED (TWO-BYTE) LINE 21 CHARACTERS + // THAT COME FROM HI BYTE=0x13 AND LOW BETWEEN 0x20 AND 0x3F + 0xb0: 0xc3, + // Uppercase A, tilde + 0xb1: 0xe3, + // Lowercase a, tilde + 0xb2: 0xcd, + // Uppercase I, acute accent + 0xb3: 0xcc, + // Uppercase I, grave accent + 0xb4: 0xec, + // Lowercase i, grave accent + 0xb5: 0xd2, + // Uppercase O, grave accent + 0xb6: 0xf2, + // Lowercase o, grave accent + 0xb7: 0xd5, + // Uppercase O, tilde + 0xb8: 0xf5, + // Lowercase o, tilde + 0xb9: 0x7b, + // Open curly brace + 0xba: 0x7d, + // Closing curly brace + 0xbb: 0x5c, + // Backslash + 0xbc: 0x5e, + // Caret + 0xbd: 0x5f, + // Underscore + 0xbe: 0x7c, + // Pipe (vertical line) + 0xbf: 0x223c, + // Tilde operator + 0xc0: 0xc4, + // Uppercase A, umlaut + 0xc1: 0xe4, + // Lowercase A, umlaut + 0xc2: 0xd6, + // Uppercase O, umlaut + 0xc3: 0xf6, + // Lowercase o, umlaut + 0xc4: 0xdf, + // Esszett (sharp S) + 0xc5: 0xa5, + // Yen symbol + 0xc6: 0xa4, + // Generic currency sign + 0xc7: 0x2503, + // Box drawings heavy vertical + 0xc8: 0xc5, + // Uppercase A, ring + 0xc9: 0xe5, + // Lowercase A, ring + 0xca: 0xd8, + // Uppercase O, stroke + 0xcb: 0xf8, + // Lowercase o, strok + 0xcc: 0x250f, + // Box drawings heavy down and right + 0xcd: 0x2513, + // Box drawings heavy down and left + 0xce: 0x2517, + // Box drawings heavy up and right + 0xcf: 0x251b // Box drawings heavy up and left + }; + + /** + * Utils + */ + var getCharForByte = function getCharForByte(_byte) { + return String.fromCharCode(specialCea608CharsCodes[_byte] || _byte); + }; + var NR_ROWS = 15; + var NR_COLS = 100; + // Tables to look up row from PAC data + var rowsLowCh1 = { + 0x11: 1, + 0x12: 3, + 0x15: 5, + 0x16: 7, + 0x17: 9, + 0x10: 11, + 0x13: 12, + 0x14: 14 + }; + var rowsHighCh1 = { + 0x11: 2, + 0x12: 4, + 0x15: 6, + 0x16: 8, + 0x17: 10, + 0x13: 13, + 0x14: 15 + }; + var rowsLowCh2 = { + 0x19: 1, + 0x1a: 3, + 0x1d: 5, + 0x1e: 7, + 0x1f: 9, + 0x18: 11, + 0x1b: 12, + 0x1c: 14 + }; + var rowsHighCh2 = { + 0x19: 2, + 0x1a: 4, + 0x1d: 6, + 0x1e: 8, + 0x1f: 10, + 0x1b: 13, + 0x1c: 15 + }; + var backgroundColors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'black', 'transparent']; + var CaptionsLogger = /*#__PURE__*/function () { + function CaptionsLogger() { + this.time = null; + this.verboseLevel = 0; + } + var _proto = CaptionsLogger.prototype; + _proto.log = function log(severity, msg) { + if (this.verboseLevel >= severity) { + var m = typeof msg === 'function' ? msg() : msg; + logger.log(this.time + " [" + severity + "] " + m); + } + }; + return CaptionsLogger; + }(); + var numArrayToHexArray = function numArrayToHexArray(numArray) { + var hexArray = []; + for (var j = 0; j < numArray.length; j++) { + hexArray.push(numArray[j].toString(16)); + } + return hexArray; + }; + var PenState = /*#__PURE__*/function () { + function PenState() { + this.foreground = 'white'; + this.underline = false; + this.italics = false; + this.background = 'black'; + this.flash = false; + } + var _proto2 = PenState.prototype; + _proto2.reset = function reset() { + this.foreground = 'white'; + this.underline = false; + this.italics = false; + this.background = 'black'; + this.flash = false; + }; + _proto2.setStyles = function setStyles(styles) { + var attribs = ['foreground', 'underline', 'italics', 'background', 'flash']; + for (var i = 0; i < attribs.length; i++) { + var style = attribs[i]; + if (styles.hasOwnProperty(style)) { + this[style] = styles[style]; + } + } + }; + _proto2.isDefault = function isDefault() { + return this.foreground === 'white' && !this.underline && !this.italics && this.background === 'black' && !this.flash; + }; + _proto2.equals = function equals(other) { + return this.foreground === other.foreground && this.underline === other.underline && this.italics === other.italics && this.background === other.background && this.flash === other.flash; + }; + _proto2.copy = function copy(newPenState) { + this.foreground = newPenState.foreground; + this.underline = newPenState.underline; + this.italics = newPenState.italics; + this.background = newPenState.background; + this.flash = newPenState.flash; + }; + _proto2.toString = function toString() { + return 'color=' + this.foreground + ', underline=' + this.underline + ', italics=' + this.italics + ', background=' + this.background + ', flash=' + this.flash; + }; + return PenState; + }(); + /** + * Unicode character with styling and background. + * @constructor + */ + var StyledUnicodeChar = /*#__PURE__*/function () { + function StyledUnicodeChar() { + this.uchar = ' '; + this.penState = new PenState(); + } + var _proto3 = StyledUnicodeChar.prototype; + _proto3.reset = function reset() { + this.uchar = ' '; + this.penState.reset(); + }; + _proto3.setChar = function setChar(uchar, newPenState) { + this.uchar = uchar; + this.penState.copy(newPenState); + }; + _proto3.setPenState = function setPenState(newPenState) { + this.penState.copy(newPenState); + }; + _proto3.equals = function equals(other) { + return this.uchar === other.uchar && this.penState.equals(other.penState); + }; + _proto3.copy = function copy(newChar) { + this.uchar = newChar.uchar; + this.penState.copy(newChar.penState); + }; + _proto3.isEmpty = function isEmpty() { + return this.uchar === ' ' && this.penState.isDefault(); + }; + return StyledUnicodeChar; + }(); + /** + * CEA-608 row consisting of NR_COLS instances of StyledUnicodeChar. + * @constructor + */ + var Row = /*#__PURE__*/function () { + function Row(logger) { + this.chars = []; + this.pos = 0; + this.currPenState = new PenState(); + this.cueStartTime = null; + this.logger = void 0; + for (var i = 0; i < NR_COLS; i++) { + this.chars.push(new StyledUnicodeChar()); + } + this.logger = logger; + } + var _proto4 = Row.prototype; + _proto4.equals = function equals(other) { + for (var i = 0; i < NR_COLS; i++) { + if (!this.chars[i].equals(other.chars[i])) { + return false; + } + } + return true; + }; + _proto4.copy = function copy(other) { + for (var i = 0; i < NR_COLS; i++) { + this.chars[i].copy(other.chars[i]); + } + }; + _proto4.isEmpty = function isEmpty() { + var empty = true; + for (var i = 0; i < NR_COLS; i++) { + if (!this.chars[i].isEmpty()) { + empty = false; + break; + } + } + return empty; + } + + /** + * Set the cursor to a valid column. + */; + _proto4.setCursor = function setCursor(absPos) { + if (this.pos !== absPos) { + this.pos = absPos; + } + if (this.pos < 0) { + this.logger.log(3, 'Negative cursor position ' + this.pos); + this.pos = 0; + } else if (this.pos > NR_COLS) { + this.logger.log(3, 'Too large cursor position ' + this.pos); + this.pos = NR_COLS; + } + } + + /** + * Move the cursor relative to current position. + */; + _proto4.moveCursor = function moveCursor(relPos) { + var newPos = this.pos + relPos; + if (relPos > 1) { + for (var i = this.pos + 1; i < newPos + 1; i++) { + this.chars[i].setPenState(this.currPenState); + } + } + this.setCursor(newPos); + } + + /** + * Backspace, move one step back and clear character. + */; + _proto4.backSpace = function backSpace() { + this.moveCursor(-1); + this.chars[this.pos].setChar(' ', this.currPenState); + }; + _proto4.insertChar = function insertChar(_byte2) { + var _this = this; + if (_byte2 >= 0x90) { + // Extended char + this.backSpace(); + } + var _char = getCharForByte(_byte2); + if (this.pos >= NR_COLS) { + this.logger.log(0, function () { + return 'Cannot insert ' + _byte2.toString(16) + ' (' + _char + ') at position ' + _this.pos + '. Skipping it!'; + }); + return; + } + this.chars[this.pos].setChar(_char, this.currPenState); + this.moveCursor(1); + }; + _proto4.clearFromPos = function clearFromPos(startPos) { + var i; + for (i = startPos; i < NR_COLS; i++) { + this.chars[i].reset(); + } + }; + _proto4.clear = function clear() { + this.clearFromPos(0); + this.pos = 0; + this.currPenState.reset(); + }; + _proto4.clearToEndOfRow = function clearToEndOfRow() { + this.clearFromPos(this.pos); + }; + _proto4.getTextString = function getTextString() { + var chars = []; + var empty = true; + for (var i = 0; i < NR_COLS; i++) { + var _char2 = this.chars[i].uchar; + if (_char2 !== ' ') { + empty = false; + } + chars.push(_char2); + } + if (empty) { + return ''; + } else { + return chars.join(''); + } + }; + _proto4.setPenStyles = function setPenStyles(styles) { + this.currPenState.setStyles(styles); + var currChar = this.chars[this.pos]; + currChar.setPenState(this.currPenState); + }; + return Row; + }(); + + /** + * Keep a CEA-608 screen of 32x15 styled characters + * @constructor + */ + var CaptionScreen = /*#__PURE__*/function () { + function CaptionScreen(logger) { + this.rows = []; + this.currRow = NR_ROWS - 1; + this.nrRollUpRows = null; + this.lastOutputScreen = null; + this.logger = void 0; + for (var i = 0; i < NR_ROWS; i++) { + this.rows.push(new Row(logger)); + } + this.logger = logger; + } + var _proto5 = CaptionScreen.prototype; + _proto5.reset = function reset() { + for (var i = 0; i < NR_ROWS; i++) { + this.rows[i].clear(); + } + this.currRow = NR_ROWS - 1; + }; + _proto5.equals = function equals(other) { + var equal = true; + for (var i = 0; i < NR_ROWS; i++) { + if (!this.rows[i].equals(other.rows[i])) { + equal = false; + break; + } + } + return equal; + }; + _proto5.copy = function copy(other) { + for (var i = 0; i < NR_ROWS; i++) { + this.rows[i].copy(other.rows[i]); + } + }; + _proto5.isEmpty = function isEmpty() { + var empty = true; + for (var i = 0; i < NR_ROWS; i++) { + if (!this.rows[i].isEmpty()) { + empty = false; + break; + } + } + return empty; + }; + _proto5.backSpace = function backSpace() { + var row = this.rows[this.currRow]; + row.backSpace(); + }; + _proto5.clearToEndOfRow = function clearToEndOfRow() { + var row = this.rows[this.currRow]; + row.clearToEndOfRow(); + } + + /** + * Insert a character (without styling) in the current row. + */; + _proto5.insertChar = function insertChar(_char3) { + var row = this.rows[this.currRow]; + row.insertChar(_char3); + }; + _proto5.setPen = function setPen(styles) { + var row = this.rows[this.currRow]; + row.setPenStyles(styles); + }; + _proto5.moveCursor = function moveCursor(relPos) { + var row = this.rows[this.currRow]; + row.moveCursor(relPos); + }; + _proto5.setCursor = function setCursor(absPos) { + this.logger.log(2, 'setCursor: ' + absPos); + var row = this.rows[this.currRow]; + row.setCursor(absPos); + }; + _proto5.setPAC = function setPAC(pacData) { + this.logger.log(2, function () { + return 'pacData = ' + JSON.stringify(pacData); + }); + var newRow = pacData.row - 1; + if (this.nrRollUpRows && newRow < this.nrRollUpRows - 1) { + newRow = this.nrRollUpRows - 1; + } + + // Make sure this only affects Roll-up Captions by checking this.nrRollUpRows + if (this.nrRollUpRows && this.currRow !== newRow) { + // clear all rows first + for (var i = 0; i < NR_ROWS; i++) { + this.rows[i].clear(); + } + + // Copy this.nrRollUpRows rows from lastOutputScreen and place it in the newRow location + // topRowIndex - the start of rows to copy (inclusive index) + var topRowIndex = this.currRow + 1 - this.nrRollUpRows; + // We only copy if the last position was already shown. + // We use the cueStartTime value to check this. + var lastOutputScreen = this.lastOutputScreen; + if (lastOutputScreen) { + var prevLineTime = lastOutputScreen.rows[topRowIndex].cueStartTime; + var time = this.logger.time; + if (prevLineTime !== null && time !== null && prevLineTime < time) { + for (var _i = 0; _i < this.nrRollUpRows; _i++) { + this.rows[newRow - this.nrRollUpRows + _i + 1].copy(lastOutputScreen.rows[topRowIndex + _i]); + } + } + } + } + this.currRow = newRow; + var row = this.rows[this.currRow]; + if (pacData.indent !== null) { + var indent = pacData.indent; + var prevPos = Math.max(indent - 1, 0); + row.setCursor(pacData.indent); + pacData.color = row.chars[prevPos].penState.foreground; + } + var styles = { + foreground: pacData.color, + underline: pacData.underline, + italics: pacData.italics, + background: 'black', + flash: false + }; + this.setPen(styles); + } + + /** + * Set background/extra foreground, but first do back_space, and then insert space (backwards compatibility). + */; + _proto5.setBkgData = function setBkgData(bkgData) { + this.logger.log(2, function () { + return 'bkgData = ' + JSON.stringify(bkgData); + }); + this.backSpace(); + this.setPen(bkgData); + this.insertChar(0x20); // Space + }; + _proto5.setRollUpRows = function setRollUpRows(nrRows) { + this.nrRollUpRows = nrRows; + }; + _proto5.rollUp = function rollUp() { + var _this2 = this; + if (this.nrRollUpRows === null) { + this.logger.log(3, 'roll_up but nrRollUpRows not set yet'); + return; // Not properly setup + } + this.logger.log(1, function () { + return _this2.getDisplayText(); + }); + var topRowIndex = this.currRow + 1 - this.nrRollUpRows; + var topRow = this.rows.splice(topRowIndex, 1)[0]; + topRow.clear(); + this.rows.splice(this.currRow, 0, topRow); + this.logger.log(2, 'Rolling up'); + // this.logger.log(VerboseLevel.TEXT, this.get_display_text()) + } + + /** + * Get all non-empty rows with as unicode text. + */; + _proto5.getDisplayText = function getDisplayText(asOneRow) { + asOneRow = asOneRow || false; + var displayText = []; + var text = ''; + var rowNr = -1; + for (var i = 0; i < NR_ROWS; i++) { + var rowText = this.rows[i].getTextString(); + if (rowText) { + rowNr = i + 1; + if (asOneRow) { + displayText.push('Row ' + rowNr + ": '" + rowText + "'"); + } else { + displayText.push(rowText.trim()); + } + } + } + if (displayText.length > 0) { + if (asOneRow) { + text = '[' + displayText.join(' | ') + ']'; + } else { + text = displayText.join('\n'); + } + } + return text; + }; + _proto5.getTextAndFormat = function getTextAndFormat() { + return this.rows; + }; + return CaptionScreen; + }(); + + // var modes = ['MODE_ROLL-UP', 'MODE_POP-ON', 'MODE_PAINT-ON', 'MODE_TEXT']; + var Cea608Channel = /*#__PURE__*/function () { + function Cea608Channel(channelNumber, outputFilter, logger) { + this.chNr = void 0; + this.outputFilter = void 0; + this.mode = void 0; + this.verbose = void 0; + this.displayedMemory = void 0; + this.nonDisplayedMemory = void 0; + this.lastOutputScreen = void 0; + this.currRollUpRow = void 0; + this.writeScreen = void 0; + this.cueStartTime = void 0; + this.logger = void 0; + this.chNr = channelNumber; + this.outputFilter = outputFilter; + this.mode = null; + this.verbose = 0; + this.displayedMemory = new CaptionScreen(logger); + this.nonDisplayedMemory = new CaptionScreen(logger); + this.lastOutputScreen = new CaptionScreen(logger); + this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1]; + this.writeScreen = this.displayedMemory; + this.mode = null; + this.cueStartTime = null; // Keeps track of where a cue started. + this.logger = logger; + } + var _proto6 = Cea608Channel.prototype; + _proto6.reset = function reset() { + this.mode = null; + this.displayedMemory.reset(); + this.nonDisplayedMemory.reset(); + this.lastOutputScreen.reset(); + this.outputFilter.reset(); + this.currRollUpRow = this.displayedMemory.rows[NR_ROWS - 1]; + this.writeScreen = this.displayedMemory; + this.mode = null; + this.cueStartTime = null; + }; + _proto6.getHandler = function getHandler() { + return this.outputFilter; + }; + _proto6.setHandler = function setHandler(newHandler) { + this.outputFilter = newHandler; + }; + _proto6.setPAC = function setPAC(pacData) { + this.writeScreen.setPAC(pacData); + }; + _proto6.setBkgData = function setBkgData(bkgData) { + this.writeScreen.setBkgData(bkgData); + }; + _proto6.setMode = function setMode(newMode) { + if (newMode === this.mode) { + return; + } + this.mode = newMode; + this.logger.log(2, function () { + return 'MODE=' + newMode; + }); + if (this.mode === 'MODE_POP-ON') { + this.writeScreen = this.nonDisplayedMemory; + } else { + this.writeScreen = this.displayedMemory; + this.writeScreen.reset(); + } + if (this.mode !== 'MODE_ROLL-UP') { + this.displayedMemory.nrRollUpRows = null; + this.nonDisplayedMemory.nrRollUpRows = null; + } + this.mode = newMode; + }; + _proto6.insertChars = function insertChars(chars) { + var _this3 = this; + for (var i = 0; i < chars.length; i++) { + this.writeScreen.insertChar(chars[i]); + } + var screen = this.writeScreen === this.displayedMemory ? 'DISP' : 'NON_DISP'; + this.logger.log(2, function () { + return screen + ': ' + _this3.writeScreen.getDisplayText(true); + }); + if (this.mode === 'MODE_PAINT-ON' || this.mode === 'MODE_ROLL-UP') { + this.logger.log(1, function () { + return 'DISPLAYED: ' + _this3.displayedMemory.getDisplayText(true); + }); + this.outputDataUpdate(); + } + }; + _proto6.ccRCL = function ccRCL() { + // Resume Caption Loading (switch mode to Pop On) + this.logger.log(2, 'RCL - Resume Caption Loading'); + this.setMode('MODE_POP-ON'); + }; + _proto6.ccBS = function ccBS() { + // BackSpace + this.logger.log(2, 'BS - BackSpace'); + if (this.mode === 'MODE_TEXT') { + return; + } + this.writeScreen.backSpace(); + if (this.writeScreen === this.displayedMemory) { + this.outputDataUpdate(); + } + }; + _proto6.ccAOF = function ccAOF() { + // Reserved (formerly Alarm Off) + }; + _proto6.ccAON = function ccAON() { + // Reserved (formerly Alarm On) + }; + _proto6.ccDER = function ccDER() { + // Delete to End of Row + this.logger.log(2, 'DER- Delete to End of Row'); + this.writeScreen.clearToEndOfRow(); + this.outputDataUpdate(); + }; + _proto6.ccRU = function ccRU(nrRows) { + // Roll-Up Captions-2,3,or 4 Rows + this.logger.log(2, 'RU(' + nrRows + ') - Roll Up'); + this.writeScreen = this.displayedMemory; + this.setMode('MODE_ROLL-UP'); + this.writeScreen.setRollUpRows(nrRows); + }; + _proto6.ccFON = function ccFON() { + // Flash On + this.logger.log(2, 'FON - Flash On'); + this.writeScreen.setPen({ + flash: true + }); + }; + _proto6.ccRDC = function ccRDC() { + // Resume Direct Captioning (switch mode to PaintOn) + this.logger.log(2, 'RDC - Resume Direct Captioning'); + this.setMode('MODE_PAINT-ON'); + }; + _proto6.ccTR = function ccTR() { + // Text Restart in text mode (not supported, however) + this.logger.log(2, 'TR'); + this.setMode('MODE_TEXT'); + }; + _proto6.ccRTD = function ccRTD() { + // Resume Text Display in Text mode (not supported, however) + this.logger.log(2, 'RTD'); + this.setMode('MODE_TEXT'); + }; + _proto6.ccEDM = function ccEDM() { + // Erase Displayed Memory + this.logger.log(2, 'EDM - Erase Displayed Memory'); + this.displayedMemory.reset(); + this.outputDataUpdate(true); + }; + _proto6.ccCR = function ccCR() { + // Carriage Return + this.logger.log(2, 'CR - Carriage Return'); + this.writeScreen.rollUp(); + this.outputDataUpdate(true); + }; + _proto6.ccENM = function ccENM() { + // Erase Non-Displayed Memory + this.logger.log(2, 'ENM - Erase Non-displayed Memory'); + this.nonDisplayedMemory.reset(); + }; + _proto6.ccEOC = function ccEOC() { + var _this4 = this; + // End of Caption (Flip Memories) + this.logger.log(2, 'EOC - End Of Caption'); + if (this.mode === 'MODE_POP-ON') { + var tmp = this.displayedMemory; + this.displayedMemory = this.nonDisplayedMemory; + this.nonDisplayedMemory = tmp; + this.writeScreen = this.nonDisplayedMemory; + this.logger.log(1, function () { + return 'DISP: ' + _this4.displayedMemory.getDisplayText(); + }); + } + this.outputDataUpdate(true); + }; + _proto6.ccTO = function ccTO(nrCols) { + // Tab Offset 1,2, or 3 columns + this.logger.log(2, 'TO(' + nrCols + ') - Tab Offset'); + this.writeScreen.moveCursor(nrCols); + }; + _proto6.ccMIDROW = function ccMIDROW(secondByte) { + // Parse MIDROW command + var styles = { + flash: false + }; + styles.underline = secondByte % 2 === 1; + styles.italics = secondByte >= 0x2e; + if (!styles.italics) { + var colorIndex = Math.floor(secondByte / 2) - 0x10; + var colors = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta']; + styles.foreground = colors[colorIndex]; + } else { + styles.foreground = 'white'; + } + this.logger.log(2, 'MIDROW: ' + JSON.stringify(styles)); + this.writeScreen.setPen(styles); + }; + _proto6.outputDataUpdate = function outputDataUpdate(dispatch) { + if (dispatch === void 0) { + dispatch = false; + } + var time = this.logger.time; + if (time === null) { + return; + } + if (this.outputFilter) { + if (this.cueStartTime === null && !this.displayedMemory.isEmpty()) { + // Start of a new cue + this.cueStartTime = time; + } else { + if (!this.displayedMemory.equals(this.lastOutputScreen)) { + this.outputFilter.newCue(this.cueStartTime, time, this.lastOutputScreen); + if (dispatch && this.outputFilter.dispatchCue) { + this.outputFilter.dispatchCue(); + } + this.cueStartTime = this.displayedMemory.isEmpty() ? null : time; + } + } + this.lastOutputScreen.copy(this.displayedMemory); + } + }; + _proto6.cueSplitAtTime = function cueSplitAtTime(t) { + if (this.outputFilter) { + if (!this.displayedMemory.isEmpty()) { + if (this.outputFilter.newCue) { + this.outputFilter.newCue(this.cueStartTime, t, this.displayedMemory); + } + this.cueStartTime = t; + } + } + }; + return Cea608Channel; + }(); // Will be 1 or 2 when parsing captions + var Cea608Parser = /*#__PURE__*/function () { + function Cea608Parser(field, out1, out2) { + this.channels = void 0; + this.currentChannel = 0; + this.cmdHistory = createCmdHistory(); + this.logger = void 0; + var logger = this.logger = new CaptionsLogger(); + this.channels = [null, new Cea608Channel(field, out1, logger), new Cea608Channel(field + 1, out2, logger)]; + } + var _proto7 = Cea608Parser.prototype; + _proto7.getHandler = function getHandler(channel) { + return this.channels[channel].getHandler(); + }; + _proto7.setHandler = function setHandler(channel, newHandler) { + this.channels[channel].setHandler(newHandler); + } + + /** + * Add data for time t in forms of list of bytes (unsigned ints). The bytes are treated as pairs. + */; + _proto7.addData = function addData(time, byteList) { + var _this5 = this; + this.logger.time = time; + var _loop = function _loop(i) { + var a = byteList[i] & 0x7f; + var b = byteList[i + 1] & 0x7f; + var cmdFound = false; + var charsFound = null; + if (a === 0 && b === 0) { + return 0; // continue + } else { + _this5.logger.log(3, function () { + return '[' + numArrayToHexArray([byteList[i], byteList[i + 1]]) + '] -> (' + numArrayToHexArray([a, b]) + ')'; + }); + } + var cmdHistory = _this5.cmdHistory; + var isControlCode = a >= 0x10 && a <= 0x1f; + if (isControlCode) { + // Skip redundant control codes + if (hasCmdRepeated(a, b, cmdHistory)) { + setLastCmd(null, null, cmdHistory); + _this5.logger.log(3, function () { + return 'Repeated command (' + numArrayToHexArray([a, b]) + ') is dropped'; + }); + return 0; // continue + } + setLastCmd(a, b, _this5.cmdHistory); + cmdFound = _this5.parseCmd(a, b); + if (!cmdFound) { + cmdFound = _this5.parseMidrow(a, b); + } + if (!cmdFound) { + cmdFound = _this5.parsePAC(a, b); + } + if (!cmdFound) { + cmdFound = _this5.parseBackgroundAttributes(a, b); + } + } else { + setLastCmd(null, null, cmdHistory); + } + if (!cmdFound) { + charsFound = _this5.parseChars(a, b); + if (charsFound) { + var currChNr = _this5.currentChannel; + if (currChNr && currChNr > 0) { + var channel = _this5.channels[currChNr]; + channel.insertChars(charsFound); + } else { + _this5.logger.log(2, 'No channel found yet. TEXT-MODE?'); + } + } + } + if (!cmdFound && !charsFound) { + _this5.logger.log(2, function () { + return "Couldn't parse cleaned data " + numArrayToHexArray([a, b]) + ' orig: ' + numArrayToHexArray([byteList[i], byteList[i + 1]]); + }); + } + }, + _ret; + for (var i = 0; i < byteList.length; i += 2) { + _ret = _loop(i); + if (_ret === 0) continue; + } + } + + /** + * Parse Command. + * @returns True if a command was found + */; + _proto7.parseCmd = function parseCmd(a, b) { + var cond1 = (a === 0x14 || a === 0x1c || a === 0x15 || a === 0x1d) && b >= 0x20 && b <= 0x2f; + var cond2 = (a === 0x17 || a === 0x1f) && b >= 0x21 && b <= 0x23; + if (!(cond1 || cond2)) { + return false; + } + var chNr = a === 0x14 || a === 0x15 || a === 0x17 ? 1 : 2; + var channel = this.channels[chNr]; + if (a === 0x14 || a === 0x15 || a === 0x1c || a === 0x1d) { + if (b === 0x20) { + channel.ccRCL(); + } else if (b === 0x21) { + channel.ccBS(); + } else if (b === 0x22) { + channel.ccAOF(); + } else if (b === 0x23) { + channel.ccAON(); + } else if (b === 0x24) { + channel.ccDER(); + } else if (b === 0x25) { + channel.ccRU(2); + } else if (b === 0x26) { + channel.ccRU(3); + } else if (b === 0x27) { + channel.ccRU(4); + } else if (b === 0x28) { + channel.ccFON(); + } else if (b === 0x29) { + channel.ccRDC(); + } else if (b === 0x2a) { + channel.ccTR(); + } else if (b === 0x2b) { + channel.ccRTD(); + } else if (b === 0x2c) { + channel.ccEDM(); + } else if (b === 0x2d) { + channel.ccCR(); + } else if (b === 0x2e) { + channel.ccENM(); + } else if (b === 0x2f) { + channel.ccEOC(); + } + } else { + // a == 0x17 || a == 0x1F + channel.ccTO(b - 0x20); + } + this.currentChannel = chNr; + return true; + } + + /** + * Parse midrow styling command + */; + _proto7.parseMidrow = function parseMidrow(a, b) { + var chNr = 0; + if ((a === 0x11 || a === 0x19) && b >= 0x20 && b <= 0x2f) { + if (a === 0x11) { + chNr = 1; + } else { + chNr = 2; + } + if (chNr !== this.currentChannel) { + this.logger.log(0, 'Mismatch channel in midrow parsing'); + return false; + } + var channel = this.channels[chNr]; + if (!channel) { + return false; + } + channel.ccMIDROW(b); + this.logger.log(3, function () { + return 'MIDROW (' + numArrayToHexArray([a, b]) + ')'; + }); + return true; + } + return false; + } + + /** + * Parse Preable Access Codes (Table 53). + * @returns {Boolean} Tells if PAC found + */; + _proto7.parsePAC = function parsePAC(a, b) { + var row; + var case1 = (a >= 0x11 && a <= 0x17 || a >= 0x19 && a <= 0x1f) && b >= 0x40 && b <= 0x7f; + var case2 = (a === 0x10 || a === 0x18) && b >= 0x40 && b <= 0x5f; + if (!(case1 || case2)) { + return false; + } + var chNr = a <= 0x17 ? 1 : 2; + if (b >= 0x40 && b <= 0x5f) { + row = chNr === 1 ? rowsLowCh1[a] : rowsLowCh2[a]; + } else { + // 0x60 <= b <= 0x7F + row = chNr === 1 ? rowsHighCh1[a] : rowsHighCh2[a]; + } + var channel = this.channels[chNr]; + if (!channel) { + return false; + } + channel.setPAC(this.interpretPAC(row, b)); + this.currentChannel = chNr; + return true; + } + + /** + * Interpret the second byte of the pac, and return the information. + * @returns pacData with style parameters + */; + _proto7.interpretPAC = function interpretPAC(row, _byte3) { + var pacIndex; + var pacData = { + color: null, + italics: false, + indent: null, + underline: false, + row: row + }; + if (_byte3 > 0x5f) { + pacIndex = _byte3 - 0x60; + } else { + pacIndex = _byte3 - 0x40; + } + pacData.underline = (pacIndex & 1) === 1; + if (pacIndex <= 0xd) { + pacData.color = ['white', 'green', 'blue', 'cyan', 'red', 'yellow', 'magenta', 'white'][Math.floor(pacIndex / 2)]; + } else if (pacIndex <= 0xf) { + pacData.italics = true; + pacData.color = 'white'; + } else { + pacData.indent = Math.floor((pacIndex - 0x10) / 2) * 4; + } + return pacData; // Note that row has zero offset. The spec uses 1. + } + + /** + * Parse characters. + * @returns An array with 1 to 2 codes corresponding to chars, if found. null otherwise. + */; + _proto7.parseChars = function parseChars(a, b) { + var channelNr; + var charCodes = null; + var charCode1 = null; + if (a >= 0x19) { + channelNr = 2; + charCode1 = a - 8; + } else { + channelNr = 1; + charCode1 = a; + } + if (charCode1 >= 0x11 && charCode1 <= 0x13) { + // Special character + var oneCode; + if (charCode1 === 0x11) { + oneCode = b + 0x50; + } else if (charCode1 === 0x12) { + oneCode = b + 0x70; + } else { + oneCode = b + 0x90; + } + this.logger.log(2, function () { + return "Special char '" + getCharForByte(oneCode) + "' in channel " + channelNr; + }); + charCodes = [oneCode]; + } else if (a >= 0x20 && a <= 0x7f) { + charCodes = b === 0 ? [a] : [a, b]; + } + if (charCodes) { + this.logger.log(3, function () { + return 'Char codes = ' + numArrayToHexArray(charCodes).join(','); + }); + } + return charCodes; + } + + /** + * Parse extended background attributes as well as new foreground color black. + * @returns True if background attributes are found + */; + _proto7.parseBackgroundAttributes = function parseBackgroundAttributes(a, b) { + var case1 = (a === 0x10 || a === 0x18) && b >= 0x20 && b <= 0x2f; + var case2 = (a === 0x17 || a === 0x1f) && b >= 0x2d && b <= 0x2f; + if (!(case1 || case2)) { + return false; + } + var index; + var bkgData = {}; + if (a === 0x10 || a === 0x18) { + index = Math.floor((b - 0x20) / 2); + bkgData.background = backgroundColors[index]; + if (b % 2 === 1) { + bkgData.background = bkgData.background + '_semi'; + } + } else if (b === 0x2d) { + bkgData.background = 'transparent'; + } else { + bkgData.foreground = 'black'; + if (b === 0x2f) { + bkgData.underline = true; + } + } + var chNr = a <= 0x17 ? 1 : 2; + var channel = this.channels[chNr]; + channel.setBkgData(bkgData); + return true; + } + + /** + * Reset state of parser and its channels. + */; + _proto7.reset = function reset() { + for (var i = 0; i < Object.keys(this.channels).length; i++) { + var channel = this.channels[i]; + if (channel) { + channel.reset(); + } + } + setLastCmd(null, null, this.cmdHistory); + } + + /** + * Trigger the generation of a cue, and the start of a new one if displayScreens are not empty. + */; + _proto7.cueSplitAtTime = function cueSplitAtTime(t) { + for (var i = 0; i < this.channels.length; i++) { + var channel = this.channels[i]; + if (channel) { + channel.cueSplitAtTime(t); + } + } + }; + return Cea608Parser; + }(); + function setLastCmd(a, b, cmdHistory) { + cmdHistory.a = a; + cmdHistory.b = b; + } + function hasCmdRepeated(a, b, cmdHistory) { + return cmdHistory.a === a && cmdHistory.b === b; + } + function createCmdHistory() { + return { + a: null, + b: null + }; + } + + var OutputFilter = /*#__PURE__*/function () { + function OutputFilter(timelineController, trackName) { + this.timelineController = void 0; + this.cueRanges = []; + this.trackName = void 0; + this.startTime = null; + this.endTime = null; + this.screen = null; + this.timelineController = timelineController; + this.trackName = trackName; + } + var _proto = OutputFilter.prototype; + _proto.dispatchCue = function dispatchCue() { + if (this.startTime === null) { + return; + } + this.timelineController.addCues(this.trackName, this.startTime, this.endTime, this.screen, this.cueRanges); + this.startTime = null; + }; + _proto.newCue = function newCue(startTime, endTime, screen) { + if (this.startTime === null || this.startTime > startTime) { + this.startTime = startTime; + } + this.endTime = endTime; + this.screen = screen; + this.timelineController.createCaptionsTrack(this.trackName); + }; + _proto.reset = function reset() { + this.cueRanges = []; + this.startTime = null; + }; + return OutputFilter; + }(); + + /** + * Copyright 2013 vtt.js Contributors + * + * Licensed under the Apache License, Version 2.0 (the 'License'); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an 'AS IS' BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + + var VTTCue = (function () { + if (optionalSelf != null && optionalSelf.VTTCue) { + return self.VTTCue; + } + var AllowedDirections = ['', 'lr', 'rl']; + var AllowedAlignments = ['start', 'middle', 'end', 'left', 'right']; + function isAllowedValue(allowed, value) { + if (typeof value !== 'string') { + return false; + } + // necessary for assuring the generic conforms to the Array interface + if (!Array.isArray(allowed)) { + return false; + } + // reset the type so that the next narrowing works well + var lcValue = value.toLowerCase(); + // use the allow list to narrow the type to a specific subset of strings + if (~allowed.indexOf(lcValue)) { + return lcValue; + } + return false; + } + function findDirectionSetting(value) { + return isAllowedValue(AllowedDirections, value); + } + function findAlignSetting(value) { + return isAllowedValue(AllowedAlignments, value); + } + function extend(obj) { + for (var _len = arguments.length, rest = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { + rest[_key - 1] = arguments[_key]; + } + var i = 1; + for (; i < arguments.length; i++) { + var cobj = arguments[i]; + for (var p in cobj) { + obj[p] = cobj[p]; + } + } + return obj; + } + function VTTCue(startTime, endTime, text) { + var cue = this; + var baseObj = { + enumerable: true + }; + /** + * Shim implementation specific properties. These properties are not in + * the spec. + */ + + // Lets us know when the VTTCue's data has changed in such a way that we need + // to recompute its display state. This lets us compute its display state + // lazily. + cue.hasBeenReset = false; + + /** + * VTTCue and TextTrackCue properties + * http://dev.w3.org/html5/webvtt/#vttcue-interface + */ + + var _id = ''; + var _pauseOnExit = false; + var _startTime = startTime; + var _endTime = endTime; + var _text = text; + var _region = null; + var _vertical = ''; + var _snapToLines = true; + var _line = 'auto'; + var _lineAlign = 'start'; + var _position = 50; + var _positionAlign = 'middle'; + var _size = 50; + var _align = 'middle'; + Object.defineProperty(cue, 'id', extend({}, baseObj, { + get: function get() { + return _id; + }, + set: function set(value) { + _id = '' + value; + } + })); + Object.defineProperty(cue, 'pauseOnExit', extend({}, baseObj, { + get: function get() { + return _pauseOnExit; + }, + set: function set(value) { + _pauseOnExit = !!value; + } + })); + Object.defineProperty(cue, 'startTime', extend({}, baseObj, { + get: function get() { + return _startTime; + }, + set: function set(value) { + if (typeof value !== 'number') { + throw new TypeError('Start time must be set to a number.'); + } + _startTime = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'endTime', extend({}, baseObj, { + get: function get() { + return _endTime; + }, + set: function set(value) { + if (typeof value !== 'number') { + throw new TypeError('End time must be set to a number.'); + } + _endTime = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'text', extend({}, baseObj, { + get: function get() { + return _text; + }, + set: function set(value) { + _text = '' + value; + this.hasBeenReset = true; + } + })); + + // todo: implement VTTRegion polyfill? + Object.defineProperty(cue, 'region', extend({}, baseObj, { + get: function get() { + return _region; + }, + set: function set(value) { + _region = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'vertical', extend({}, baseObj, { + get: function get() { + return _vertical; + }, + set: function set(value) { + var setting = findDirectionSetting(value); + // Have to check for false because the setting an be an empty string. + if (setting === false) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } + _vertical = setting; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'snapToLines', extend({}, baseObj, { + get: function get() { + return _snapToLines; + }, + set: function set(value) { + _snapToLines = !!value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'line', extend({}, baseObj, { + get: function get() { + return _line; + }, + set: function set(value) { + if (typeof value !== 'number' && value !== 'auto') { + throw new SyntaxError('An invalid number or illegal string was specified.'); + } + _line = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'lineAlign', extend({}, baseObj, { + get: function get() { + return _lineAlign; + }, + set: function set(value) { + var setting = findAlignSetting(value); + if (!setting) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } + _lineAlign = setting; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'position', extend({}, baseObj, { + get: function get() { + return _position; + }, + set: function set(value) { + if (value < 0 || value > 100) { + throw new Error('Position must be between 0 and 100.'); + } + _position = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'positionAlign', extend({}, baseObj, { + get: function get() { + return _positionAlign; + }, + set: function set(value) { + var setting = findAlignSetting(value); + if (!setting) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } + _positionAlign = setting; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'size', extend({}, baseObj, { + get: function get() { + return _size; + }, + set: function set(value) { + if (value < 0 || value > 100) { + throw new Error('Size must be between 0 and 100.'); + } + _size = value; + this.hasBeenReset = true; + } + })); + Object.defineProperty(cue, 'align', extend({}, baseObj, { + get: function get() { + return _align; + }, + set: function set(value) { + var setting = findAlignSetting(value); + if (!setting) { + throw new SyntaxError('An invalid or illegal string was specified.'); + } + _align = setting; + this.hasBeenReset = true; + } + })); + + /** + * Other <track> spec defined properties + */ + + // http://www.whatwg.org/specs/web-apps/current-work/multipage/the-video-element.html#text-track-cue-display-state + cue.displayState = undefined; + } + + /** + * VTTCue methods + */ + + VTTCue.prototype.getCueAsHTML = function () { + // Assume WebVTT.convertCueToDOMTree is on the global. + var WebVTT = self.WebVTT; + return WebVTT.convertCueToDOMTree(self, this.text); + }; + // this is a polyfill hack + return VTTCue; + })(); + + /* + * Source: https://github.com/mozilla/vtt.js/blob/master/dist/vtt.js + */ + + var StringDecoder = /*#__PURE__*/function () { + function StringDecoder() {} + var _proto = StringDecoder.prototype; + // eslint-disable-next-line @typescript-eslint/no-unused-vars + _proto.decode = function decode(data, options) { + if (!data) { + return ''; + } + if (typeof data !== 'string') { + throw new Error('Error - expected string data.'); + } + return decodeURIComponent(encodeURIComponent(data)); + }; + return StringDecoder; + }(); // Try to parse input as a time stamp. + function parseTimeStamp(input) { + function computeSeconds(h, m, s, f) { + return (h | 0) * 3600 + (m | 0) * 60 + (s | 0) + parseFloat(f || 0); + } + var m = input.match(/^(?:(\d+):)?(\d{2}):(\d{2})(\.\d+)?/); + if (!m) { + return null; + } + if (parseFloat(m[2]) > 59) { + // Timestamp takes the form of [hours]:[minutes].[milliseconds] + // First position is hours as it's over 59. + return computeSeconds(m[2], m[3], 0, m[4]); + } + // Timestamp takes the form of [hours (optional)]:[minutes]:[seconds].[milliseconds] + return computeSeconds(m[1], m[2], m[3], m[4]); + } + + // A settings object holds key/value pairs and will ignore anything but the first + // assignment to a specific key. + var Settings = /*#__PURE__*/function () { + function Settings() { + this.values = Object.create(null); + } + var _proto2 = Settings.prototype; + // Only accept the first assignment to any key. + _proto2.set = function set(k, v) { + if (!this.get(k) && v !== '') { + this.values[k] = v; + } + } + // Return the value for a key, or a default value. + // If 'defaultKey' is passed then 'dflt' is assumed to be an object with + // a number of possible default values as properties where 'defaultKey' is + // the key of the property that will be chosen; otherwise it's assumed to be + // a single value. + ; + _proto2.get = function get(k, dflt, defaultKey) { + if (defaultKey) { + return this.has(k) ? this.values[k] : dflt[defaultKey]; + } + return this.has(k) ? this.values[k] : dflt; + } + // Check whether we have a value for a key. + ; + _proto2.has = function has(k) { + return k in this.values; + } + // Accept a setting if its one of the given alternatives. + ; + _proto2.alt = function alt(k, v, a) { + for (var n = 0; n < a.length; ++n) { + if (v === a[n]) { + this.set(k, v); + break; + } + } + } + // Accept a setting if its a valid (signed) integer. + ; + _proto2.integer = function integer(k, v) { + if (/^-?\d+$/.test(v)) { + // integer + this.set(k, parseInt(v, 10)); + } + } + // Accept a setting if its a valid percentage. + ; + _proto2.percent = function percent(k, v) { + if (/^([\d]{1,3})(\.[\d]*)?%$/.test(v)) { + var percent = parseFloat(v); + if (percent >= 0 && percent <= 100) { + this.set(k, percent); + return true; + } + } + return false; + }; + return Settings; + }(); // Helper function to parse input into groups separated by 'groupDelim', and + // interpret each group as a key/value pair separated by 'keyValueDelim'. + function parseOptions(input, callback, keyValueDelim, groupDelim) { + var groups = groupDelim ? input.split(groupDelim) : [input]; + for (var i in groups) { + if (typeof groups[i] !== 'string') { + continue; + } + var kv = groups[i].split(keyValueDelim); + if (kv.length !== 2) { + continue; + } + var _k = kv[0]; + var _v = kv[1]; + callback(_k, _v); + } + } + var defaults = new VTTCue(0, 0, ''); + // 'middle' was changed to 'center' in the spec: https://github.com/w3c/webvtt/pull/244 + // Safari doesn't yet support this change, but FF and Chrome do. + var center = defaults.align === 'middle' ? 'middle' : 'center'; + function parseCue(input, cue, regionList) { + // Remember the original input if we need to throw an error. + var oInput = input; + // 4.1 WebVTT timestamp + function consumeTimeStamp() { + var ts = parseTimeStamp(input); + if (ts === null) { + throw new Error('Malformed timestamp: ' + oInput); + } + + // Remove time stamp from input. + input = input.replace(/^[^\sa-zA-Z-]+/, ''); + return ts; + } + + // 4.4.2 WebVTT cue settings + function consumeCueSettings(input, cue) { + var settings = new Settings(); + parseOptions(input, function (k, v) { + var vals; + switch (k) { + case 'region': + // Find the last region we parsed with the same region id. + for (var i = regionList.length - 1; i >= 0; i--) { + if (regionList[i].id === v) { + settings.set(k, regionList[i].region); + break; + } + } + break; + case 'vertical': + settings.alt(k, v, ['rl', 'lr']); + break; + case 'line': + vals = v.split(','); + settings.integer(k, vals[0]); + if (settings.percent(k, vals[0])) { + settings.set('snapToLines', false); + } + settings.alt(k, vals[0], ['auto']); + if (vals.length === 2) { + settings.alt('lineAlign', vals[1], ['start', center, 'end']); + } + break; + case 'position': + vals = v.split(','); + settings.percent(k, vals[0]); + if (vals.length === 2) { + settings.alt('positionAlign', vals[1], ['start', center, 'end', 'line-left', 'line-right', 'auto']); + } + break; + case 'size': + settings.percent(k, v); + break; + case 'align': + settings.alt(k, v, ['start', center, 'end', 'left', 'right']); + break; + } + }, /:/, /\s/); + + // Apply default values for any missing fields. + cue.region = settings.get('region', null); + cue.vertical = settings.get('vertical', ''); + var line = settings.get('line', 'auto'); + if (line === 'auto' && defaults.line === -1) { + // set numeric line number for Safari + line = -1; + } + cue.line = line; + cue.lineAlign = settings.get('lineAlign', 'start'); + cue.snapToLines = settings.get('snapToLines', true); + cue.size = settings.get('size', 100); + cue.align = settings.get('align', center); + var position = settings.get('position', 'auto'); + if (position === 'auto' && defaults.position === 50) { + // set numeric position for Safari + position = cue.align === 'start' || cue.align === 'left' ? 0 : cue.align === 'end' || cue.align === 'right' ? 100 : 50; + } + cue.position = position; + } + function skipWhitespace() { + input = input.replace(/^\s+/, ''); + } + + // 4.1 WebVTT cue timings. + skipWhitespace(); + cue.startTime = consumeTimeStamp(); // (1) collect cue start time + skipWhitespace(); + if (input.slice(0, 3) !== '-->') { + // (3) next characters must match '-->' + throw new Error("Malformed time stamp (time stamps must be separated by '-->'): " + oInput); + } + input = input.slice(3); + skipWhitespace(); + cue.endTime = consumeTimeStamp(); // (5) collect cue end time + + // 4.1 WebVTT cue settings list. + skipWhitespace(); + consumeCueSettings(input, cue); + } + function fixLineBreaks(input) { + return input.replace(/<br(?: \/)?>/gi, '\n'); + } + var VTTParser = /*#__PURE__*/function () { + function VTTParser() { + this.state = 'INITIAL'; + this.buffer = ''; + this.decoder = new StringDecoder(); + this.regionList = []; + this.cue = null; + this.oncue = void 0; + this.onparsingerror = void 0; + this.onflush = void 0; + } + var _proto3 = VTTParser.prototype; + _proto3.parse = function parse(data) { + var _this = this; + + // If there is no data then we won't decode it, but will just try to parse + // whatever is in buffer already. This may occur in circumstances, for + // example when flush() is called. + if (data) { + // Try to decode the data that we received. + _this.buffer += _this.decoder.decode(data, { + stream: true + }); + } + function collectNextLine() { + var buffer = _this.buffer; + var pos = 0; + buffer = fixLineBreaks(buffer); + while (pos < buffer.length && buffer[pos] !== '\r' && buffer[pos] !== '\n') { + ++pos; + } + var line = buffer.slice(0, pos); + // Advance the buffer early in case we fail below. + if (buffer[pos] === '\r') { + ++pos; + } + if (buffer[pos] === '\n') { + ++pos; + } + _this.buffer = buffer.slice(pos); + return line; + } + + // 3.2 WebVTT metadata header syntax + function parseHeader(input) { + parseOptions(input, function (k, v) { + // switch (k) { + // case 'region': + // 3.3 WebVTT region metadata header syntax + // console.log('parse region', v); + // parseRegion(v); + // break; + // } + }, /:/); + } + + // 5.1 WebVTT file parsing. + try { + var line = ''; + if (_this.state === 'INITIAL') { + // We can't start parsing until we have the first line. + if (!/\r\n|\n/.test(_this.buffer)) { + return this; + } + line = collectNextLine(); + // strip of UTF-8 BOM if any + // https://en.wikipedia.org/wiki/Byte_order_mark#UTF-8 + var m = line.match(/^()?WEBVTT([ \t].*)?$/); + if (!(m != null && m[0])) { + throw new Error('Malformed WebVTT signature.'); + } + _this.state = 'HEADER'; + } + var alreadyCollectedLine = false; + while (_this.buffer) { + // We can't parse a line until we have the full line. + if (!/\r\n|\n/.test(_this.buffer)) { + return this; + } + if (!alreadyCollectedLine) { + line = collectNextLine(); + } else { + alreadyCollectedLine = false; + } + switch (_this.state) { + case 'HEADER': + // 13-18 - Allow a header (metadata) under the WEBVTT line. + if (/:/.test(line)) { + parseHeader(line); + } else if (!line) { + // An empty line terminates the header and starts the body (cues). + _this.state = 'ID'; + } + continue; + case 'NOTE': + // Ignore NOTE blocks. + if (!line) { + _this.state = 'ID'; + } + continue; + case 'ID': + // Check for the start of NOTE blocks. + if (/^NOTE($|[ \t])/.test(line)) { + _this.state = 'NOTE'; + break; + } + // 19-29 - Allow any number of line terminators, then initialize new cue values. + if (!line) { + continue; + } + _this.cue = new VTTCue(0, 0, ''); + _this.state = 'CUE'; + // 30-39 - Check if self line contains an optional identifier or timing data. + if (line.indexOf('-->') === -1) { + _this.cue.id = line; + continue; + } + // Process line as start of a cue. + /* falls through */ + case 'CUE': + // 40 - Collect cue timings and settings. + if (!_this.cue) { + _this.state = 'BADCUE'; + continue; + } + try { + parseCue(line, _this.cue, _this.regionList); + } catch (e) { + // In case of an error ignore rest of the cue. + _this.cue = null; + _this.state = 'BADCUE'; + continue; + } + _this.state = 'CUETEXT'; + continue; + case 'CUETEXT': + { + var hasSubstring = line.indexOf('-->') !== -1; + // 34 - If we have an empty line then report the cue. + // 35 - If we have the special substring '-->' then report the cue, + // but do not collect the line as we need to process the current + // one as a new cue. + if (!line || hasSubstring && (alreadyCollectedLine = true)) { + // We are done parsing self cue. + if (_this.oncue && _this.cue) { + _this.oncue(_this.cue); + } + _this.cue = null; + _this.state = 'ID'; + continue; + } + if (_this.cue === null) { + continue; + } + if (_this.cue.text) { + _this.cue.text += '\n'; + } + _this.cue.text += line; + } + continue; + case 'BADCUE': + // 54-62 - Collect and discard the remaining cue. + if (!line) { + _this.state = 'ID'; + } + } + } + } catch (e) { + // If we are currently parsing a cue, report what we have. + if (_this.state === 'CUETEXT' && _this.cue && _this.oncue) { + _this.oncue(_this.cue); + } + _this.cue = null; + // Enter BADWEBVTT state if header was not parsed correctly otherwise + // another exception occurred so enter BADCUE state. + _this.state = _this.state === 'INITIAL' ? 'BADWEBVTT' : 'BADCUE'; + } + return this; + }; + _proto3.flush = function flush() { + var _this = this; + try { + // Finish decoding the stream. + // _this.buffer += _this.decoder.decode(); + // Synthesize the end of the current cue or region. + if (_this.cue || _this.state === 'HEADER') { + _this.buffer += '\n\n'; + _this.parse(); + } + // If we've flushed, parsed, and we're still on the INITIAL state then + // that means we don't have enough of the stream to parse the first + // line. + if (_this.state === 'INITIAL' || _this.state === 'BADWEBVTT') { + throw new Error('Malformed WebVTT signature.'); + } + } catch (e) { + if (_this.onparsingerror) { + _this.onparsingerror(e); + } + } + if (_this.onflush) { + _this.onflush(); + } + return this; + }; + return VTTParser; + }(); + + var LINEBREAKS = /\r\n|\n\r|\n|\r/g; + + // String.prototype.startsWith is not supported in IE11 + var startsWith = function startsWith(inputString, searchString, position) { + if (position === void 0) { + position = 0; + } + return inputString.slice(position, position + searchString.length) === searchString; + }; + var cueString2millis = function cueString2millis(timeString) { + var ts = parseInt(timeString.slice(-3)); + var secs = parseInt(timeString.slice(-6, -4)); + var mins = parseInt(timeString.slice(-9, -7)); + var hours = timeString.length > 9 ? parseInt(timeString.substring(0, timeString.indexOf(':'))) : 0; + if (!isFiniteNumber(ts) || !isFiniteNumber(secs) || !isFiniteNumber(mins) || !isFiniteNumber(hours)) { + throw Error("Malformed X-TIMESTAMP-MAP: Local:" + timeString); + } + ts += 1000 * secs; + ts += 60 * 1000 * mins; + ts += 60 * 60 * 1000 * hours; + return ts; + }; + + // From https://github.com/darkskyapp/string-hash + var hash = function hash(text) { + var hash = 5381; + var i = text.length; + while (i) { + hash = hash * 33 ^ text.charCodeAt(--i); + } + return (hash >>> 0).toString(); + }; + + // Create a unique hash id for a cue based on start/end times and text. + // This helps timeline-controller to avoid showing repeated captions. + function generateCueId(startTime, endTime, text) { + return hash(startTime.toString()) + hash(endTime.toString()) + hash(text); + } + var calculateOffset = function calculateOffset(vttCCs, cc, presentationTime) { + var currCC = vttCCs[cc]; + var prevCC = vttCCs[currCC.prevCC]; + + // This is the first discontinuity or cues have been processed since the last discontinuity + // Offset = current discontinuity time + if (!prevCC || !prevCC.new && currCC.new) { + vttCCs.ccOffset = vttCCs.presentationOffset = currCC.start; + currCC.new = false; + return; + } + + // There have been discontinuities since cues were last parsed. + // Offset = time elapsed + while ((_prevCC = prevCC) != null && _prevCC.new) { + var _prevCC; + vttCCs.ccOffset += currCC.start - prevCC.start; + currCC.new = false; + currCC = prevCC; + prevCC = vttCCs[currCC.prevCC]; + } + vttCCs.presentationOffset = presentationTime; + }; + function parseWebVTT(vttByteArray, initPTS, vttCCs, cc, timeOffset, callBack, errorCallBack) { + var parser = new VTTParser(); + // Convert byteArray into string, replacing any somewhat exotic linefeeds with "\n", then split on that character. + // Uint8Array.prototype.reduce is not implemented in IE11 + var vttLines = utf8ArrayToStr(new Uint8Array(vttByteArray)).trim().replace(LINEBREAKS, '\n').split('\n'); + var cues = []; + var init90kHz = initPTS ? toMpegTsClockFromTimescale(initPTS.baseTime, initPTS.timescale) : 0; + var cueTime = '00:00.000'; + var timestampMapMPEGTS = 0; + var timestampMapLOCAL = 0; + var parsingError; + var inHeader = true; + parser.oncue = function (cue) { + // Adjust cue timing; clamp cues to start no earlier than - and drop cues that don't end after - 0 on timeline. + var currCC = vttCCs[cc]; + var cueOffset = vttCCs.ccOffset; + + // Calculate subtitle PTS offset + var webVttMpegTsMapOffset = (timestampMapMPEGTS - init90kHz) / 90000; + + // Update offsets for new discontinuities + if (currCC != null && currCC.new) { + if (timestampMapLOCAL !== undefined) { + // When local time is provided, offset = discontinuity start time - local time + cueOffset = vttCCs.ccOffset = currCC.start; + } else { + calculateOffset(vttCCs, cc, webVttMpegTsMapOffset); + } + } + if (webVttMpegTsMapOffset) { + if (!initPTS) { + parsingError = new Error('Missing initPTS for VTT MPEGTS'); + return; + } + // If we have MPEGTS, offset = presentation time + discontinuity offset + cueOffset = webVttMpegTsMapOffset - vttCCs.presentationOffset; + } + var duration = cue.endTime - cue.startTime; + var startTime = normalizePts((cue.startTime + cueOffset - timestampMapLOCAL) * 90000, timeOffset * 90000) / 90000; + cue.startTime = Math.max(startTime, 0); + cue.endTime = Math.max(startTime + duration, 0); + + //trim trailing webvtt block whitespaces + var text = cue.text.trim(); + + // Fix encoding of special characters + cue.text = decodeURIComponent(encodeURIComponent(text)); + + // If the cue was not assigned an id from the VTT file (line above the content), create one. + if (!cue.id) { + cue.id = generateCueId(cue.startTime, cue.endTime, text); + } + if (cue.endTime > 0) { + cues.push(cue); + } + }; + parser.onparsingerror = function (error) { + parsingError = error; + }; + parser.onflush = function () { + if (parsingError) { + errorCallBack(parsingError); + return; + } + callBack(cues); + }; + + // Go through contents line by line. + vttLines.forEach(function (line) { + if (inHeader) { + // Look for X-TIMESTAMP-MAP in header. + if (startsWith(line, 'X-TIMESTAMP-MAP=')) { + // Once found, no more are allowed anyway, so stop searching. + inHeader = false; + // Extract LOCAL and MPEGTS. + line.slice(16).split(',').forEach(function (timestamp) { + if (startsWith(timestamp, 'LOCAL:')) { + cueTime = timestamp.slice(6); + } else if (startsWith(timestamp, 'MPEGTS:')) { + timestampMapMPEGTS = parseInt(timestamp.slice(7)); + } + }); + try { + // Convert cue time to seconds + timestampMapLOCAL = cueString2millis(cueTime) / 1000; + } catch (error) { + parsingError = error; + } + // Return without parsing X-TIMESTAMP-MAP line. + return; + } else if (line === '') { + inHeader = false; + } + } + // Parse line by default. + parser.parse(line + '\n'); + }); + parser.flush(); + } + + var IMSC1_CODEC = 'stpp.ttml.im1t'; + + // Time format: h:m:s:frames(.subframes) + var HMSF_REGEX = /^(\d{2,}):(\d{2}):(\d{2}):(\d{2})\.?(\d+)?$/; + + // Time format: hours, minutes, seconds, milliseconds, frames, ticks + var TIME_UNIT_REGEX = /^(\d*(?:\.\d*)?)(h|m|s|ms|f|t)$/; + var textAlignToLineAlign = { + left: 'start', + center: 'center', + right: 'end', + start: 'start', + end: 'end' + }; + function parseIMSC1(payload, initPTS, callBack, errorCallBack) { + var results = findBox(new Uint8Array(payload), ['mdat']); + if (results.length === 0) { + errorCallBack(new Error('Could not parse IMSC1 mdat')); + return; + } + var ttmlList = results.map(function (mdat) { + return utf8ArrayToStr(mdat); + }); + var syncTime = toTimescaleFromScale(initPTS.baseTime, 1, initPTS.timescale); + try { + ttmlList.forEach(function (ttml) { + return callBack(parseTTML(ttml, syncTime)); + }); + } catch (error) { + errorCallBack(error); + } + } + function parseTTML(ttml, syncTime) { + var parser = new DOMParser(); + var xmlDoc = parser.parseFromString(ttml, 'text/xml'); + var tt = xmlDoc.getElementsByTagName('tt')[0]; + if (!tt) { + throw new Error('Invalid ttml'); + } + var defaultRateInfo = { + frameRate: 30, + subFrameRate: 1, + frameRateMultiplier: 0, + tickRate: 0 + }; + var rateInfo = Object.keys(defaultRateInfo).reduce(function (result, key) { + result[key] = tt.getAttribute("ttp:" + key) || defaultRateInfo[key]; + return result; + }, {}); + var trim = tt.getAttribute('xml:space') !== 'preserve'; + var styleElements = collectionToDictionary(getElementCollection(tt, 'styling', 'style')); + var regionElements = collectionToDictionary(getElementCollection(tt, 'layout', 'region')); + var cueElements = getElementCollection(tt, 'body', '[begin]'); + return [].map.call(cueElements, function (cueElement) { + var cueText = getTextContent(cueElement, trim); + if (!cueText || !cueElement.hasAttribute('begin')) { + return null; + } + var startTime = parseTtmlTime(cueElement.getAttribute('begin'), rateInfo); + var duration = parseTtmlTime(cueElement.getAttribute('dur'), rateInfo); + var endTime = parseTtmlTime(cueElement.getAttribute('end'), rateInfo); + if (startTime === null) { + throw timestampParsingError(cueElement); + } + if (endTime === null) { + if (duration === null) { + throw timestampParsingError(cueElement); + } + endTime = startTime + duration; + } + var cue = new VTTCue(startTime - syncTime, endTime - syncTime, cueText); + cue.id = generateCueId(cue.startTime, cue.endTime, cue.text); + var region = regionElements[cueElement.getAttribute('region')]; + var style = styleElements[cueElement.getAttribute('style')]; + + // Apply styles to cue + var styles = getTtmlStyles(region, style, styleElements); + var textAlign = styles.textAlign; + if (textAlign) { + // cue.positionAlign not settable in FF~2016 + var lineAlign = textAlignToLineAlign[textAlign]; + if (lineAlign) { + cue.lineAlign = lineAlign; + } + cue.align = textAlign; + } + _extends(cue, styles); + return cue; + }).filter(function (cue) { + return cue !== null; + }); + } + function getElementCollection(fromElement, parentName, childName) { + var parent = fromElement.getElementsByTagName(parentName)[0]; + if (parent) { + return [].slice.call(parent.querySelectorAll(childName)); + } + return []; + } + function collectionToDictionary(elementsWithId) { + return elementsWithId.reduce(function (dict, element) { + var id = element.getAttribute('xml:id'); + if (id) { + dict[id] = element; + } + return dict; + }, {}); + } + function getTextContent(element, trim) { + return [].slice.call(element.childNodes).reduce(function (str, node, i) { + var _node$childNodes; + if (node.nodeName === 'br' && i) { + return str + '\n'; + } + if ((_node$childNodes = node.childNodes) != null && _node$childNodes.length) { + return getTextContent(node, trim); + } else if (trim) { + return str + node.textContent.trim().replace(/\s+/g, ' '); + } + return str + node.textContent; + }, ''); + } + function getTtmlStyles(region, style, styleElements) { + var ttsNs = 'http://www.w3.org/ns/ttml#styling'; + var regionStyle = null; + var styleAttributes = ['displayAlign', 'textAlign', 'color', 'backgroundColor', 'fontSize', 'fontFamily' + // 'fontWeight', + // 'lineHeight', + // 'wrapOption', + // 'fontStyle', + // 'direction', + // 'writingMode' + ]; + var regionStyleName = region != null && region.hasAttribute('style') ? region.getAttribute('style') : null; + if (regionStyleName && styleElements.hasOwnProperty(regionStyleName)) { + regionStyle = styleElements[regionStyleName]; + } + return styleAttributes.reduce(function (styles, name) { + var value = getAttributeNS(style, ttsNs, name) || getAttributeNS(region, ttsNs, name) || getAttributeNS(regionStyle, ttsNs, name); + if (value) { + styles[name] = value; + } + return styles; + }, {}); + } + function getAttributeNS(element, ns, name) { + if (!element) { + return null; + } + return element.hasAttributeNS(ns, name) ? element.getAttributeNS(ns, name) : null; + } + function timestampParsingError(node) { + return new Error("Could not parse ttml timestamp " + node); + } + function parseTtmlTime(timeAttributeValue, rateInfo) { + if (!timeAttributeValue) { + return null; + } + var seconds = parseTimeStamp(timeAttributeValue); + if (seconds === null) { + if (HMSF_REGEX.test(timeAttributeValue)) { + seconds = parseHoursMinutesSecondsFrames(timeAttributeValue, rateInfo); + } else if (TIME_UNIT_REGEX.test(timeAttributeValue)) { + seconds = parseTimeUnits(timeAttributeValue, rateInfo); + } + } + return seconds; + } + function parseHoursMinutesSecondsFrames(timeAttributeValue, rateInfo) { + var m = HMSF_REGEX.exec(timeAttributeValue); + var frames = (m[4] | 0) + (m[5] | 0) / rateInfo.subFrameRate; + return (m[1] | 0) * 3600 + (m[2] | 0) * 60 + (m[3] | 0) + frames / rateInfo.frameRate; + } + function parseTimeUnits(timeAttributeValue, rateInfo) { + var m = TIME_UNIT_REGEX.exec(timeAttributeValue); + var value = Number(m[1]); + var unit = m[2]; + switch (unit) { + case 'h': + return value * 3600; + case 'm': + return value * 60; + case 'ms': + return value * 1000; + case 'f': + return value / rateInfo.frameRate; + case 't': + return value / rateInfo.tickRate; + } + return value; + } + + var TimelineController = /*#__PURE__*/function () { + function TimelineController(hls) { + this.hls = void 0; + this.media = null; + this.config = void 0; + this.enabled = true; + this.Cues = void 0; + this.textTracks = []; + this.tracks = []; + this.initPTS = []; + this.unparsedVttFrags = []; + this.captionsTracks = {}; + this.nonNativeCaptionsTracks = {}; + this.cea608Parser1 = void 0; + this.cea608Parser2 = void 0; + this.lastCc = -1; + // Last video (CEA-608) fragment CC + this.lastSn = -1; + // Last video (CEA-608) fragment MSN + this.lastPartIndex = -1; + // Last video (CEA-608) fragment Part Index + this.prevCC = -1; + // Last subtitle fragment CC + this.vttCCs = newVTTCCs(); + this.captionsProperties = void 0; + this.hls = hls; + this.config = hls.config; + this.Cues = hls.config.cueHandler; + this.captionsProperties = { + textTrack1: { + label: this.config.captionsTextTrack1Label, + languageCode: this.config.captionsTextTrack1LanguageCode + }, + textTrack2: { + label: this.config.captionsTextTrack2Label, + languageCode: this.config.captionsTextTrack2LanguageCode + }, + textTrack3: { + label: this.config.captionsTextTrack3Label, + languageCode: this.config.captionsTextTrack3LanguageCode + }, + textTrack4: { + label: this.config.captionsTextTrack4Label, + languageCode: this.config.captionsTextTrack4LanguageCode + } + }; + hls.on(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + hls.on(Events.SUBTITLE_TRACKS_UPDATED, this.onSubtitleTracksUpdated, this); + hls.on(Events.FRAG_LOADING, this.onFragLoading, this); + hls.on(Events.FRAG_LOADED, this.onFragLoaded, this); + hls.on(Events.FRAG_PARSING_USERDATA, this.onFragParsingUserdata, this); + hls.on(Events.FRAG_DECRYPTED, this.onFragDecrypted, this); + hls.on(Events.INIT_PTS_FOUND, this.onInitPtsFound, this); + hls.on(Events.SUBTITLE_TRACKS_CLEARED, this.onSubtitleTracksCleared, this); + hls.on(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + } + var _proto = TimelineController.prototype; + _proto.destroy = function destroy() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + hls.off(Events.SUBTITLE_TRACKS_UPDATED, this.onSubtitleTracksUpdated, this); + hls.off(Events.FRAG_LOADING, this.onFragLoading, this); + hls.off(Events.FRAG_LOADED, this.onFragLoaded, this); + hls.off(Events.FRAG_PARSING_USERDATA, this.onFragParsingUserdata, this); + hls.off(Events.FRAG_DECRYPTED, this.onFragDecrypted, this); + hls.off(Events.INIT_PTS_FOUND, this.onInitPtsFound, this); + hls.off(Events.SUBTITLE_TRACKS_CLEARED, this.onSubtitleTracksCleared, this); + hls.off(Events.BUFFER_FLUSHING, this.onBufferFlushing, this); + // @ts-ignore + this.hls = this.config = null; + this.cea608Parser1 = this.cea608Parser2 = undefined; + }; + _proto.initCea608Parsers = function initCea608Parsers() { + if (this.config.enableCEA708Captions && (!this.cea608Parser1 || !this.cea608Parser2)) { + var channel1 = new OutputFilter(this, 'textTrack1'); + var channel2 = new OutputFilter(this, 'textTrack2'); + var channel3 = new OutputFilter(this, 'textTrack3'); + var channel4 = new OutputFilter(this, 'textTrack4'); + this.cea608Parser1 = new Cea608Parser(1, channel1, channel2); + this.cea608Parser2 = new Cea608Parser(3, channel3, channel4); + } + }; + _proto.addCues = function addCues(trackName, startTime, endTime, screen, cueRanges) { + // skip cues which overlap more than 50% with previously parsed time ranges + var merged = false; + for (var i = cueRanges.length; i--;) { + var cueRange = cueRanges[i]; + var overlap = intersection(cueRange[0], cueRange[1], startTime, endTime); + if (overlap >= 0) { + cueRange[0] = Math.min(cueRange[0], startTime); + cueRange[1] = Math.max(cueRange[1], endTime); + merged = true; + if (overlap / (endTime - startTime) > 0.5) { + return; + } + } + } + if (!merged) { + cueRanges.push([startTime, endTime]); + } + if (this.config.renderTextTracksNatively) { + var track = this.captionsTracks[trackName]; + this.Cues.newCue(track, startTime, endTime, screen); + } else { + var cues = this.Cues.newCue(null, startTime, endTime, screen); + this.hls.trigger(Events.CUES_PARSED, { + type: 'captions', + cues: cues, + track: trackName + }); + } + } + + // Triggered when an initial PTS is found; used for synchronisation of WebVTT. + ; + _proto.onInitPtsFound = function onInitPtsFound(event, _ref) { + var _this = this; + var frag = _ref.frag, + id = _ref.id, + initPTS = _ref.initPTS, + timescale = _ref.timescale; + var unparsedVttFrags = this.unparsedVttFrags; + if (id === 'main') { + this.initPTS[frag.cc] = { + baseTime: initPTS, + timescale: timescale + }; + } + + // Due to asynchronous processing, initial PTS may arrive later than the first VTT fragments are loaded. + // Parse any unparsed fragments upon receiving the initial PTS. + if (unparsedVttFrags.length) { + this.unparsedVttFrags = []; + unparsedVttFrags.forEach(function (frag) { + _this.onFragLoaded(Events.FRAG_LOADED, frag); + }); + } + }; + _proto.getExistingTrack = function getExistingTrack(label, language) { + var media = this.media; + if (media) { + for (var i = 0; i < media.textTracks.length; i++) { + var textTrack = media.textTracks[i]; + if (canReuseVttTextTrack(textTrack, { + name: label, + lang: language, + attrs: {} + })) { + return textTrack; + } + } + } + return null; + }; + _proto.createCaptionsTrack = function createCaptionsTrack(trackName) { + if (this.config.renderTextTracksNatively) { + this.createNativeTrack(trackName); + } else { + this.createNonNativeTrack(trackName); + } + }; + _proto.createNativeTrack = function createNativeTrack(trackName) { + if (this.captionsTracks[trackName]) { + return; + } + var captionsProperties = this.captionsProperties, + captionsTracks = this.captionsTracks, + media = this.media; + var _captionsProperties$t = captionsProperties[trackName], + label = _captionsProperties$t.label, + languageCode = _captionsProperties$t.languageCode; + // Enable reuse of existing text track. + var existingTrack = this.getExistingTrack(label, languageCode); + if (!existingTrack) { + var textTrack = this.createTextTrack('captions', label, languageCode); + if (textTrack) { + // Set a special property on the track so we know it's managed by Hls.js + textTrack[trackName] = true; + captionsTracks[trackName] = textTrack; + } + } else { + captionsTracks[trackName] = existingTrack; + clearCurrentCues(captionsTracks[trackName]); + sendAddTrackEvent(captionsTracks[trackName], media); + } + }; + _proto.createNonNativeTrack = function createNonNativeTrack(trackName) { + if (this.nonNativeCaptionsTracks[trackName]) { + return; + } + // Create a list of a single track for the provider to consume + var trackProperties = this.captionsProperties[trackName]; + if (!trackProperties) { + return; + } + var label = trackProperties.label; + var track = { + _id: trackName, + label: label, + kind: 'captions', + default: trackProperties.media ? !!trackProperties.media.default : false, + closedCaptions: trackProperties.media + }; + this.nonNativeCaptionsTracks[trackName] = track; + this.hls.trigger(Events.NON_NATIVE_TEXT_TRACKS_FOUND, { + tracks: [track] + }); + }; + _proto.createTextTrack = function createTextTrack(kind, label, lang) { + var media = this.media; + if (!media) { + return; + } + return media.addTextTrack(kind, label, lang); + }; + _proto.onMediaAttaching = function onMediaAttaching(event, data) { + this.media = data.media; + this._cleanTracks(); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + var captionsTracks = this.captionsTracks; + Object.keys(captionsTracks).forEach(function (trackName) { + clearCurrentCues(captionsTracks[trackName]); + delete captionsTracks[trackName]; + }); + this.nonNativeCaptionsTracks = {}; + }; + _proto.onManifestLoading = function onManifestLoading() { + // Detect discontinuity in video fragment (CEA-608) parsing + this.lastCc = -1; + this.lastSn = -1; + this.lastPartIndex = -1; + // Detect discontinuity in subtitle manifests + this.prevCC = -1; + this.vttCCs = newVTTCCs(); + // Reset tracks + this._cleanTracks(); + this.tracks = []; + this.captionsTracks = {}; + this.nonNativeCaptionsTracks = {}; + this.textTracks = []; + this.unparsedVttFrags = []; + this.initPTS = []; + if (this.cea608Parser1 && this.cea608Parser2) { + this.cea608Parser1.reset(); + this.cea608Parser2.reset(); + } + }; + _proto._cleanTracks = function _cleanTracks() { + // clear outdated subtitles + var media = this.media; + if (!media) { + return; + } + var textTracks = media.textTracks; + if (textTracks) { + for (var i = 0; i < textTracks.length; i++) { + clearCurrentCues(textTracks[i]); + } + } + }; + _proto.onSubtitleTracksUpdated = function onSubtitleTracksUpdated(event, data) { + var _this2 = this; + var tracks = data.subtitleTracks || []; + var hasIMSC1 = tracks.some(function (track) { + return track.textCodec === IMSC1_CODEC; + }); + if (this.config.enableWebVTT || hasIMSC1 && this.config.enableIMSC1) { + var listIsIdentical = subtitleOptionsIdentical(this.tracks, tracks); + if (listIsIdentical) { + this.tracks = tracks; + return; + } + this.textTracks = []; + this.tracks = tracks; + if (this.config.renderTextTracksNatively) { + var media = this.media; + var inUseTracks = media ? filterSubtitleTracks(media.textTracks) : null; + this.tracks.forEach(function (track, index) { + // Reuse tracks with the same label and lang, but do not reuse 608/708 tracks + var textTrack; + if (inUseTracks) { + var inUseTrack = null; + for (var i = 0; i < inUseTracks.length; i++) { + if (inUseTracks[i] && canReuseVttTextTrack(inUseTracks[i], track)) { + inUseTrack = inUseTracks[i]; + inUseTracks[i] = null; + break; + } + } + if (inUseTrack) { + textTrack = inUseTrack; + } + } + if (textTrack) { + clearCurrentCues(textTrack); + } else { + var textTrackKind = captionsOrSubtitlesFromCharacteristics(track); + textTrack = _this2.createTextTrack(textTrackKind, track.name, track.lang); + if (textTrack) { + textTrack.mode = 'disabled'; + } + } + if (textTrack) { + _this2.textTracks.push(textTrack); + } + }); + // Warn when video element has captions or subtitle TextTracks carried over from another source + if (inUseTracks != null && inUseTracks.length) { + var unusedTextTracks = inUseTracks.filter(function (t) { + return t !== null; + }).map(function (t) { + return t.label; + }); + if (unusedTextTracks.length) { + logger.warn("Media element contains unused subtitle tracks: " + unusedTextTracks.join(', ') + ". Replace media element for each source to clear TextTracks and captions menu."); + } + } + } else if (this.tracks.length) { + // Create a list of tracks for the provider to consume + var tracksList = this.tracks.map(function (track) { + return { + label: track.name, + kind: track.type.toLowerCase(), + default: track.default, + subtitleTrack: track + }; + }); + this.hls.trigger(Events.NON_NATIVE_TEXT_TRACKS_FOUND, { + tracks: tracksList + }); + } + } + }; + _proto.onManifestLoaded = function onManifestLoaded(event, data) { + var _this3 = this; + if (this.config.enableCEA708Captions && data.captions) { + data.captions.forEach(function (captionsTrack) { + var instreamIdMatch = /(?:CC|SERVICE)([1-4])/.exec(captionsTrack.instreamId); + if (!instreamIdMatch) { + return; + } + var trackName = "textTrack" + instreamIdMatch[1]; + var trackProperties = _this3.captionsProperties[trackName]; + if (!trackProperties) { + return; + } + trackProperties.label = captionsTrack.name; + if (captionsTrack.lang) { + // optional attribute + trackProperties.languageCode = captionsTrack.lang; + } + trackProperties.media = captionsTrack; + }); + } + }; + _proto.closedCaptionsForLevel = function closedCaptionsForLevel(frag) { + var level = this.hls.levels[frag.level]; + return level == null ? void 0 : level.attrs['CLOSED-CAPTIONS']; + }; + _proto.onFragLoading = function onFragLoading(event, data) { + // if this frag isn't contiguous, clear the parser so cues with bad start/end times aren't added to the textTrack + if (this.enabled && data.frag.type === PlaylistLevelType.MAIN) { + var _data$part$index, _data$part; + var cea608Parser1 = this.cea608Parser1, + cea608Parser2 = this.cea608Parser2, + lastSn = this.lastSn; + var _data$frag = data.frag, + cc = _data$frag.cc, + sn = _data$frag.sn; + var partIndex = (_data$part$index = (_data$part = data.part) == null ? void 0 : _data$part.index) != null ? _data$part$index : -1; + if (cea608Parser1 && cea608Parser2) { + if (sn !== lastSn + 1 || sn === lastSn && partIndex !== this.lastPartIndex + 1 || cc !== this.lastCc) { + cea608Parser1.reset(); + cea608Parser2.reset(); + } + } + this.lastCc = cc; + this.lastSn = sn; + this.lastPartIndex = partIndex; + } + }; + _proto.onFragLoaded = function onFragLoaded(event, data) { + var frag = data.frag, + payload = data.payload; + if (frag.type === PlaylistLevelType.SUBTITLE) { + // If fragment is subtitle type, parse as WebVTT. + if (payload.byteLength) { + var decryptData = frag.decryptdata; + // fragment after decryption has a stats object + var decrypted = ('stats' in data); + // If the subtitles are not encrypted, parse VTTs now. Otherwise, we need to wait. + if (decryptData == null || !decryptData.encrypted || decrypted) { + var trackPlaylistMedia = this.tracks[frag.level]; + var vttCCs = this.vttCCs; + if (!vttCCs[frag.cc]) { + vttCCs[frag.cc] = { + start: frag.start, + prevCC: this.prevCC, + new: true + }; + this.prevCC = frag.cc; + } + if (trackPlaylistMedia && trackPlaylistMedia.textCodec === IMSC1_CODEC) { + this._parseIMSC1(frag, payload); + } else { + this._parseVTTs(data); + } + } + } else { + // In case there is no payload, finish unsuccessfully. + this.hls.trigger(Events.SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag, + error: new Error('Empty subtitle payload') + }); + } + } + }; + _proto._parseIMSC1 = function _parseIMSC1(frag, payload) { + var _this4 = this; + var hls = this.hls; + parseIMSC1(payload, this.initPTS[frag.cc], function (cues) { + _this4._appendCues(cues, frag.level); + hls.trigger(Events.SUBTITLE_FRAG_PROCESSED, { + success: true, + frag: frag + }); + }, function (error) { + logger.log("Failed to parse IMSC1: " + error); + hls.trigger(Events.SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag, + error: error + }); + }); + }; + _proto._parseVTTs = function _parseVTTs(data) { + var _frag$initSegment, + _this5 = this; + var frag = data.frag, + payload = data.payload; + // We need an initial synchronisation PTS. Store fragments as long as none has arrived + var initPTS = this.initPTS, + unparsedVttFrags = this.unparsedVttFrags; + var maxAvCC = initPTS.length - 1; + if (!initPTS[frag.cc] && maxAvCC === -1) { + unparsedVttFrags.push(data); + return; + } + var hls = this.hls; + // Parse the WebVTT file contents. + var payloadWebVTT = (_frag$initSegment = frag.initSegment) != null && _frag$initSegment.data ? appendUint8Array(frag.initSegment.data, new Uint8Array(payload)) : payload; + parseWebVTT(payloadWebVTT, this.initPTS[frag.cc], this.vttCCs, frag.cc, frag.start, function (cues) { + _this5._appendCues(cues, frag.level); + hls.trigger(Events.SUBTITLE_FRAG_PROCESSED, { + success: true, + frag: frag + }); + }, function (error) { + var missingInitPTS = error.message === 'Missing initPTS for VTT MPEGTS'; + if (missingInitPTS) { + unparsedVttFrags.push(data); + } else { + _this5._fallbackToIMSC1(frag, payload); + } + // Something went wrong while parsing. Trigger event with success false. + logger.log("Failed to parse VTT cue: " + error); + if (missingInitPTS && maxAvCC > frag.cc) { + return; + } + hls.trigger(Events.SUBTITLE_FRAG_PROCESSED, { + success: false, + frag: frag, + error: error + }); + }); + }; + _proto._fallbackToIMSC1 = function _fallbackToIMSC1(frag, payload) { + var _this6 = this; + // If textCodec is unknown, try parsing as IMSC1. Set textCodec based on the result + var trackPlaylistMedia = this.tracks[frag.level]; + if (!trackPlaylistMedia.textCodec) { + parseIMSC1(payload, this.initPTS[frag.cc], function () { + trackPlaylistMedia.textCodec = IMSC1_CODEC; + _this6._parseIMSC1(frag, payload); + }, function () { + trackPlaylistMedia.textCodec = 'wvtt'; + }); + } + }; + _proto._appendCues = function _appendCues(cues, fragLevel) { + var hls = this.hls; + if (this.config.renderTextTracksNatively) { + var textTrack = this.textTracks[fragLevel]; + // WebVTTParser.parse is an async method and if the currently selected text track mode is set to "disabled" + // before parsing is done then don't try to access currentTrack.cues.getCueById as cues will be null + // and trying to access getCueById method of cues will throw an exception + // Because we check if the mode is disabled, we can force check `cues` below. They can't be null. + if (!textTrack || textTrack.mode === 'disabled') { + return; + } + cues.forEach(function (cue) { + return addCueToTrack(textTrack, cue); + }); + } else { + var currentTrack = this.tracks[fragLevel]; + if (!currentTrack) { + return; + } + var track = currentTrack.default ? 'default' : 'subtitles' + fragLevel; + hls.trigger(Events.CUES_PARSED, { + type: 'subtitles', + cues: cues, + track: track + }); + } + }; + _proto.onFragDecrypted = function onFragDecrypted(event, data) { + var frag = data.frag; + if (frag.type === PlaylistLevelType.SUBTITLE) { + this.onFragLoaded(Events.FRAG_LOADED, data); + } + }; + _proto.onSubtitleTracksCleared = function onSubtitleTracksCleared() { + this.tracks = []; + this.captionsTracks = {}; + }; + _proto.onFragParsingUserdata = function onFragParsingUserdata(event, data) { + this.initCea608Parsers(); + var cea608Parser1 = this.cea608Parser1, + cea608Parser2 = this.cea608Parser2; + if (!this.enabled || !cea608Parser1 || !cea608Parser2) { + return; + } + var frag = data.frag, + samples = data.samples; + if (frag.type === PlaylistLevelType.MAIN && this.closedCaptionsForLevel(frag) === 'NONE') { + return; + } + // If the event contains captions (found in the bytes property), push all bytes into the parser immediately + // It will create the proper timestamps based on the PTS value + for (var i = 0; i < samples.length; i++) { + var ccBytes = samples[i].bytes; + if (ccBytes) { + var ccdatas = this.extractCea608Data(ccBytes); + cea608Parser1.addData(samples[i].pts, ccdatas[0]); + cea608Parser2.addData(samples[i].pts, ccdatas[1]); + } + } + }; + _proto.onBufferFlushing = function onBufferFlushing(event, _ref2) { + var startOffset = _ref2.startOffset, + endOffset = _ref2.endOffset, + endOffsetSubtitles = _ref2.endOffsetSubtitles, + type = _ref2.type; + var media = this.media; + if (!media || media.currentTime < endOffset) { + return; + } + // Clear 608 caption cues from the captions TextTracks when the video back buffer is flushed + // Forward cues are never removed because we can loose streamed 608 content from recent fragments + if (!type || type === 'video') { + var captionsTracks = this.captionsTracks; + Object.keys(captionsTracks).forEach(function (trackName) { + return removeCuesInRange(captionsTracks[trackName], startOffset, endOffset); + }); + } + if (this.config.renderTextTracksNatively) { + // Clear VTT/IMSC1 subtitle cues from the subtitle TextTracks when the back buffer is flushed + if (startOffset === 0 && endOffsetSubtitles !== undefined) { + var textTracks = this.textTracks; + Object.keys(textTracks).forEach(function (trackName) { + return removeCuesInRange(textTracks[trackName], startOffset, endOffsetSubtitles); + }); + } + } + }; + _proto.extractCea608Data = function extractCea608Data(byteArray) { + var actualCCBytes = [[], []]; + var count = byteArray[0] & 0x1f; + var position = 2; + for (var j = 0; j < count; j++) { + var tmpByte = byteArray[position++]; + var ccbyte1 = 0x7f & byteArray[position++]; + var ccbyte2 = 0x7f & byteArray[position++]; + if (ccbyte1 === 0 && ccbyte2 === 0) { + continue; + } + var ccValid = (0x04 & tmpByte) !== 0; // Support all four channels + if (ccValid) { + var ccType = 0x03 & tmpByte; + if (0x00 /* CEA608 field1*/ === ccType || 0x01 /* CEA608 field2*/ === ccType) { + // Exclude CEA708 CC data. + actualCCBytes[ccType].push(ccbyte1); + actualCCBytes[ccType].push(ccbyte2); + } + } + } + return actualCCBytes; + }; + return TimelineController; + }(); + function captionsOrSubtitlesFromCharacteristics(track) { + if (track.characteristics) { + if (/transcribes-spoken-dialog/gi.test(track.characteristics) && /describes-music-and-sound/gi.test(track.characteristics)) { + return 'captions'; + } + } + return 'subtitles'; + } + function canReuseVttTextTrack(inUseTrack, manifestTrack) { + return !!inUseTrack && inUseTrack.kind === captionsOrSubtitlesFromCharacteristics(manifestTrack) && subtitleTrackMatchesTextTrack(manifestTrack, inUseTrack); + } + function intersection(x1, x2, y1, y2) { + return Math.min(x2, y2) - Math.max(x1, y1); + } + function newVTTCCs() { + return { + ccOffset: 0, + presentationOffset: 0, + 0: { + start: 0, + prevCC: -1, + new: true + } + }; + } + + var CapLevelController = /*#__PURE__*/function () { + function CapLevelController(hls) { + this.hls = void 0; + this.autoLevelCapping = void 0; + this.firstLevel = void 0; + this.media = void 0; + this.restrictedLevels = void 0; + this.timer = void 0; + this.clientRect = void 0; + this.streamController = void 0; + this.hls = hls; + this.autoLevelCapping = Number.POSITIVE_INFINITY; + this.firstLevel = -1; + this.media = null; + this.restrictedLevels = []; + this.timer = undefined; + this.clientRect = null; + this.registerListeners(); + } + var _proto = CapLevelController.prototype; + _proto.setStreamController = function setStreamController(streamController) { + this.streamController = streamController; + }; + _proto.destroy = function destroy() { + if (this.hls) { + this.unregisterListener(); + } + if (this.timer) { + this.stopCapping(); + } + this.media = null; + this.clientRect = null; + // @ts-ignore + this.hls = this.streamController = null; + }; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.FPS_DROP_LEVEL_CAPPING, this.onFpsDropLevelCapping, this); + hls.on(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + hls.on(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.on(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.on(Events.BUFFER_CODECS, this.onBufferCodecs, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + }; + _proto.unregisterListener = function unregisterListener() { + var hls = this.hls; + hls.off(Events.FPS_DROP_LEVEL_CAPPING, this.onFpsDropLevelCapping, this); + hls.off(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + hls.off(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.off(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.off(Events.BUFFER_CODECS, this.onBufferCodecs, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + }; + _proto.onFpsDropLevelCapping = function onFpsDropLevelCapping(event, data) { + // Don't add a restricted level more than once + var level = this.hls.levels[data.droppedLevel]; + if (this.isLevelAllowed(level)) { + this.restrictedLevels.push({ + bitrate: level.bitrate, + height: level.height, + width: level.width + }); + } + }; + _proto.onMediaAttaching = function onMediaAttaching(event, data) { + this.media = data.media instanceof HTMLVideoElement ? data.media : null; + this.clientRect = null; + if (this.timer && this.hls.levels.length) { + this.detectPlayerSize(); + } + }; + _proto.onManifestParsed = function onManifestParsed(event, data) { + var hls = this.hls; + this.restrictedLevels = []; + this.firstLevel = data.firstLevel; + if (hls.config.capLevelToPlayerSize && data.video) { + // Start capping immediately if the manifest has signaled video codecs + this.startCapping(); + } + }; + _proto.onLevelsUpdated = function onLevelsUpdated(event, data) { + if (this.timer && isFiniteNumber(this.autoLevelCapping)) { + this.detectPlayerSize(); + } + } + + // Only activate capping when playing a video stream; otherwise, multi-bitrate audio-only streams will be restricted + // to the first level + ; + _proto.onBufferCodecs = function onBufferCodecs(event, data) { + var hls = this.hls; + if (hls.config.capLevelToPlayerSize && data.video) { + // If the manifest did not signal a video codec capping has been deferred until we're certain video is present + this.startCapping(); + } + }; + _proto.onMediaDetaching = function onMediaDetaching() { + this.stopCapping(); + }; + _proto.detectPlayerSize = function detectPlayerSize() { + if (this.media) { + if (this.mediaHeight <= 0 || this.mediaWidth <= 0) { + this.clientRect = null; + return; + } + var levels = this.hls.levels; + if (levels.length) { + var hls = this.hls; + var maxLevel = this.getMaxLevel(levels.length - 1); + if (maxLevel !== this.autoLevelCapping) { + logger.log("Setting autoLevelCapping to " + maxLevel + ": " + levels[maxLevel].height + "p@" + levels[maxLevel].bitrate + " for media " + this.mediaWidth + "x" + this.mediaHeight); + } + hls.autoLevelCapping = maxLevel; + if (hls.autoLevelCapping > this.autoLevelCapping && this.streamController) { + // if auto level capping has a higher value for the previous one, flush the buffer using nextLevelSwitch + // usually happen when the user go to the fullscreen mode. + this.streamController.nextLevelSwitch(); + } + this.autoLevelCapping = hls.autoLevelCapping; + } + } + } + + /* + * returns level should be the one with the dimensions equal or greater than the media (player) dimensions (so the video will be downscaled) + */; + _proto.getMaxLevel = function getMaxLevel(capLevelIndex) { + var _this = this; + var levels = this.hls.levels; + if (!levels.length) { + return -1; + } + var validLevels = levels.filter(function (level, index) { + return _this.isLevelAllowed(level) && index <= capLevelIndex; + }); + this.clientRect = null; + return CapLevelController.getMaxLevelByMediaSize(validLevels, this.mediaWidth, this.mediaHeight); + }; + _proto.startCapping = function startCapping() { + if (this.timer) { + // Don't reset capping if started twice; this can happen if the manifest signals a video codec + return; + } + this.autoLevelCapping = Number.POSITIVE_INFINITY; + self.clearInterval(this.timer); + this.timer = self.setInterval(this.detectPlayerSize.bind(this), 1000); + this.detectPlayerSize(); + }; + _proto.stopCapping = function stopCapping() { + this.restrictedLevels = []; + this.firstLevel = -1; + this.autoLevelCapping = Number.POSITIVE_INFINITY; + if (this.timer) { + self.clearInterval(this.timer); + this.timer = undefined; + } + }; + _proto.getDimensions = function getDimensions() { + if (this.clientRect) { + return this.clientRect; + } + var media = this.media; + var boundsRect = { + width: 0, + height: 0 + }; + if (media) { + var clientRect = media.getBoundingClientRect(); + boundsRect.width = clientRect.width; + boundsRect.height = clientRect.height; + if (!boundsRect.width && !boundsRect.height) { + // When the media element has no width or height (equivalent to not being in the DOM), + // then use its width and height attributes (media.width, media.height) + boundsRect.width = clientRect.right - clientRect.left || media.width || 0; + boundsRect.height = clientRect.bottom - clientRect.top || media.height || 0; + } + } + this.clientRect = boundsRect; + return boundsRect; + }; + _proto.isLevelAllowed = function isLevelAllowed(level) { + var restrictedLevels = this.restrictedLevels; + return !restrictedLevels.some(function (restrictedLevel) { + return level.bitrate === restrictedLevel.bitrate && level.width === restrictedLevel.width && level.height === restrictedLevel.height; + }); + }; + CapLevelController.getMaxLevelByMediaSize = function getMaxLevelByMediaSize(levels, width, height) { + if (!(levels != null && levels.length)) { + return -1; + } + + // Levels can have the same dimensions but differing bandwidths - since levels are ordered, we can look to the next + // to determine whether we've chosen the greatest bandwidth for the media's dimensions + var atGreatestBandwidth = function atGreatestBandwidth(curLevel, nextLevel) { + if (!nextLevel) { + return true; + } + return curLevel.width !== nextLevel.width || curLevel.height !== nextLevel.height; + }; + + // If we run through the loop without breaking, the media's dimensions are greater than every level, so default to + // the max level + var maxLevelIndex = levels.length - 1; + // Prevent changes in aspect-ratio from causing capping to toggle back and forth + var squareSize = Math.max(width, height); + for (var i = 0; i < levels.length; i += 1) { + var level = levels[i]; + if ((level.width >= squareSize || level.height >= squareSize) && atGreatestBandwidth(level, levels[i + 1])) { + maxLevelIndex = i; + break; + } + } + return maxLevelIndex; + }; + _createClass(CapLevelController, [{ + key: "mediaWidth", + get: function get() { + return this.getDimensions().width * this.contentScaleFactor; + } + }, { + key: "mediaHeight", + get: function get() { + return this.getDimensions().height * this.contentScaleFactor; + } + }, { + key: "contentScaleFactor", + get: function get() { + var pixelRatio = 1; + if (!this.hls.config.ignoreDevicePixelRatio) { + try { + pixelRatio = self.devicePixelRatio; + } catch (e) { + /* no-op */ + } + } + return pixelRatio; + } + }]); + return CapLevelController; + }(); + + var FPSController = /*#__PURE__*/function () { + function FPSController(hls) { + this.hls = void 0; + this.isVideoPlaybackQualityAvailable = false; + this.timer = void 0; + this.media = null; + this.lastTime = void 0; + this.lastDroppedFrames = 0; + this.lastDecodedFrames = 0; + // stream controller must be provided as a dependency! + this.streamController = void 0; + this.hls = hls; + this.registerListeners(); + } + var _proto = FPSController.prototype; + _proto.setStreamController = function setStreamController(streamController) { + this.streamController = streamController; + }; + _proto.registerListeners = function registerListeners() { + this.hls.on(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + this.hls.off(Events.MEDIA_ATTACHING, this.onMediaAttaching, this); + }; + _proto.destroy = function destroy() { + if (this.timer) { + clearInterval(this.timer); + } + this.unregisterListeners(); + this.isVideoPlaybackQualityAvailable = false; + this.media = null; + }; + _proto.onMediaAttaching = function onMediaAttaching(event, data) { + var config = this.hls.config; + if (config.capLevelOnFPSDrop) { + var media = data.media instanceof self.HTMLVideoElement ? data.media : null; + this.media = media; + if (media && typeof media.getVideoPlaybackQuality === 'function') { + this.isVideoPlaybackQualityAvailable = true; + } + self.clearInterval(this.timer); + this.timer = self.setInterval(this.checkFPSInterval.bind(this), config.fpsDroppedMonitoringPeriod); + } + }; + _proto.checkFPS = function checkFPS(video, decodedFrames, droppedFrames) { + var currentTime = performance.now(); + if (decodedFrames) { + if (this.lastTime) { + var currentPeriod = currentTime - this.lastTime; + var currentDropped = droppedFrames - this.lastDroppedFrames; + var currentDecoded = decodedFrames - this.lastDecodedFrames; + var droppedFPS = 1000 * currentDropped / currentPeriod; + var hls = this.hls; + hls.trigger(Events.FPS_DROP, { + currentDropped: currentDropped, + currentDecoded: currentDecoded, + totalDroppedFrames: droppedFrames + }); + if (droppedFPS > 0) { + // logger.log('checkFPS : droppedFPS/decodedFPS:' + droppedFPS/(1000 * currentDecoded / currentPeriod)); + if (currentDropped > hls.config.fpsDroppedMonitoringThreshold * currentDecoded) { + var currentLevel = hls.currentLevel; + logger.warn('drop FPS ratio greater than max allowed value for currentLevel: ' + currentLevel); + if (currentLevel > 0 && (hls.autoLevelCapping === -1 || hls.autoLevelCapping >= currentLevel)) { + currentLevel = currentLevel - 1; + hls.trigger(Events.FPS_DROP_LEVEL_CAPPING, { + level: currentLevel, + droppedLevel: hls.currentLevel + }); + hls.autoLevelCapping = currentLevel; + this.streamController.nextLevelSwitch(); + } + } + } + } + this.lastTime = currentTime; + this.lastDroppedFrames = droppedFrames; + this.lastDecodedFrames = decodedFrames; + } + }; + _proto.checkFPSInterval = function checkFPSInterval() { + var video = this.media; + if (video) { + if (this.isVideoPlaybackQualityAvailable) { + var videoPlaybackQuality = video.getVideoPlaybackQuality(); + this.checkFPS(video, videoPlaybackQuality.totalVideoFrames, videoPlaybackQuality.droppedVideoFrames); + } else { + // HTMLVideoElement doesn't include the webkit types + this.checkFPS(video, video.webkitDecodedFrameCount, video.webkitDroppedFrameCount); + } + } + }; + return FPSController; + }(); + + var LOGGER_PREFIX = '[eme]'; + /** + * Controller to deal with encrypted media extensions (EME) + * @see https://developer.mozilla.org/en-US/docs/Web/API/Encrypted_Media_Extensions_API + * + * @class + * @constructor + */ + var EMEController = /*#__PURE__*/function () { + function EMEController(hls) { + this.hls = void 0; + this.config = void 0; + this.media = null; + this.keyFormatPromise = null; + this.keySystemAccessPromises = {}; + this._requestLicenseFailureCount = 0; + this.mediaKeySessions = []; + this.keyIdToKeySessionPromise = {}; + this.setMediaKeysQueue = EMEController.CDMCleanupPromise ? [EMEController.CDMCleanupPromise] : []; + this.onMediaEncrypted = this._onMediaEncrypted.bind(this); + this.onWaitingForKey = this._onWaitingForKey.bind(this); + this.debug = logger.debug.bind(logger, LOGGER_PREFIX); + this.log = logger.log.bind(logger, LOGGER_PREFIX); + this.warn = logger.warn.bind(logger, LOGGER_PREFIX); + this.error = logger.error.bind(logger, LOGGER_PREFIX); + this.hls = hls; + this.config = hls.config; + this.registerListeners(); + } + var _proto = EMEController.prototype; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.onMediaDetached(); + // Remove any references that could be held in config options or callbacks + var config = this.config; + config.requestMediaKeySystemAccessFunc = null; + config.licenseXhrSetup = config.licenseResponseCallback = undefined; + config.drmSystems = config.drmSystemOptions = {}; + // @ts-ignore + this.hls = this.onMediaEncrypted = this.onWaitingForKey = this.keyIdToKeySessionPromise = null; + // @ts-ignore + this.config = null; + }; + _proto.registerListeners = function registerListeners() { + this.hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + this.hls.on(Events.MEDIA_DETACHED, this.onMediaDetached, this); + this.hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + this.hls.on(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + this.hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + this.hls.off(Events.MEDIA_DETACHED, this.onMediaDetached, this); + this.hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + this.hls.off(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + }; + _proto.getLicenseServerUrl = function getLicenseServerUrl(keySystem) { + var _this$config = this.config, + drmSystems = _this$config.drmSystems, + widevineLicenseUrl = _this$config.widevineLicenseUrl; + var keySystemConfiguration = drmSystems[keySystem]; + if (keySystemConfiguration) { + return keySystemConfiguration.licenseUrl; + } + + // For backward compatibility + if (keySystem === KeySystems.WIDEVINE && widevineLicenseUrl) { + return widevineLicenseUrl; + } + throw new Error("no license server URL configured for key-system \"" + keySystem + "\""); + }; + _proto.getServerCertificateUrl = function getServerCertificateUrl(keySystem) { + var drmSystems = this.config.drmSystems; + var keySystemConfiguration = drmSystems[keySystem]; + if (keySystemConfiguration) { + return keySystemConfiguration.serverCertificateUrl; + } else { + this.log("No Server Certificate in config.drmSystems[\"" + keySystem + "\"]"); + } + }; + _proto.attemptKeySystemAccess = function attemptKeySystemAccess(keySystemsToAttempt) { + var _this = this; + var levels = this.hls.levels; + var uniqueCodec = function uniqueCodec(value, i, a) { + return !!value && a.indexOf(value) === i; + }; + var audioCodecs = levels.map(function (level) { + return level.audioCodec; + }).filter(uniqueCodec); + var videoCodecs = levels.map(function (level) { + return level.videoCodec; + }).filter(uniqueCodec); + if (audioCodecs.length + videoCodecs.length === 0) { + videoCodecs.push('avc1.42e01e'); + } + return new Promise(function (resolve, reject) { + var attempt = function attempt(keySystems) { + var keySystem = keySystems.shift(); + _this.getMediaKeysPromise(keySystem, audioCodecs, videoCodecs).then(function (mediaKeys) { + return resolve({ + keySystem: keySystem, + mediaKeys: mediaKeys + }); + }).catch(function (error) { + if (keySystems.length) { + attempt(keySystems); + } else if (error instanceof EMEKeyError) { + reject(error); + } else { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_NO_ACCESS, + error: error, + fatal: true + }, error.message)); + } + }); + }; + attempt(keySystemsToAttempt); + }); + }; + _proto.requestMediaKeySystemAccess = function requestMediaKeySystemAccess$1(keySystem, supportedConfigurations) { + var requestMediaKeySystemAccessFunc = this.config.requestMediaKeySystemAccessFunc; + if (!(typeof requestMediaKeySystemAccessFunc === 'function')) { + var errMessage = "Configured requestMediaKeySystemAccess is not a function " + requestMediaKeySystemAccessFunc; + if (requestMediaKeySystemAccess === null && self.location.protocol === 'http:') { + errMessage = "navigator.requestMediaKeySystemAccess is not available over insecure protocol " + location.protocol; + } + return Promise.reject(new Error(errMessage)); + } + return requestMediaKeySystemAccessFunc(keySystem, supportedConfigurations); + }; + _proto.getMediaKeysPromise = function getMediaKeysPromise(keySystem, audioCodecs, videoCodecs) { + var _this2 = this; + // This can throw, but is caught in event handler callpath + var mediaKeySystemConfigs = getSupportedMediaKeySystemConfigurations(keySystem, audioCodecs, videoCodecs, this.config.drmSystemOptions); + var keySystemAccessPromises = this.keySystemAccessPromises[keySystem]; + var keySystemAccess = keySystemAccessPromises == null ? void 0 : keySystemAccessPromises.keySystemAccess; + if (!keySystemAccess) { + this.log("Requesting encrypted media \"" + keySystem + "\" key-system access with config: " + JSON.stringify(mediaKeySystemConfigs)); + keySystemAccess = this.requestMediaKeySystemAccess(keySystem, mediaKeySystemConfigs); + var _keySystemAccessPromises = this.keySystemAccessPromises[keySystem] = { + keySystemAccess: keySystemAccess + }; + keySystemAccess.catch(function (error) { + _this2.log("Failed to obtain access to key-system \"" + keySystem + "\": " + error); + }); + return keySystemAccess.then(function (mediaKeySystemAccess) { + _this2.log("Access for key-system \"" + mediaKeySystemAccess.keySystem + "\" obtained"); + var certificateRequest = _this2.fetchServerCertificate(keySystem); + _this2.log("Create media-keys for \"" + keySystem + "\""); + _keySystemAccessPromises.mediaKeys = mediaKeySystemAccess.createMediaKeys().then(function (mediaKeys) { + _this2.log("Media-keys created for \"" + keySystem + "\""); + return certificateRequest.then(function (certificate) { + if (certificate) { + return _this2.setMediaKeysServerCertificate(mediaKeys, keySystem, certificate); + } + return mediaKeys; + }); + }); + _keySystemAccessPromises.mediaKeys.catch(function (error) { + _this2.error("Failed to create media-keys for \"" + keySystem + "\"}: " + error); + }); + return _keySystemAccessPromises.mediaKeys; + }); + } + return keySystemAccess.then(function () { + return keySystemAccessPromises.mediaKeys; + }); + }; + _proto.createMediaKeySessionContext = function createMediaKeySessionContext(_ref) { + var decryptdata = _ref.decryptdata, + keySystem = _ref.keySystem, + mediaKeys = _ref.mediaKeys; + this.log("Creating key-system session \"" + keySystem + "\" keyId: " + Hex.hexDump(decryptdata.keyId || [])); + var mediaKeysSession = mediaKeys.createSession(); + var mediaKeySessionContext = { + decryptdata: decryptdata, + keySystem: keySystem, + mediaKeys: mediaKeys, + mediaKeysSession: mediaKeysSession, + keyStatus: 'status-pending' + }; + this.mediaKeySessions.push(mediaKeySessionContext); + return mediaKeySessionContext; + }; + _proto.renewKeySession = function renewKeySession(mediaKeySessionContext) { + var decryptdata = mediaKeySessionContext.decryptdata; + if (decryptdata.pssh) { + var keySessionContext = this.createMediaKeySessionContext(mediaKeySessionContext); + var _keyId = this.getKeyIdString(decryptdata); + var scheme = 'cenc'; + this.keyIdToKeySessionPromise[_keyId] = this.generateRequestWithPreferredKeySession(keySessionContext, scheme, decryptdata.pssh, 'expired'); + } else { + this.warn("Could not renew expired session. Missing pssh initData."); + } + this.removeSession(mediaKeySessionContext); + }; + _proto.getKeyIdString = function getKeyIdString(decryptdata) { + if (!decryptdata) { + throw new Error('Could not read keyId of undefined decryptdata'); + } + if (decryptdata.keyId === null) { + throw new Error('keyId is null'); + } + return Hex.hexDump(decryptdata.keyId); + }; + _proto.updateKeySession = function updateKeySession(mediaKeySessionContext, data) { + var _mediaKeySessionConte; + var keySession = mediaKeySessionContext.mediaKeysSession; + this.log("Updating key-session \"" + keySession.sessionId + "\" for keyID " + Hex.hexDump(((_mediaKeySessionConte = mediaKeySessionContext.decryptdata) == null ? void 0 : _mediaKeySessionConte.keyId) || []) + "\n } (data length: " + (data ? data.byteLength : data) + ")"); + return keySession.update(data); + }; + _proto.selectKeySystemFormat = function selectKeySystemFormat(frag) { + var keyFormats = Object.keys(frag.levelkeys || {}); + if (!this.keyFormatPromise) { + this.log("Selecting key-system from fragment (sn: " + frag.sn + " " + frag.type + ": " + frag.level + ") key formats " + keyFormats.join(', ')); + this.keyFormatPromise = this.getKeyFormatPromise(keyFormats); + } + return this.keyFormatPromise; + }; + _proto.getKeyFormatPromise = function getKeyFormatPromise(keyFormats) { + var _this3 = this; + return new Promise(function (resolve, reject) { + var keySystemsInConfig = getKeySystemsForConfig(_this3.config); + var keySystemsToAttempt = keyFormats.map(keySystemFormatToKeySystemDomain).filter(function (value) { + return !!value && keySystemsInConfig.indexOf(value) !== -1; + }); + return _this3.getKeySystemSelectionPromise(keySystemsToAttempt).then(function (_ref2) { + var keySystem = _ref2.keySystem; + var keySystemFormat = keySystemDomainToKeySystemFormat(keySystem); + if (keySystemFormat) { + resolve(keySystemFormat); + } else { + reject(new Error("Unable to find format for key-system \"" + keySystem + "\"")); + } + }).catch(reject); + }); + }; + _proto.loadKey = function loadKey(data) { + var _this4 = this; + var decryptdata = data.keyInfo.decryptdata; + var keyId = this.getKeyIdString(decryptdata); + var keyDetails = "(keyId: " + keyId + " format: \"" + decryptdata.keyFormat + "\" method: " + decryptdata.method + " uri: " + decryptdata.uri + ")"; + this.log("Starting session for key " + keyDetails); + var keySessionContextPromise = this.keyIdToKeySessionPromise[keyId]; + if (!keySessionContextPromise) { + keySessionContextPromise = this.keyIdToKeySessionPromise[keyId] = this.getKeySystemForKeyPromise(decryptdata).then(function (_ref3) { + var keySystem = _ref3.keySystem, + mediaKeys = _ref3.mediaKeys; + _this4.throwIfDestroyed(); + _this4.log("Handle encrypted media sn: " + data.frag.sn + " " + data.frag.type + ": " + data.frag.level + " using key " + keyDetails); + return _this4.attemptSetMediaKeys(keySystem, mediaKeys).then(function () { + _this4.throwIfDestroyed(); + var keySessionContext = _this4.createMediaKeySessionContext({ + keySystem: keySystem, + mediaKeys: mediaKeys, + decryptdata: decryptdata + }); + var scheme = 'cenc'; + return _this4.generateRequestWithPreferredKeySession(keySessionContext, scheme, decryptdata.pssh, 'playlist-key'); + }); + }); + keySessionContextPromise.catch(function (error) { + return _this4.handleError(error); + }); + } + return keySessionContextPromise; + }; + _proto.throwIfDestroyed = function throwIfDestroyed(message) { + if (!this.hls) { + throw new Error('invalid state'); + } + }; + _proto.handleError = function handleError(error) { + if (!this.hls) { + return; + } + this.error(error.message); + if (error instanceof EMEKeyError) { + this.hls.trigger(Events.ERROR, error.data); + } else { + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_NO_KEYS, + error: error, + fatal: true + }); + } + }; + _proto.getKeySystemForKeyPromise = function getKeySystemForKeyPromise(decryptdata) { + var keyId = this.getKeyIdString(decryptdata); + var mediaKeySessionContext = this.keyIdToKeySessionPromise[keyId]; + if (!mediaKeySessionContext) { + var keySystem = keySystemFormatToKeySystemDomain(decryptdata.keyFormat); + var keySystemsToAttempt = keySystem ? [keySystem] : getKeySystemsForConfig(this.config); + return this.attemptKeySystemAccess(keySystemsToAttempt); + } + return mediaKeySessionContext; + }; + _proto.getKeySystemSelectionPromise = function getKeySystemSelectionPromise(keySystemsToAttempt) { + if (!keySystemsToAttempt.length) { + keySystemsToAttempt = getKeySystemsForConfig(this.config); + } + if (keySystemsToAttempt.length === 0) { + throw new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_NO_CONFIGURED_LICENSE, + fatal: true + }, "Missing key-system license configuration options " + JSON.stringify({ + drmSystems: this.config.drmSystems + })); + } + return this.attemptKeySystemAccess(keySystemsToAttempt); + }; + _proto._onMediaEncrypted = function _onMediaEncrypted(event) { + var _this5 = this; + var initDataType = event.initDataType, + initData = event.initData; + var logMessage = "\"" + event.type + "\" event: init data type: \"" + initDataType + "\""; + this.debug(logMessage); + + // Ignore event when initData is null + if (initData === null) { + return; + } + var keyId; + var keySystemDomain; + if (initDataType === 'sinf' && this.config.drmSystems[KeySystems.FAIRPLAY]) { + // Match sinf keyId to playlist skd://keyId= + var json = bin2str(new Uint8Array(initData)); + try { + var sinf = base64Decode(JSON.parse(json).sinf); + var tenc = parseSinf(new Uint8Array(sinf)); + if (!tenc) { + throw new Error("'schm' box missing or not cbcs/cenc with schi > tenc"); + } + keyId = tenc.subarray(8, 24); + keySystemDomain = KeySystems.FAIRPLAY; + } catch (error) { + this.warn(logMessage + " Failed to parse sinf: " + error); + return; + } + } else { + // Support Widevine clear-lead key-session creation (otherwise depend on playlist keys) + var psshResults = parseMultiPssh(initData); + var psshInfo = psshResults.filter(function (pssh) { + return pssh.systemId === KeySystemIds.WIDEVINE; + })[0]; + if (!psshInfo) { + if (psshResults.length === 0 || psshResults.some(function (pssh) { + return !pssh.systemId; + })) { + this.warn(logMessage + " contains incomplete or invalid pssh data"); + } else { + this.log("ignoring " + logMessage + " for " + psshResults.map(function (pssh) { + return keySystemIdToKeySystemDomain(pssh.systemId); + }).join(',') + " pssh data in favor of playlist keys"); + } + return; + } + keySystemDomain = keySystemIdToKeySystemDomain(psshInfo.systemId); + if (psshInfo.version === 0 && psshInfo.data) { + var offset = psshInfo.data.length - 22; + keyId = psshInfo.data.subarray(offset, offset + 16); + } + } + if (!keySystemDomain || !keyId) { + return; + } + var keyIdHex = Hex.hexDump(keyId); + var keyIdToKeySessionPromise = this.keyIdToKeySessionPromise, + mediaKeySessions = this.mediaKeySessions; + var keySessionContextPromise = keyIdToKeySessionPromise[keyIdHex]; + var _loop = function _loop() { + // Match playlist key + var keyContext = mediaKeySessions[i]; + var decryptdata = keyContext.decryptdata; + if (!decryptdata.keyId) { + return 0; // continue + } + var oldKeyIdHex = Hex.hexDump(decryptdata.keyId); + if (keyIdHex === oldKeyIdHex || decryptdata.uri.replace(/-/g, '').indexOf(keyIdHex) !== -1) { + keySessionContextPromise = keyIdToKeySessionPromise[oldKeyIdHex]; + if (decryptdata.pssh) { + return 1; // break + } + delete keyIdToKeySessionPromise[oldKeyIdHex]; + decryptdata.pssh = new Uint8Array(initData); + decryptdata.keyId = keyId; + keySessionContextPromise = keyIdToKeySessionPromise[keyIdHex] = keySessionContextPromise.then(function () { + return _this5.generateRequestWithPreferredKeySession(keyContext, initDataType, initData, 'encrypted-event-key-match'); + }); + return 1; // break + } + }, + _ret; + for (var i = 0; i < mediaKeySessions.length; i++) { + _ret = _loop(); + if (_ret === 0) continue; + if (_ret === 1) break; + } + if (!keySessionContextPromise) { + // Clear-lead key (not encountered in playlist) + keySessionContextPromise = keyIdToKeySessionPromise[keyIdHex] = this.getKeySystemSelectionPromise([keySystemDomain]).then(function (_ref4) { + var _keySystemToKeySystem; + var keySystem = _ref4.keySystem, + mediaKeys = _ref4.mediaKeys; + _this5.throwIfDestroyed(); + var decryptdata = new LevelKey('ISO-23001-7', keyIdHex, (_keySystemToKeySystem = keySystemDomainToKeySystemFormat(keySystem)) != null ? _keySystemToKeySystem : ''); + decryptdata.pssh = new Uint8Array(initData); + decryptdata.keyId = keyId; + return _this5.attemptSetMediaKeys(keySystem, mediaKeys).then(function () { + _this5.throwIfDestroyed(); + var keySessionContext = _this5.createMediaKeySessionContext({ + decryptdata: decryptdata, + keySystem: keySystem, + mediaKeys: mediaKeys + }); + return _this5.generateRequestWithPreferredKeySession(keySessionContext, initDataType, initData, 'encrypted-event-no-match'); + }); + }); + } + keySessionContextPromise.catch(function (error) { + return _this5.handleError(error); + }); + }; + _proto._onWaitingForKey = function _onWaitingForKey(event) { + this.log("\"" + event.type + "\" event"); + }; + _proto.attemptSetMediaKeys = function attemptSetMediaKeys(keySystem, mediaKeys) { + var _this6 = this; + var queue = this.setMediaKeysQueue.slice(); + this.log("Setting media-keys for \"" + keySystem + "\""); + // Only one setMediaKeys() can run at one time, and multiple setMediaKeys() operations + // can be queued for execution for multiple key sessions. + var setMediaKeysPromise = Promise.all(queue).then(function () { + if (!_this6.media) { + throw new Error('Attempted to set mediaKeys without media element attached'); + } + return _this6.media.setMediaKeys(mediaKeys); + }); + this.setMediaKeysQueue.push(setMediaKeysPromise); + return setMediaKeysPromise.then(function () { + _this6.log("Media-keys set for \"" + keySystem + "\""); + queue.push(setMediaKeysPromise); + _this6.setMediaKeysQueue = _this6.setMediaKeysQueue.filter(function (p) { + return queue.indexOf(p) === -1; + }); + }); + }; + _proto.generateRequestWithPreferredKeySession = function generateRequestWithPreferredKeySession(context, initDataType, initData, reason) { + var _this$config$drmSyste, + _this$config$drmSyste2, + _this7 = this; + var generateRequestFilter = (_this$config$drmSyste = this.config.drmSystems) == null ? void 0 : (_this$config$drmSyste2 = _this$config$drmSyste[context.keySystem]) == null ? void 0 : _this$config$drmSyste2.generateRequest; + if (generateRequestFilter) { + try { + var mappedInitData = generateRequestFilter.call(this.hls, initDataType, initData, context); + if (!mappedInitData) { + throw new Error('Invalid response from configured generateRequest filter'); + } + initDataType = mappedInitData.initDataType; + initData = context.decryptdata.pssh = mappedInitData.initData ? new Uint8Array(mappedInitData.initData) : null; + } catch (error) { + var _this$hls; + this.warn(error.message); + if ((_this$hls = this.hls) != null && _this$hls.config.debug) { + throw error; + } + } + } + if (initData === null) { + this.log("Skipping key-session request for \"" + reason + "\" (no initData)"); + return Promise.resolve(context); + } + var keyId = this.getKeyIdString(context.decryptdata); + this.log("Generating key-session request for \"" + reason + "\": " + keyId + " (init data type: " + initDataType + " length: " + (initData ? initData.byteLength : null) + ")"); + var licenseStatus = new EventEmitter(); + var onmessage = context._onmessage = function (event) { + var keySession = context.mediaKeysSession; + if (!keySession) { + licenseStatus.emit('error', new Error('invalid state')); + return; + } + var messageType = event.messageType, + message = event.message; + _this7.log("\"" + messageType + "\" message event for session \"" + keySession.sessionId + "\" message size: " + message.byteLength); + if (messageType === 'license-request' || messageType === 'license-renewal') { + _this7.renewLicense(context, message).catch(function (error) { + _this7.handleError(error); + licenseStatus.emit('error', error); + }); + } else if (messageType === 'license-release') { + if (context.keySystem === KeySystems.FAIRPLAY) { + _this7.updateKeySession(context, strToUtf8array('acknowledged')); + _this7.removeSession(context); + } + } else { + _this7.warn("unhandled media key message type \"" + messageType + "\""); + } + }; + var onkeystatuseschange = context._onkeystatuseschange = function (event) { + var keySession = context.mediaKeysSession; + if (!keySession) { + licenseStatus.emit('error', new Error('invalid state')); + return; + } + _this7.onKeyStatusChange(context); + var keyStatus = context.keyStatus; + licenseStatus.emit('keyStatus', keyStatus); + if (keyStatus === 'expired') { + _this7.warn(context.keySystem + " expired for key " + keyId); + _this7.renewKeySession(context); + } + }; + context.mediaKeysSession.addEventListener('message', onmessage); + context.mediaKeysSession.addEventListener('keystatuseschange', onkeystatuseschange); + var keyUsablePromise = new Promise(function (resolve, reject) { + licenseStatus.on('error', reject); + licenseStatus.on('keyStatus', function (keyStatus) { + if (keyStatus.startsWith('usable')) { + resolve(); + } else if (keyStatus === 'output-restricted') { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_STATUS_OUTPUT_RESTRICTED, + fatal: false + }, 'HDCP level output restricted')); + } else if (keyStatus === 'internal-error') { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_STATUS_INTERNAL_ERROR, + fatal: true + }, "key status changed to \"" + keyStatus + "\"")); + } else if (keyStatus === 'expired') { + reject(new Error('key expired while generating request')); + } else { + _this7.warn("unhandled key status change \"" + keyStatus + "\""); + } + }); + }); + return context.mediaKeysSession.generateRequest(initDataType, initData).then(function () { + var _context$mediaKeysSes; + _this7.log("Request generated for key-session \"" + ((_context$mediaKeysSes = context.mediaKeysSession) == null ? void 0 : _context$mediaKeysSes.sessionId) + "\" keyId: " + keyId); + }).catch(function (error) { + throw new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_NO_SESSION, + error: error, + fatal: false + }, "Error generating key-session request: " + error); + }).then(function () { + return keyUsablePromise; + }).catch(function (error) { + licenseStatus.removeAllListeners(); + _this7.removeSession(context); + throw error; + }).then(function () { + licenseStatus.removeAllListeners(); + return context; + }); + }; + _proto.onKeyStatusChange = function onKeyStatusChange(mediaKeySessionContext) { + var _this8 = this; + mediaKeySessionContext.mediaKeysSession.keyStatuses.forEach(function (status, keyId) { + _this8.log("key status change \"" + status + "\" for keyStatuses keyId: " + Hex.hexDump('buffer' in keyId ? new Uint8Array(keyId.buffer, keyId.byteOffset, keyId.byteLength) : new Uint8Array(keyId)) + " session keyId: " + Hex.hexDump(new Uint8Array(mediaKeySessionContext.decryptdata.keyId || [])) + " uri: " + mediaKeySessionContext.decryptdata.uri); + mediaKeySessionContext.keyStatus = status; + }); + }; + _proto.fetchServerCertificate = function fetchServerCertificate(keySystem) { + var config = this.config; + var Loader = config.loader; + var certLoader = new Loader(config); + var url = this.getServerCertificateUrl(keySystem); + if (!url) { + return Promise.resolve(); + } + this.log("Fetching server certificate for \"" + keySystem + "\""); + return new Promise(function (resolve, reject) { + var loaderContext = { + responseType: 'arraybuffer', + url: url + }; + var loadPolicy = config.certLoadPolicy.default; + var loaderConfig = { + loadPolicy: loadPolicy, + timeout: loadPolicy.maxLoadTimeMs, + maxRetry: 0, + retryDelay: 0, + maxRetryDelay: 0 + }; + var loaderCallbacks = { + onSuccess: function onSuccess(response, stats, context, networkDetails) { + resolve(response.data); + }, + onError: function onError(response, contex, networkDetails, stats) { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_SERVER_CERTIFICATE_REQUEST_FAILED, + fatal: true, + networkDetails: networkDetails, + response: _objectSpread2({ + url: loaderContext.url, + data: undefined + }, response) + }, "\"" + keySystem + "\" certificate request failed (" + url + "). Status: " + response.code + " (" + response.text + ")")); + }, + onTimeout: function onTimeout(stats, context, networkDetails) { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_SERVER_CERTIFICATE_REQUEST_FAILED, + fatal: true, + networkDetails: networkDetails, + response: { + url: loaderContext.url, + data: undefined + } + }, "\"" + keySystem + "\" certificate request timed out (" + url + ")")); + }, + onAbort: function onAbort(stats, context, networkDetails) { + reject(new Error('aborted')); + } + }; + certLoader.load(loaderContext, loaderConfig, loaderCallbacks); + }); + }; + _proto.setMediaKeysServerCertificate = function setMediaKeysServerCertificate(mediaKeys, keySystem, cert) { + var _this9 = this; + return new Promise(function (resolve, reject) { + mediaKeys.setServerCertificate(cert).then(function (success) { + _this9.log("setServerCertificate " + (success ? 'success' : 'not supported by CDM') + " (" + (cert == null ? void 0 : cert.byteLength) + ") on \"" + keySystem + "\""); + resolve(mediaKeys); + }).catch(function (error) { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_SERVER_CERTIFICATE_UPDATE_FAILED, + error: error, + fatal: true + }, error.message)); + }); + }); + }; + _proto.renewLicense = function renewLicense(context, keyMessage) { + var _this10 = this; + return this.requestLicense(context, new Uint8Array(keyMessage)).then(function (data) { + return _this10.updateKeySession(context, new Uint8Array(data)).catch(function (error) { + throw new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_SESSION_UPDATE_FAILED, + error: error, + fatal: true + }, error.message); + }); + }); + }; + _proto.unpackPlayReadyKeyMessage = function unpackPlayReadyKeyMessage(xhr, licenseChallenge) { + // On Edge, the raw license message is UTF-16-encoded XML. We need + // to unpack the Challenge element (base64-encoded string containing the + // actual license request) and any HttpHeader elements (sent as request + // headers). + // For PlayReady CDMs, we need to dig the Challenge out of the XML. + var xmlString = String.fromCharCode.apply(null, new Uint16Array(licenseChallenge.buffer)); + if (!xmlString.includes('PlayReadyKeyMessage')) { + // This does not appear to be a wrapped message as on Edge. Some + // clients do not need this unwrapping, so we will assume this is one of + // them. Note that "xml" at this point probably looks like random + // garbage, since we interpreted UTF-8 as UTF-16. + xhr.setRequestHeader('Content-Type', 'text/xml; charset=utf-8'); + return licenseChallenge; + } + var keyMessageXml = new DOMParser().parseFromString(xmlString, 'application/xml'); + // Set request headers. + var headers = keyMessageXml.querySelectorAll('HttpHeader'); + if (headers.length > 0) { + var header; + for (var i = 0, len = headers.length; i < len; i++) { + var _header$querySelector, _header$querySelector2; + header = headers[i]; + var name = (_header$querySelector = header.querySelector('name')) == null ? void 0 : _header$querySelector.textContent; + var _value = (_header$querySelector2 = header.querySelector('value')) == null ? void 0 : _header$querySelector2.textContent; + if (name && _value) { + xhr.setRequestHeader(name, _value); + } + } + } + var challengeElement = keyMessageXml.querySelector('Challenge'); + var challengeText = challengeElement == null ? void 0 : challengeElement.textContent; + if (!challengeText) { + throw new Error("Cannot find <Challenge> in key message"); + } + return strToUtf8array(atob(challengeText)); + }; + _proto.setupLicenseXHR = function setupLicenseXHR(xhr, url, keysListItem, licenseChallenge) { + var _this11 = this; + var licenseXhrSetup = this.config.licenseXhrSetup; + if (!licenseXhrSetup) { + xhr.open('POST', url, true); + return Promise.resolve({ + xhr: xhr, + licenseChallenge: licenseChallenge + }); + } + return Promise.resolve().then(function () { + if (!keysListItem.decryptdata) { + throw new Error('Key removed'); + } + return licenseXhrSetup.call(_this11.hls, xhr, url, keysListItem, licenseChallenge); + }).catch(function (error) { + if (!keysListItem.decryptdata) { + // Key session removed. Cancel license request. + throw error; + } + // let's try to open before running setup + xhr.open('POST', url, true); + return licenseXhrSetup.call(_this11.hls, xhr, url, keysListItem, licenseChallenge); + }).then(function (licenseXhrSetupResult) { + // if licenseXhrSetup did not yet call open, let's do it now + if (!xhr.readyState) { + xhr.open('POST', url, true); + } + var finalLicenseChallenge = licenseXhrSetupResult ? licenseXhrSetupResult : licenseChallenge; + return { + xhr: xhr, + licenseChallenge: finalLicenseChallenge + }; + }); + }; + _proto.requestLicense = function requestLicense(keySessionContext, licenseChallenge) { + var _this12 = this; + var keyLoadPolicy = this.config.keyLoadPolicy.default; + return new Promise(function (resolve, reject) { + var url = _this12.getLicenseServerUrl(keySessionContext.keySystem); + _this12.log("Sending license request to URL: " + url); + var xhr = new XMLHttpRequest(); + xhr.responseType = 'arraybuffer'; + xhr.onreadystatechange = function () { + if (!_this12.hls || !keySessionContext.mediaKeysSession) { + return reject(new Error('invalid state')); + } + if (xhr.readyState === 4) { + if (xhr.status === 200) { + _this12._requestLicenseFailureCount = 0; + var data = xhr.response; + _this12.log("License received " + (data instanceof ArrayBuffer ? data.byteLength : data)); + var licenseResponseCallback = _this12.config.licenseResponseCallback; + if (licenseResponseCallback) { + try { + data = licenseResponseCallback.call(_this12.hls, xhr, url, keySessionContext); + } catch (error) { + _this12.error(error); + } + } + resolve(data); + } else { + var retryConfig = keyLoadPolicy.errorRetry; + var maxNumRetry = retryConfig ? retryConfig.maxNumRetry : 0; + _this12._requestLicenseFailureCount++; + if (_this12._requestLicenseFailureCount > maxNumRetry || xhr.status >= 400 && xhr.status < 500) { + reject(new EMEKeyError({ + type: ErrorTypes.KEY_SYSTEM_ERROR, + details: ErrorDetails.KEY_SYSTEM_LICENSE_REQUEST_FAILED, + fatal: true, + networkDetails: xhr, + response: { + url: url, + data: undefined, + code: xhr.status, + text: xhr.statusText + } + }, "License Request XHR failed (" + url + "). Status: " + xhr.status + " (" + xhr.statusText + ")")); + } else { + var attemptsLeft = maxNumRetry - _this12._requestLicenseFailureCount + 1; + _this12.warn("Retrying license request, " + attemptsLeft + " attempts left"); + _this12.requestLicense(keySessionContext, licenseChallenge).then(resolve, reject); + } + } + } + }; + if (keySessionContext.licenseXhr && keySessionContext.licenseXhr.readyState !== XMLHttpRequest.DONE) { + keySessionContext.licenseXhr.abort(); + } + keySessionContext.licenseXhr = xhr; + _this12.setupLicenseXHR(xhr, url, keySessionContext, licenseChallenge).then(function (_ref5) { + var xhr = _ref5.xhr, + licenseChallenge = _ref5.licenseChallenge; + if (keySessionContext.keySystem == KeySystems.PLAYREADY) { + licenseChallenge = _this12.unpackPlayReadyKeyMessage(xhr, licenseChallenge); + } + xhr.send(licenseChallenge); + }); + }); + }; + _proto.onMediaAttached = function onMediaAttached(event, data) { + if (!this.config.emeEnabled) { + return; + } + var media = data.media; + + // keep reference of media + this.media = media; + media.addEventListener('encrypted', this.onMediaEncrypted); + media.addEventListener('waitingforkey', this.onWaitingForKey); + }; + _proto.onMediaDetached = function onMediaDetached() { + var _this13 = this; + var media = this.media; + var mediaKeysList = this.mediaKeySessions; + if (media) { + media.removeEventListener('encrypted', this.onMediaEncrypted); + media.removeEventListener('waitingforkey', this.onWaitingForKey); + this.media = null; + } + this._requestLicenseFailureCount = 0; + this.setMediaKeysQueue = []; + this.mediaKeySessions = []; + this.keyIdToKeySessionPromise = {}; + LevelKey.clearKeyUriToKeyIdMap(); + + // Close all sessions and remove media keys from the video element. + var keySessionCount = mediaKeysList.length; + EMEController.CDMCleanupPromise = Promise.all(mediaKeysList.map(function (mediaKeySessionContext) { + return _this13.removeSession(mediaKeySessionContext); + }).concat(media == null ? void 0 : media.setMediaKeys(null).catch(function (error) { + _this13.log("Could not clear media keys: " + error); + }))).then(function () { + if (keySessionCount) { + _this13.log('finished closing key sessions and clearing media keys'); + mediaKeysList.length = 0; + } + }).catch(function (error) { + _this13.log("Could not close sessions and clear media keys: " + error); + }); + }; + _proto.onManifestLoading = function onManifestLoading() { + this.keyFormatPromise = null; + }; + _proto.onManifestLoaded = function onManifestLoaded(event, _ref6) { + var sessionKeys = _ref6.sessionKeys; + if (!sessionKeys || !this.config.emeEnabled) { + return; + } + if (!this.keyFormatPromise) { + var keyFormats = sessionKeys.reduce(function (formats, sessionKey) { + if (formats.indexOf(sessionKey.keyFormat) === -1) { + formats.push(sessionKey.keyFormat); + } + return formats; + }, []); + this.log("Selecting key-system from session-keys " + keyFormats.join(', ')); + this.keyFormatPromise = this.getKeyFormatPromise(keyFormats); + } + }; + _proto.removeSession = function removeSession(mediaKeySessionContext) { + var _this14 = this; + var mediaKeysSession = mediaKeySessionContext.mediaKeysSession, + licenseXhr = mediaKeySessionContext.licenseXhr; + if (mediaKeysSession) { + this.log("Remove licenses and keys and close session " + mediaKeysSession.sessionId); + if (mediaKeySessionContext._onmessage) { + mediaKeysSession.removeEventListener('message', mediaKeySessionContext._onmessage); + mediaKeySessionContext._onmessage = undefined; + } + if (mediaKeySessionContext._onkeystatuseschange) { + mediaKeysSession.removeEventListener('keystatuseschange', mediaKeySessionContext._onkeystatuseschange); + mediaKeySessionContext._onkeystatuseschange = undefined; + } + if (licenseXhr && licenseXhr.readyState !== XMLHttpRequest.DONE) { + licenseXhr.abort(); + } + mediaKeySessionContext.mediaKeysSession = mediaKeySessionContext.decryptdata = mediaKeySessionContext.licenseXhr = undefined; + var index = this.mediaKeySessions.indexOf(mediaKeySessionContext); + if (index > -1) { + this.mediaKeySessions.splice(index, 1); + } + return mediaKeysSession.remove().catch(function (error) { + _this14.log("Could not remove session: " + error); + }).then(function () { + return mediaKeysSession.close(); + }).catch(function (error) { + _this14.log("Could not close session: " + error); + }); + } + }; + return EMEController; + }(); + EMEController.CDMCleanupPromise = void 0; + var EMEKeyError = /*#__PURE__*/function (_Error) { + _inheritsLoose(EMEKeyError, _Error); + function EMEKeyError(data, message) { + var _this15; + _this15 = _Error.call(this, message) || this; + _this15.data = void 0; + data.error || (data.error = new Error(message)); + _this15.data = data; + data.err = data.error; + return _this15; + } + return EMEKeyError; + }( /*#__PURE__*/_wrapNativeSuper(Error)); + + /** + * Common Media Object Type + * + * @group CMCD + * @group CMSD + * + * @beta + */ + var CmObjectType; + (function (CmObjectType) { + /** + * text file, such as a manifest or playlist + */ + CmObjectType["MANIFEST"] = "m"; + /** + * audio only + */ + CmObjectType["AUDIO"] = "a"; + /** + * video only + */ + CmObjectType["VIDEO"] = "v"; + /** + * muxed audio and video + */ + CmObjectType["MUXED"] = "av"; + /** + * init segment + */ + CmObjectType["INIT"] = "i"; + /** + * caption or subtitle + */ + CmObjectType["CAPTION"] = "c"; + /** + * ISOBMFF timed text track + */ + CmObjectType["TIMED_TEXT"] = "tt"; + /** + * cryptographic key, license or certificate. + */ + CmObjectType["KEY"] = "k"; + /** + * other + */ + CmObjectType["OTHER"] = "o"; + })(CmObjectType || (CmObjectType = {})); + + /** + * Common Media Streaming Format + * + * @group CMCD + * @group CMSD + * + * @beta + */ + var CmStreamingFormat; + (function (CmStreamingFormat) { + /** + * MPEG DASH + */ + CmStreamingFormat["DASH"] = "d"; + /** + * HTTP Live Streaming (HLS) + */ + CmStreamingFormat["HLS"] = "h"; + /** + * Smooth Streaming + */ + CmStreamingFormat["SMOOTH"] = "s"; + /** + * Other + */ + CmStreamingFormat["OTHER"] = "o"; + })(CmStreamingFormat || (CmStreamingFormat = {})); + + /** + * CMCD header fields. + * + * @group CMCD + * + * @beta + */ + var CmcdHeaderField; + (function (CmcdHeaderField) { + /** + * keys whose values vary with the object being requested. + */ + CmcdHeaderField["OBJECT"] = "CMCD-Object"; + /** + * keys whose values vary with each request. + */ + CmcdHeaderField["REQUEST"] = "CMCD-Request"; + /** + * keys whose values are expected to be invariant over the life of the session. + */ + CmcdHeaderField["SESSION"] = "CMCD-Session"; + /** + * keys whose values do not vary with every request or object. + */ + CmcdHeaderField["STATUS"] = "CMCD-Status"; + })(CmcdHeaderField || (CmcdHeaderField = {})); + + var _CmcdHeaderMap; + /** + * The map of CMCD header fields to official CMCD keys. + * + * @internal + * + * @group CMCD + */ + var CmcdHeaderMap = (_CmcdHeaderMap = {}, _CmcdHeaderMap[CmcdHeaderField.OBJECT] = ['br', 'd', 'ot', 'tb'], _CmcdHeaderMap[CmcdHeaderField.REQUEST] = ['bl', 'dl', 'mtp', 'nor', 'nrr', 'su'], _CmcdHeaderMap[CmcdHeaderField.SESSION] = ['cid', 'pr', 'sf', 'sid', 'st', 'v'], _CmcdHeaderMap[CmcdHeaderField.STATUS] = ['bs', 'rtp'], _CmcdHeaderMap); + + /** + * Structured Field Item + * + * @group Structured Field + * + * @beta + */ + var SfItem = function SfItem(value, params) { + this.value = void 0; + this.params = void 0; + if (Array.isArray(value)) { + value = value.map(function (v) { + return v instanceof SfItem ? v : new SfItem(v); + }); + } + this.value = value; + this.params = params; + }; + + /** + * A class to represent structured field tokens when `Symbol` is not available. + * + * @group Structured Field + * + * @beta + */ + var SfToken = function SfToken(description) { + this.description = void 0; + this.description = description; + }; + + var DICT = 'Dict'; + + function format(value) { + if (Array.isArray(value)) { + return JSON.stringify(value); + } + if (value instanceof Map) { + return 'Map{}'; + } + if (value instanceof Set) { + return 'Set{}'; + } + if (typeof value === 'object') { + return JSON.stringify(value); + } + return String(value); + } + function throwError(action, src, type, cause) { + return new Error("failed to " + action + " \"" + format(src) + "\" as " + type, { + cause: cause + }); + } + + var BARE_ITEM = 'Bare Item'; + + var BOOLEAN = 'Boolean'; + + var BYTES = 'Byte Sequence'; + + var DECIMAL = 'Decimal'; + + var INTEGER = 'Integer'; + + function isInvalidInt(value) { + return value < -999999999999999 || 999999999999999 < value; + } + + var STRING_REGEX = /[\x00-\x1f\x7f]+/; // eslint-disable-line no-control-regex + + var TOKEN = 'Token'; + + var KEY = 'Key'; + + function serializeError(src, type, cause) { + return throwError('serialize', src, type, cause); + } + + // 4.1.9. Serializing a Boolean + // + // Given a Boolean as input_boolean, return an ASCII string suitable for + // use in a HTTP field value. + // + // 1. If input_boolean is not a boolean, fail serialization. + // + // 2. Let output be an empty string. + // + // 3. Append "?" to output. + // + // 4. If input_boolean is true, append "1" to output. + // + // 5. If input_boolean is false, append "0" to output. + // + // 6. Return output. + function serializeBoolean(value) { + if (typeof value !== 'boolean') { + throw serializeError(value, BOOLEAN); + } + return value ? '?1' : '?0'; + } + + /** + * Encodes binary data to base64 + * + * @param binary - The binary data to encode + * @returns The base64 encoded string + * + * @group Utils + * + * @beta + */ + function base64encode(binary) { + return btoa(String.fromCharCode.apply(String, binary)); + } + + // 4.1.8. Serializing a Byte Sequence + // + // Given a Byte Sequence as input_bytes, return an ASCII string suitable + // for use in a HTTP field value. + // + // 1. If input_bytes is not a sequence of bytes, fail serialization. + // + // 2. Let output be an empty string. + // + // 3. Append ":" to output. + // + // 4. Append the result of base64-encoding input_bytes as per + // [RFC4648], Section 4, taking account of the requirements below. + // + // 5. Append ":" to output. + // + // 6. Return output. + // + // The encoded data is required to be padded with "=", as per [RFC4648], + // Section 3.2. + // + // Likewise, encoded data SHOULD have pad bits set to zero, as per + // [RFC4648], Section 3.5, unless it is not possible to do so due to + // implementation constraints. + function serializeByteSequence(value) { + if (ArrayBuffer.isView(value) === false) { + throw serializeError(value, BYTES); + } + return ":" + base64encode(value) + ":"; + } + + // 4.1.4. Serializing an Integer + // + // Given an Integer as input_integer, return an ASCII string suitable + // for use in a HTTP field value. + // + // 1. If input_integer is not an integer in the range of + // -999,999,999,999,999 to 999,999,999,999,999 inclusive, fail + // serialization. + // + // 2. Let output be an empty string. + // + // 3. If input_integer is less than (but not equal to) 0, append "-" to + // output. + // + // 4. Append input_integer's numeric value represented in base 10 using + // only decimal digits to output. + // + // 5. Return output. + function serializeInteger(value) { + if (isInvalidInt(value)) { + throw serializeError(value, INTEGER); + } + return value.toString(); + } + + // 4.1.10. Serializing a Date + // + // Given a Date as input_integer, return an ASCII string suitable for + // use in an HTTP field value. + // 1. Let output be "@". + // 2. Append to output the result of running Serializing an Integer + // with input_date (Section 4.1.4). + // 3. Return output. + function serializeDate(value) { + return "@" + serializeInteger(value.getTime() / 1000); + } + + /** + * This implements the rounding procedure described in step 2 of the "Serializing a Decimal" specification. + * This rounding style is known as "even rounding", "banker's rounding", or "commercial rounding". + * + * @param value - The value to round + * @param precision - The number of decimal places to round to + * @returns The rounded value + * + * @group Utils + * + * @beta + */ + function roundToEven(value, precision) { + if (value < 0) { + return -roundToEven(-value, precision); + } + var decimalShift = Math.pow(10, precision); + var isEquidistant = Math.abs(value * decimalShift % 1 - 0.5) < Number.EPSILON; + if (isEquidistant) { + // If the tail of the decimal place is 'equidistant' we round to the nearest even value + var flooredValue = Math.floor(value * decimalShift); + return (flooredValue % 2 === 0 ? flooredValue : flooredValue + 1) / decimalShift; + } else { + // Otherwise, proceed as normal + return Math.round(value * decimalShift) / decimalShift; + } + } + + // 4.1.5. Serializing a Decimal + // + // Given a decimal number as input_decimal, return an ASCII string + // suitable for use in a HTTP field value. + // + // 1. If input_decimal is not a decimal number, fail serialization. + // + // 2. If input_decimal has more than three significant digits to the + // right of the decimal point, round it to three decimal places, + // rounding the final digit to the nearest value, or to the even + // value if it is equidistant. + // + // 3. If input_decimal has more than 12 significant digits to the left + // of the decimal point after rounding, fail serialization. + // + // 4. Let output be an empty string. + // + // 5. If input_decimal is less than (but not equal to) 0, append "-" + // to output. + // + // 6. Append input_decimal's integer component represented in base 10 + // (using only decimal digits) to output; if it is zero, append + // "0". + // + // 7. Append "." to output. + // + // 8. If input_decimal's fractional component is zero, append "0" to + // output. + // + // 9. Otherwise, append the significant digits of input_decimal's + // fractional component represented in base 10 (using only decimal + // digits) to output. + // + // 10. Return output. + function serializeDecimal(value) { + var roundedValue = roundToEven(value, 3); // round to 3 decimal places + if (Math.floor(Math.abs(roundedValue)).toString().length > 12) { + throw serializeError(value, DECIMAL); + } + var stringValue = roundedValue.toString(); + return stringValue.includes('.') ? stringValue : stringValue + ".0"; + } + + var STRING = 'String'; + + // 4.1.6. Serializing a String + // + // Given a String as input_string, return an ASCII string suitable for + // use in a HTTP field value. + // + // 1. Convert input_string into a sequence of ASCII characters; if + // conversion fails, fail serialization. + // + // 2. If input_string contains characters in the range %x00-1f or %x7f + // (i.e., not in VCHAR or SP), fail serialization. + // + // 3. Let output be the string DQUOTE. + // + // 4. For each character char in input_string: + // + // 1. If char is "\" or DQUOTE: + // + // 1. Append "\" to output. + // + // 2. Append char to output. + // + // 5. Append DQUOTE to output. + // + // 6. Return output. + function serializeString(value) { + if (STRING_REGEX.test(value)) { + throw serializeError(value, STRING); + } + return "\"" + value.replace(/\\/g, "\\\\").replace(/"/g, "\\\"") + "\""; + } + + function symbolToStr(symbol) { + return symbol.description || symbol.toString().slice(7, -1); + } + + function serializeToken(token) { + var value = symbolToStr(token); + if (/^([a-zA-Z*])([!#$%&'*+\-.^_`|~\w:/]*)$/.test(value) === false) { + throw serializeError(value, TOKEN); + } + return value; + } + + // 4.1.3.1. Serializing a Bare Item + // + // Given an Item as input_item, return an ASCII string suitable for use + // in a HTTP field value. + // + // 1. If input_item is an Integer, return the result of running + // Serializing an Integer (Section 4.1.4) with input_item. + // + // 2. If input_item is a Decimal, return the result of running + // Serializing a Decimal (Section 4.1.5) with input_item. + // + // 3. If input_item is a String, return the result of running + // Serializing a String (Section 4.1.6) with input_item. + // + // 4. If input_item is a Token, return the result of running + // Serializing a Token (Section 4.1.7) with input_item. + // + // 5. If input_item is a Boolean, return the result of running + // Serializing a Boolean (Section 4.1.9) with input_item. + // + // 6. If input_item is a Byte Sequence, return the result of running + // Serializing a Byte Sequence (Section 4.1.8) with input_item. + // + // 7. If input_item is a Date, return the result of running Serializing + // a Date (Section 4.1.10) with input_item. + // + // 8. Otherwise, fail serialization. + function serializeBareItem(value) { + switch (typeof value) { + case 'number': + if (!isFiniteNumber(value)) { + throw serializeError(value, BARE_ITEM); + } + if (Number.isInteger(value)) { + return serializeInteger(value); + } + return serializeDecimal(value); + case 'string': + return serializeString(value); + case 'symbol': + return serializeToken(value); + case 'boolean': + return serializeBoolean(value); + case 'object': + if (value instanceof Date) { + return serializeDate(value); + } + if (value instanceof Uint8Array) { + return serializeByteSequence(value); + } + if (value instanceof SfToken) { + return serializeToken(value); + } + default: + // fail + throw serializeError(value, BARE_ITEM); + } + } + + // 4.1.1.3. Serializing a Key + // + // Given a key as input_key, return an ASCII string suitable for use in + // a HTTP field value. + // + // 1. Convert input_key into a sequence of ASCII characters; if + // conversion fails, fail serialization. + // + // 2. If input_key contains characters not in lcalpha, DIGIT, "_", "-", + // ".", or "*" fail serialization. + // + // 3. If the first character of input_key is not lcalpha or "*", fail + // serialization. + // + // 4. Let output be an empty string. + // + // 5. Append input_key to output. + // + // 6. Return output. + function serializeKey(value) { + if (/^[a-z*][a-z0-9\-_.*]*$/.test(value) === false) { + throw serializeError(value, KEY); + } + return value; + } + + // 4.1.1.2. Serializing Parameters + // + // Given an ordered Dictionary as input_parameters (each member having a + // param_name and a param_value), return an ASCII string suitable for + // use in a HTTP field value. + // + // 1. Let output be an empty string. + // + // 2. For each param_name with a value of param_value in + // input_parameters: + // + // 1. Append ";" to output. + // + // 2. Append the result of running Serializing a Key + // (Section 4.1.1.3) with param_name to output. + // + // 3. If param_value is not Boolean true: + // + // 1. Append "=" to output. + // + // 2. Append the result of running Serializing a bare Item + // (Section 4.1.3.1) with param_value to output. + // + // 3. Return output. + function serializeParams(params) { + if (params == null) { + return ''; + } + return Object.entries(params).map(function (_ref) { + var key = _ref[0], + value = _ref[1]; + if (value === true) { + return ";" + serializeKey(key); // omit true + } + return ";" + serializeKey(key) + "=" + serializeBareItem(value); + }).join(''); + } + + // 4.1.3. Serializing an Item + // + // Given an Item as bare_item and Parameters as item_parameters, return + // an ASCII string suitable for use in a HTTP field value. + // + // 1. Let output be an empty string. + // + // 2. Append the result of running Serializing a Bare Item + // Section 4.1.3.1 with bare_item to output. + // + // 3. Append the result of running Serializing Parameters + // Section 4.1.1.2 with item_parameters to output. + // + // 4. Return output. + function serializeItem(value) { + if (value instanceof SfItem) { + return "" + serializeBareItem(value.value) + serializeParams(value.params); + } else { + return serializeBareItem(value); + } + } + + // 4.1.1.1. Serializing an Inner List + // + // Given an array of (member_value, parameters) tuples as inner_list, + // and parameters as list_parameters, return an ASCII string suitable + // for use in a HTTP field value. + // + // 1. Let output be the string "(". + // + // 2. For each (member_value, parameters) of inner_list: + // + // 1. Append the result of running Serializing an Item + // (Section 4.1.3) with (member_value, parameters) to output. + // + // 2. If more values remain in inner_list, append a single SP to + // output. + // + // 3. Append ")" to output. + // + // 4. Append the result of running Serializing Parameters + // (Section 4.1.1.2) with list_parameters to output. + // + // 5. Return output. + function serializeInnerList(value) { + return "(" + value.value.map(serializeItem).join(' ') + ")" + serializeParams(value.params); + } + + // 4.1.2. Serializing a Dictionary + // + // Given an ordered Dictionary as input_dictionary (each member having a + // member_name and a tuple value of (member_value, parameters)), return + // an ASCII string suitable for use in a HTTP field value. + // + // 1. Let output be an empty string. + // + // 2. For each member_name with a value of (member_value, parameters) + // in input_dictionary: + // + // 1. Append the result of running Serializing a Key + // (Section 4.1.1.3) with member's member_name to output. + // + // 2. If member_value is Boolean true: + // + // 1. Append the result of running Serializing Parameters + // (Section 4.1.1.2) with parameters to output. + // + // 3. Otherwise: + // + // 1. Append "=" to output. + // + // 2. If member_value is an array, append the result of running + // Serializing an Inner List (Section 4.1.1.1) with + // (member_value, parameters) to output. + // + // 3. Otherwise, append the result of running Serializing an + // Item (Section 4.1.3) with (member_value, parameters) to + // output. + // + // 4. If more members remain in input_dictionary: + // + // 1. Append "," to output. + // + // 2. Append a single SP to output. + // + // 3. Return output. + function serializeDict(dict, options) { + var _options; + if (options === void 0) { + options = { + whitespace: true + }; + } + if (typeof dict !== 'object') { + throw serializeError(dict, DICT); + } + var entries = dict instanceof Map ? dict.entries() : Object.entries(dict); + var optionalWhiteSpace = (_options = options) != null && _options.whitespace ? ' ' : ''; + return Array.from(entries).map(function (_ref) { + var key = _ref[0], + item = _ref[1]; + if (item instanceof SfItem === false) { + item = new SfItem(item); + } + var output = serializeKey(key); + if (item.value === true) { + output += serializeParams(item.params); + } else { + output += '='; + if (Array.isArray(item.value)) { + output += serializeInnerList(item); + } else { + output += serializeItem(item); + } + } + return output; + }).join("," + optionalWhiteSpace); + } + + /** + * Encode an object into a structured field dictionary + * + * @param input - The structured field dictionary to encode + * @returns The structured field string + * + * @group Structured Field + * + * @beta + */ + function encodeSfDict(value, options) { + return serializeDict(value, options); + } + + /** + * Checks if the given key is a token field. + * + * @param key - The key to check. + * + * @returns `true` if the key is a token field. + * + * @internal + * + * @group CMCD + */ + var isTokenField = function isTokenField(key) { + return key === 'ot' || key === 'sf' || key === 'st'; + }; + + var isValid = function isValid(value) { + if (typeof value === 'number') { + return isFiniteNumber(value); + } + return value != null && value !== '' && value !== false; + }; + + /** + * Constructs a relative path from a URL. + * + * @param url - The destination URL + * @param base - The base URL + * @returns The relative path + * + * @group Utils + * + * @beta + */ + function urlToRelativePath(url, base) { + var to = new URL(url); + var from = new URL(base); + if (to.origin !== from.origin) { + return url; + } + var toPath = to.pathname.split('/').slice(1); + var fromPath = from.pathname.split('/').slice(1, -1); + // remove common parents + while (toPath[0] === fromPath[0]) { + toPath.shift(); + fromPath.shift(); + } + // add back paths + while (fromPath.length) { + fromPath.shift(); + toPath.unshift('..'); + } + return toPath.join('/'); + } + + /** + * Generate a random v4 UUID + * + * @returns A random v4 UUID + * + * @group Utils + * + * @beta + */ + function uuid() { + try { + return crypto.randomUUID(); + } catch (error) { + try { + var url = URL.createObjectURL(new Blob()); + var _uuid = url.toString(); + URL.revokeObjectURL(url); + return _uuid.slice(_uuid.lastIndexOf('/') + 1); + } catch (error) { + var dt = new Date().getTime(); + var _uuid2 = 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function (c) { + var r = (dt + Math.random() * 16) % 16 | 0; + dt = Math.floor(dt / 16); + return (c == 'x' ? r : r & 0x3 | 0x8).toString(16); + }); + return _uuid2; + } + } + } + + var toRounded = function toRounded(value) { + return Math.round(value); + }; + var toUrlSafe = function toUrlSafe(value, options) { + if (options != null && options.baseUrl) { + value = urlToRelativePath(value, options.baseUrl); + } + return encodeURIComponent(value); + }; + var toHundred = function toHundred(value) { + return toRounded(value / 100) * 100; + }; + /** + * The default formatters for CMCD values. + * + * @group CMCD + * + * @beta + */ + var CmcdFormatters = { + /** + * Bitrate (kbps) rounded integer + */ + br: toRounded, + /** + * Duration (milliseconds) rounded integer + */ + d: toRounded, + /** + * Buffer Length (milliseconds) rounded nearest 100ms + */ + bl: toHundred, + /** + * Deadline (milliseconds) rounded nearest 100ms + */ + dl: toHundred, + /** + * Measured Throughput (kbps) rounded nearest 100kbps + */ + mtp: toHundred, + /** + * Next Object Request URL encoded + */ + nor: toUrlSafe, + /** + * Requested maximum throughput (kbps) rounded nearest 100kbps + */ + rtp: toHundred, + /** + * Top Bitrate (kbps) rounded integer + */ + tb: toRounded + }; + + /** + * Internal CMCD processing function. + * + * @param obj - The CMCD object to process. + * @param map - The mapping function to use. + * @param options - Options for encoding. + * + * @internal + * + * @group CMCD + */ + function processCmcd(obj, options) { + var results = {}; + if (obj == null || typeof obj !== 'object') { + return results; + } + var keys = Object.keys(obj).sort(); + var formatters = _extends({}, CmcdFormatters, options == null ? void 0 : options.formatters); + var filter = options == null ? void 0 : options.filter; + keys.forEach(function (key) { + if (filter != null && filter(key)) { + return; + } + var value = obj[key]; + var formatter = formatters[key]; + if (formatter) { + value = formatter(value, options); + } + // Version should only be reported if not equal to 1. + if (key === 'v' && value === 1) { + return; + } + // Playback rate should only be sent if not equal to 1. + if (key == 'pr' && value === 1) { + return; + } + // ignore invalid values + if (!isValid(value)) { + return; + } + if (isTokenField(key) && typeof value === 'string') { + value = new SfToken(value); + } + results[key] = value; + }); + return results; + } + + /** + * Encode a CMCD object to a string. + * + * @param cmcd - The CMCD object to encode. + * @param options - Options for encoding. + * + * @returns The encoded CMCD string. + * + * @group CMCD + * + * @beta + */ + function encodeCmcd(cmcd, options) { + if (options === void 0) { + options = {}; + } + if (!cmcd) { + return ''; + } + return encodeSfDict(processCmcd(cmcd, options), _extends({ + whitespace: false + }, options)); + } + + /** + * Convert a CMCD data object to request headers + * + * @param cmcd - The CMCD data object to convert. + * @param options - Options for encoding the CMCD object. + * + * @returns The CMCD header shards. + * + * @group CMCD + * + * @beta + */ + function toCmcdHeaders(cmcd, options) { + var _options; + if (options === void 0) { + options = {}; + } + if (!cmcd) { + return {}; + } + var entries = Object.entries(cmcd); + var headerMap = Object.entries(CmcdHeaderMap).concat(Object.entries(((_options = options) == null ? void 0 : _options.customHeaderMap) || {})); + var shards = entries.reduce(function (acc, entry) { + var _headerMap$find, _acc$field; + var key = entry[0], + value = entry[1]; + var field = ((_headerMap$find = headerMap.find(function (entry) { + return entry[1].includes(key); + })) == null ? void 0 : _headerMap$find[0]) || CmcdHeaderField.REQUEST; + (_acc$field = acc[field]) != null ? _acc$field : acc[field] = {}; + acc[field][key] = value; + return acc; + }, {}); + return Object.entries(shards).reduce(function (acc, _ref) { + var field = _ref[0], + value = _ref[1]; + acc[field] = encodeCmcd(value, options); + return acc; + }, {}); + } + + /** + * Append CMCD query args to a header object. + * + * @param headers - The headers to append to. + * @param cmcd - The CMCD object to append. + * @param customHeaderMap - A map of custom CMCD keys to header fields. + * + * @returns The headers with the CMCD header shards appended. + * + * @group CMCD + * + * @beta + */ + function appendCmcdHeaders(headers, cmcd, options) { + return _extends(headers, toCmcdHeaders(cmcd, options)); + } + + /** + * CMCD parameter name. + * + * @group CMCD + * + * @beta + */ + var CMCD_PARAM = 'CMCD'; + + /** + * Convert a CMCD data object to a query arg. + * + * @param cmcd - The CMCD object to convert. + * @param options - Options for encoding the CMCD object. + * + * @returns The CMCD query arg. + * + * @group CMCD + * + * @beta + */ + function toCmcdQuery(cmcd, options) { + if (options === void 0) { + options = {}; + } + if (!cmcd) { + return ''; + } + var params = encodeCmcd(cmcd, options); + return CMCD_PARAM + "=" + encodeURIComponent(params); + } + + var REGEX = /CMCD=[^&#]+/; + /** + * Append CMCD query args to a URL. + * + * @param url - The URL to append to. + * @param cmcd - The CMCD object to append. + * @param options - Options for encoding the CMCD object. + * + * @returns The URL with the CMCD query args appended. + * + * @group CMCD + * + * @beta + */ + function appendCmcdQuery(url, cmcd, options) { + // TODO: Replace with URLSearchParams once we drop Safari < 10.1 & Chrome < 49 support. + // https://developer.mozilla.org/en-US/docs/Web/API/URLSearchParams + var query = toCmcdQuery(cmcd, options); + if (!query) { + return url; + } + if (REGEX.test(url)) { + return url.replace(REGEX, query); + } + var separator = url.includes('?') ? '&' : '?'; + return "" + url + separator + query; + } + + /** + * Controller to deal with Common Media Client Data (CMCD) + * @see https://cdn.cta.tech/cta/media/media/resources/standards/pdfs/cta-5004-final.pdf + */ + var CMCDController = /*#__PURE__*/function () { + // eslint-disable-line no-restricted-globals + + function CMCDController(hls) { + var _this = this; + this.hls = void 0; + this.config = void 0; + this.media = void 0; + this.sid = void 0; + this.cid = void 0; + this.useHeaders = false; + this.includeKeys = void 0; + this.initialized = false; + this.starved = false; + this.buffering = true; + this.audioBuffer = void 0; + // eslint-disable-line no-restricted-globals + this.videoBuffer = void 0; + this.onWaiting = function () { + if (_this.initialized) { + _this.starved = true; + } + _this.buffering = true; + }; + this.onPlaying = function () { + if (!_this.initialized) { + _this.initialized = true; + } + _this.buffering = false; + }; + /** + * Apply CMCD data to a manifest request. + */ + this.applyPlaylistData = function (context) { + try { + _this.apply(context, { + ot: CmObjectType.MANIFEST, + su: !_this.initialized + }); + } catch (error) { + logger.warn('Could not generate manifest CMCD data.', error); + } + }; + /** + * Apply CMCD data to a segment request + */ + this.applyFragmentData = function (context) { + try { + var fragment = context.frag; + var level = _this.hls.levels[fragment.level]; + var ot = _this.getObjectType(fragment); + var data = { + d: fragment.duration * 1000, + ot: ot + }; + if (ot === CmObjectType.VIDEO || ot === CmObjectType.AUDIO || ot == CmObjectType.MUXED) { + data.br = level.bitrate / 1000; + data.tb = _this.getTopBandwidth(ot) / 1000; + data.bl = _this.getBufferLength(ot); + } + _this.apply(context, data); + } catch (error) { + logger.warn('Could not generate segment CMCD data.', error); + } + }; + this.hls = hls; + var config = this.config = hls.config; + var cmcd = config.cmcd; + if (cmcd != null) { + config.pLoader = this.createPlaylistLoader(); + config.fLoader = this.createFragmentLoader(); + this.sid = cmcd.sessionId || uuid(); + this.cid = cmcd.contentId; + this.useHeaders = cmcd.useHeaders === true; + this.includeKeys = cmcd.includeKeys; + this.registerListeners(); + } + } + var _proto = CMCDController.prototype; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.on(Events.MEDIA_DETACHED, this.onMediaDetached, this); + hls.on(Events.BUFFER_CREATED, this.onBufferCreated, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.off(Events.MEDIA_DETACHED, this.onMediaDetached, this); + hls.off(Events.BUFFER_CREATED, this.onBufferCreated, this); + }; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.onMediaDetached(); + + // @ts-ignore + this.hls = this.config = this.audioBuffer = this.videoBuffer = null; + // @ts-ignore + this.onWaiting = this.onPlaying = null; + }; + _proto.onMediaAttached = function onMediaAttached(event, data) { + this.media = data.media; + this.media.addEventListener('waiting', this.onWaiting); + this.media.addEventListener('playing', this.onPlaying); + }; + _proto.onMediaDetached = function onMediaDetached() { + if (!this.media) { + return; + } + this.media.removeEventListener('waiting', this.onWaiting); + this.media.removeEventListener('playing', this.onPlaying); + + // @ts-ignore + this.media = null; + }; + _proto.onBufferCreated = function onBufferCreated(event, data) { + var _data$tracks$audio, _data$tracks$video; + this.audioBuffer = (_data$tracks$audio = data.tracks.audio) == null ? void 0 : _data$tracks$audio.buffer; + this.videoBuffer = (_data$tracks$video = data.tracks.video) == null ? void 0 : _data$tracks$video.buffer; + }; + /** + * Create baseline CMCD data + */ + _proto.createData = function createData() { + var _this$media; + return { + v: 1, + sf: CmStreamingFormat.HLS, + sid: this.sid, + cid: this.cid, + pr: (_this$media = this.media) == null ? void 0 : _this$media.playbackRate, + mtp: this.hls.bandwidthEstimate / 1000 + }; + } + + /** + * Apply CMCD data to a request. + */; + _proto.apply = function apply(context, data) { + if (data === void 0) { + data = {}; + } + // apply baseline data + _extends(data, this.createData()); + var isVideo = data.ot === CmObjectType.INIT || data.ot === CmObjectType.VIDEO || data.ot === CmObjectType.MUXED; + if (this.starved && isVideo) { + data.bs = true; + data.su = true; + this.starved = false; + } + if (data.su == null) { + data.su = this.buffering; + } + + // TODO: Implement rtp, nrr, nor, dl + + var includeKeys = this.includeKeys; + if (includeKeys) { + data = Object.keys(data).reduce(function (acc, key) { + includeKeys.includes(key) && (acc[key] = data[key]); + return acc; + }, {}); + } + if (this.useHeaders) { + if (!context.headers) { + context.headers = {}; + } + appendCmcdHeaders(context.headers, data); + } else { + context.url = appendCmcdQuery(context.url, data); + } + }; + /** + * The CMCD object type. + */ + _proto.getObjectType = function getObjectType(fragment) { + var type = fragment.type; + if (type === 'subtitle') { + return CmObjectType.TIMED_TEXT; + } + if (fragment.sn === 'initSegment') { + return CmObjectType.INIT; + } + if (type === 'audio') { + return CmObjectType.AUDIO; + } + if (type === 'main') { + if (!this.hls.audioTracks.length) { + return CmObjectType.MUXED; + } + return CmObjectType.VIDEO; + } + return undefined; + } + + /** + * Get the highest bitrate. + */; + _proto.getTopBandwidth = function getTopBandwidth(type) { + var bitrate = 0; + var levels; + var hls = this.hls; + if (type === CmObjectType.AUDIO) { + levels = hls.audioTracks; + } else { + var max = hls.maxAutoLevel; + var len = max > -1 ? max + 1 : hls.levels.length; + levels = hls.levels.slice(0, len); + } + for (var _iterator = _createForOfIteratorHelperLoose(levels), _step; !(_step = _iterator()).done;) { + var level = _step.value; + if (level.bitrate > bitrate) { + bitrate = level.bitrate; + } + } + return bitrate > 0 ? bitrate : NaN; + } + + /** + * Get the buffer length for a media type in milliseconds + */; + _proto.getBufferLength = function getBufferLength(type) { + var media = this.hls.media; + var buffer = type === CmObjectType.AUDIO ? this.audioBuffer : this.videoBuffer; + if (!buffer || !media) { + return NaN; + } + var info = BufferHelper.bufferInfo(buffer, media.currentTime, this.config.maxBufferHole); + return info.len * 1000; + } + + /** + * Create a playlist loader + */; + _proto.createPlaylistLoader = function createPlaylistLoader() { + var pLoader = this.config.pLoader; + var apply = this.applyPlaylistData; + var Ctor = pLoader || this.config.loader; + return /*#__PURE__*/function () { + function CmcdPlaylistLoader(config) { + this.loader = void 0; + this.loader = new Ctor(config); + } + var _proto2 = CmcdPlaylistLoader.prototype; + _proto2.destroy = function destroy() { + this.loader.destroy(); + }; + _proto2.abort = function abort() { + this.loader.abort(); + }; + _proto2.load = function load(context, config, callbacks) { + apply(context); + this.loader.load(context, config, callbacks); + }; + _createClass(CmcdPlaylistLoader, [{ + key: "stats", + get: function get() { + return this.loader.stats; + } + }, { + key: "context", + get: function get() { + return this.loader.context; + } + }]); + return CmcdPlaylistLoader; + }(); + } + + /** + * Create a playlist loader + */; + _proto.createFragmentLoader = function createFragmentLoader() { + var fLoader = this.config.fLoader; + var apply = this.applyFragmentData; + var Ctor = fLoader || this.config.loader; + return /*#__PURE__*/function () { + function CmcdFragmentLoader(config) { + this.loader = void 0; + this.loader = new Ctor(config); + } + var _proto3 = CmcdFragmentLoader.prototype; + _proto3.destroy = function destroy() { + this.loader.destroy(); + }; + _proto3.abort = function abort() { + this.loader.abort(); + }; + _proto3.load = function load(context, config, callbacks) { + apply(context); + this.loader.load(context, config, callbacks); + }; + _createClass(CmcdFragmentLoader, [{ + key: "stats", + get: function get() { + return this.loader.stats; + } + }, { + key: "context", + get: function get() { + return this.loader.context; + } + }]); + return CmcdFragmentLoader; + }(); + }; + return CMCDController; + }(); + + var PATHWAY_PENALTY_DURATION_MS = 300000; + var ContentSteeringController = /*#__PURE__*/function () { + function ContentSteeringController(hls) { + this.hls = void 0; + this.log = void 0; + this.loader = null; + this.uri = null; + this.pathwayId = '.'; + this.pathwayPriority = null; + this.timeToLoad = 300; + this.reloadTimer = -1; + this.updated = 0; + this.started = false; + this.enabled = true; + this.levels = null; + this.audioTracks = null; + this.subtitleTracks = null; + this.penalizedPathways = {}; + this.hls = hls; + this.log = logger.log.bind(logger, "[content-steering]:"); + this.registerListeners(); + } + var _proto = ContentSteeringController.prototype; + _proto.registerListeners = function registerListeners() { + var hls = this.hls; + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + hls.on(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.on(Events.ERROR, this.onError, this); + }; + _proto.unregisterListeners = function unregisterListeners() { + var hls = this.hls; + if (!hls) { + return; + } + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + hls.off(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.off(Events.ERROR, this.onError, this); + }; + _proto.startLoad = function startLoad() { + this.started = true; + this.clearTimeout(); + if (this.enabled && this.uri) { + if (this.updated) { + var ttl = this.timeToLoad * 1000 - (performance.now() - this.updated); + if (ttl > 0) { + this.scheduleRefresh(this.uri, ttl); + return; + } + } + this.loadSteeringManifest(this.uri); + } + }; + _proto.stopLoad = function stopLoad() { + this.started = false; + if (this.loader) { + this.loader.destroy(); + this.loader = null; + } + this.clearTimeout(); + }; + _proto.clearTimeout = function clearTimeout() { + if (this.reloadTimer !== -1) { + self.clearTimeout(this.reloadTimer); + this.reloadTimer = -1; + } + }; + _proto.destroy = function destroy() { + this.unregisterListeners(); + this.stopLoad(); + // @ts-ignore + this.hls = null; + this.levels = this.audioTracks = this.subtitleTracks = null; + }; + _proto.removeLevel = function removeLevel(levelToRemove) { + var levels = this.levels; + if (levels) { + this.levels = levels.filter(function (level) { + return level !== levelToRemove; + }); + } + }; + _proto.onManifestLoading = function onManifestLoading() { + this.stopLoad(); + this.enabled = true; + this.timeToLoad = 300; + this.updated = 0; + this.uri = null; + this.pathwayId = '.'; + this.levels = this.audioTracks = this.subtitleTracks = null; + }; + _proto.onManifestLoaded = function onManifestLoaded(event, data) { + var contentSteering = data.contentSteering; + if (contentSteering === null) { + return; + } + this.pathwayId = contentSteering.pathwayId; + this.uri = contentSteering.uri; + if (this.started) { + this.startLoad(); + } + }; + _proto.onManifestParsed = function onManifestParsed(event, data) { + this.audioTracks = data.audioTracks; + this.subtitleTracks = data.subtitleTracks; + }; + _proto.onError = function onError(event, data) { + var errorAction = data.errorAction; + if ((errorAction == null ? void 0 : errorAction.action) === NetworkErrorAction.SendAlternateToPenaltyBox && errorAction.flags === ErrorActionFlags.MoveAllAlternatesMatchingHost) { + var levels = this.levels; + var pathwayPriority = this.pathwayPriority; + var errorPathway = this.pathwayId; + if (data.context) { + var _data$context = data.context, + groupId = _data$context.groupId, + _pathwayId = _data$context.pathwayId, + type = _data$context.type; + if (groupId && levels) { + errorPathway = this.getPathwayForGroupId(groupId, type, errorPathway); + } else if (_pathwayId) { + errorPathway = _pathwayId; + } + } + if (!(errorPathway in this.penalizedPathways)) { + this.penalizedPathways[errorPathway] = performance.now(); + } + if (!pathwayPriority && levels) { + // If PATHWAY-PRIORITY was not provided, list pathways for error handling + pathwayPriority = levels.reduce(function (pathways, level) { + if (pathways.indexOf(level.pathwayId) === -1) { + pathways.push(level.pathwayId); + } + return pathways; + }, []); + } + if (pathwayPriority && pathwayPriority.length > 1) { + this.updatePathwayPriority(pathwayPriority); + errorAction.resolved = this.pathwayId !== errorPathway; + } + if (!errorAction.resolved) { + logger.warn("Could not resolve " + data.details + " (\"" + data.error.message + "\") with content-steering for Pathway: " + errorPathway + " levels: " + (levels ? levels.length : levels) + " priorities: " + JSON.stringify(pathwayPriority) + " penalized: " + JSON.stringify(this.penalizedPathways)); + } + } + }; + _proto.filterParsedLevels = function filterParsedLevels(levels) { + // Filter levels to only include those that are in the initial pathway + this.levels = levels; + var pathwayLevels = this.getLevelsForPathway(this.pathwayId); + if (pathwayLevels.length === 0) { + var _pathwayId2 = levels[0].pathwayId; + this.log("No levels found in Pathway " + this.pathwayId + ". Setting initial Pathway to \"" + _pathwayId2 + "\""); + pathwayLevels = this.getLevelsForPathway(_pathwayId2); + this.pathwayId = _pathwayId2; + } + if (pathwayLevels.length !== levels.length) { + this.log("Found " + pathwayLevels.length + "/" + levels.length + " levels in Pathway \"" + this.pathwayId + "\""); + } + return pathwayLevels; + }; + _proto.getLevelsForPathway = function getLevelsForPathway(pathwayId) { + if (this.levels === null) { + return []; + } + return this.levels.filter(function (level) { + return pathwayId === level.pathwayId; + }); + }; + _proto.updatePathwayPriority = function updatePathwayPriority(pathwayPriority) { + this.pathwayPriority = pathwayPriority; + var levels; + + // Evaluate if we should remove the pathway from the penalized list + var penalizedPathways = this.penalizedPathways; + var now = performance.now(); + Object.keys(penalizedPathways).forEach(function (pathwayId) { + if (now - penalizedPathways[pathwayId] > PATHWAY_PENALTY_DURATION_MS) { + delete penalizedPathways[pathwayId]; + } + }); + for (var i = 0; i < pathwayPriority.length; i++) { + var _pathwayId3 = pathwayPriority[i]; + if (_pathwayId3 in penalizedPathways) { + continue; + } + if (_pathwayId3 === this.pathwayId) { + return; + } + var selectedIndex = this.hls.nextLoadLevel; + var selectedLevel = this.hls.levels[selectedIndex]; + levels = this.getLevelsForPathway(_pathwayId3); + if (levels.length > 0) { + this.log("Setting Pathway to \"" + _pathwayId3 + "\""); + this.pathwayId = _pathwayId3; + reassignFragmentLevelIndexes(levels); + this.hls.trigger(Events.LEVELS_UPDATED, { + levels: levels + }); + // Set LevelController's level to trigger LEVEL_SWITCHING which loads playlist if needed + var levelAfterChange = this.hls.levels[selectedIndex]; + if (selectedLevel && levelAfterChange && this.levels) { + if (levelAfterChange.attrs['STABLE-VARIANT-ID'] !== selectedLevel.attrs['STABLE-VARIANT-ID'] && levelAfterChange.bitrate !== selectedLevel.bitrate) { + this.log("Unstable Pathways change from bitrate " + selectedLevel.bitrate + " to " + levelAfterChange.bitrate); + } + this.hls.nextLoadLevel = selectedIndex; + } + break; + } + } + }; + _proto.getPathwayForGroupId = function getPathwayForGroupId(groupId, type, defaultPathway) { + var levels = this.getLevelsForPathway(defaultPathway).concat(this.levels || []); + for (var i = 0; i < levels.length; i++) { + if (type === PlaylistContextType.AUDIO_TRACK && levels[i].hasAudioGroup(groupId) || type === PlaylistContextType.SUBTITLE_TRACK && levels[i].hasSubtitleGroup(groupId)) { + return levels[i].pathwayId; + } + } + return defaultPathway; + }; + _proto.clonePathways = function clonePathways(pathwayClones) { + var _this = this; + var levels = this.levels; + if (!levels) { + return; + } + var audioGroupCloneMap = {}; + var subtitleGroupCloneMap = {}; + pathwayClones.forEach(function (pathwayClone) { + var cloneId = pathwayClone.ID, + baseId = pathwayClone['BASE-ID'], + uriReplacement = pathwayClone['URI-REPLACEMENT']; + if (levels.some(function (level) { + return level.pathwayId === cloneId; + })) { + return; + } + var clonedVariants = _this.getLevelsForPathway(baseId).map(function (baseLevel) { + var attributes = new AttrList(baseLevel.attrs); + attributes['PATHWAY-ID'] = cloneId; + var clonedAudioGroupId = attributes.AUDIO && attributes.AUDIO + "_clone_" + cloneId; + var clonedSubtitleGroupId = attributes.SUBTITLES && attributes.SUBTITLES + "_clone_" + cloneId; + if (clonedAudioGroupId) { + audioGroupCloneMap[attributes.AUDIO] = clonedAudioGroupId; + attributes.AUDIO = clonedAudioGroupId; + } + if (clonedSubtitleGroupId) { + subtitleGroupCloneMap[attributes.SUBTITLES] = clonedSubtitleGroupId; + attributes.SUBTITLES = clonedSubtitleGroupId; + } + var url = performUriReplacement(baseLevel.uri, attributes['STABLE-VARIANT-ID'], 'PER-VARIANT-URIS', uriReplacement); + var clonedLevel = new Level({ + attrs: attributes, + audioCodec: baseLevel.audioCodec, + bitrate: baseLevel.bitrate, + height: baseLevel.height, + name: baseLevel.name, + url: url, + videoCodec: baseLevel.videoCodec, + width: baseLevel.width + }); + if (baseLevel.audioGroups) { + for (var i = 1; i < baseLevel.audioGroups.length; i++) { + clonedLevel.addGroupId('audio', baseLevel.audioGroups[i] + "_clone_" + cloneId); + } + } + if (baseLevel.subtitleGroups) { + for (var _i = 1; _i < baseLevel.subtitleGroups.length; _i++) { + clonedLevel.addGroupId('text', baseLevel.subtitleGroups[_i] + "_clone_" + cloneId); + } + } + return clonedLevel; + }); + levels.push.apply(levels, clonedVariants); + cloneRenditionGroups(_this.audioTracks, audioGroupCloneMap, uriReplacement, cloneId); + cloneRenditionGroups(_this.subtitleTracks, subtitleGroupCloneMap, uriReplacement, cloneId); + }); + }; + _proto.loadSteeringManifest = function loadSteeringManifest(uri) { + var _this2 = this; + var config = this.hls.config; + var Loader = config.loader; + if (this.loader) { + this.loader.destroy(); + } + this.loader = new Loader(config); + var url; + try { + url = new self.URL(uri); + } catch (error) { + this.enabled = false; + this.log("Failed to parse Steering Manifest URI: " + uri); + return; + } + if (url.protocol !== 'data:') { + var throughput = (this.hls.bandwidthEstimate || config.abrEwmaDefaultEstimate) | 0; + url.searchParams.set('_HLS_pathway', this.pathwayId); + url.searchParams.set('_HLS_throughput', '' + throughput); + } + var context = { + responseType: 'json', + url: url.href + }; + var loadPolicy = config.steeringManifestLoadPolicy.default; + var legacyRetryCompatibility = loadPolicy.errorRetry || loadPolicy.timeoutRetry || {}; + var loaderConfig = { + loadPolicy: loadPolicy, + timeout: loadPolicy.maxLoadTimeMs, + maxRetry: legacyRetryCompatibility.maxNumRetry || 0, + retryDelay: legacyRetryCompatibility.retryDelayMs || 0, + maxRetryDelay: legacyRetryCompatibility.maxRetryDelayMs || 0 + }; + var callbacks = { + onSuccess: function onSuccess(response, stats, context, networkDetails) { + _this2.log("Loaded steering manifest: \"" + url + "\""); + var steeringData = response.data; + if (steeringData.VERSION !== 1) { + _this2.log("Steering VERSION " + steeringData.VERSION + " not supported!"); + return; + } + _this2.updated = performance.now(); + _this2.timeToLoad = steeringData.TTL; + var reloadUri = steeringData['RELOAD-URI'], + pathwayClones = steeringData['PATHWAY-CLONES'], + pathwayPriority = steeringData['PATHWAY-PRIORITY']; + if (reloadUri) { + try { + _this2.uri = new self.URL(reloadUri, url).href; + } catch (error) { + _this2.enabled = false; + _this2.log("Failed to parse Steering Manifest RELOAD-URI: " + reloadUri); + return; + } + } + _this2.scheduleRefresh(_this2.uri || context.url); + if (pathwayClones) { + _this2.clonePathways(pathwayClones); + } + var loadedSteeringData = { + steeringManifest: steeringData, + url: url.toString() + }; + _this2.hls.trigger(Events.STEERING_MANIFEST_LOADED, loadedSteeringData); + if (pathwayPriority) { + _this2.updatePathwayPriority(pathwayPriority); + } + }, + onError: function onError(error, context, networkDetails, stats) { + _this2.log("Error loading steering manifest: " + error.code + " " + error.text + " (" + context.url + ")"); + _this2.stopLoad(); + if (error.code === 410) { + _this2.enabled = false; + _this2.log("Steering manifest " + context.url + " no longer available"); + return; + } + var ttl = _this2.timeToLoad * 1000; + if (error.code === 429) { + var loader = _this2.loader; + if (typeof (loader == null ? void 0 : loader.getResponseHeader) === 'function') { + var retryAfter = loader.getResponseHeader('Retry-After'); + if (retryAfter) { + ttl = parseFloat(retryAfter) * 1000; + } + } + _this2.log("Steering manifest " + context.url + " rate limited"); + return; + } + _this2.scheduleRefresh(_this2.uri || context.url, ttl); + }, + onTimeout: function onTimeout(stats, context, networkDetails) { + _this2.log("Timeout loading steering manifest (" + context.url + ")"); + _this2.scheduleRefresh(_this2.uri || context.url); + } + }; + this.log("Requesting steering manifest: " + url); + this.loader.load(context, loaderConfig, callbacks); + }; + _proto.scheduleRefresh = function scheduleRefresh(uri, ttlMs) { + var _this3 = this; + if (ttlMs === void 0) { + ttlMs = this.timeToLoad * 1000; + } + this.clearTimeout(); + this.reloadTimer = self.setTimeout(function () { + var _this3$hls; + var media = (_this3$hls = _this3.hls) == null ? void 0 : _this3$hls.media; + if (media && !media.ended) { + _this3.loadSteeringManifest(uri); + return; + } + _this3.scheduleRefresh(uri, _this3.timeToLoad * 1000); + }, ttlMs); + }; + return ContentSteeringController; + }(); + function cloneRenditionGroups(tracks, groupCloneMap, uriReplacement, cloneId) { + if (!tracks) { + return; + } + Object.keys(groupCloneMap).forEach(function (audioGroupId) { + var clonedTracks = tracks.filter(function (track) { + return track.groupId === audioGroupId; + }).map(function (track) { + var clonedTrack = _extends({}, track); + clonedTrack.details = undefined; + clonedTrack.attrs = new AttrList(clonedTrack.attrs); + clonedTrack.url = clonedTrack.attrs.URI = performUriReplacement(track.url, track.attrs['STABLE-RENDITION-ID'], 'PER-RENDITION-URIS', uriReplacement); + clonedTrack.groupId = clonedTrack.attrs['GROUP-ID'] = groupCloneMap[audioGroupId]; + clonedTrack.attrs['PATHWAY-ID'] = cloneId; + return clonedTrack; + }); + tracks.push.apply(tracks, clonedTracks); + }); + } + function performUriReplacement(uri, stableId, perOptionKey, uriReplacement) { + var host = uriReplacement.HOST, + params = uriReplacement.PARAMS, + perOptionUris = uriReplacement[perOptionKey]; + var perVariantUri; + if (stableId) { + perVariantUri = perOptionUris == null ? void 0 : perOptionUris[stableId]; + if (perVariantUri) { + uri = perVariantUri; + } + } + var url = new self.URL(uri); + if (host && !perVariantUri) { + url.host = host; + } + if (params) { + Object.keys(params).sort().forEach(function (key) { + if (key) { + url.searchParams.set(key, params[key]); + } + }); + } + return url.href; + } + + var AGE_HEADER_LINE_REGEX = /^age:\s*[\d.]+\s*$/im; + var XhrLoader = /*#__PURE__*/function () { + function XhrLoader(config) { + this.xhrSetup = void 0; + this.requestTimeout = void 0; + this.retryTimeout = void 0; + this.retryDelay = void 0; + this.config = null; + this.callbacks = null; + this.context = null; + this.loader = null; + this.stats = void 0; + this.xhrSetup = config ? config.xhrSetup || null : null; + this.stats = new LoadStats(); + this.retryDelay = 0; + } + var _proto = XhrLoader.prototype; + _proto.destroy = function destroy() { + this.callbacks = null; + this.abortInternal(); + this.loader = null; + this.config = null; + this.context = null; + this.xhrSetup = null; + }; + _proto.abortInternal = function abortInternal() { + var loader = this.loader; + self.clearTimeout(this.requestTimeout); + self.clearTimeout(this.retryTimeout); + if (loader) { + loader.onreadystatechange = null; + loader.onprogress = null; + if (loader.readyState !== 4) { + this.stats.aborted = true; + loader.abort(); + } + } + }; + _proto.abort = function abort() { + var _this$callbacks; + this.abortInternal(); + if ((_this$callbacks = this.callbacks) != null && _this$callbacks.onAbort) { + this.callbacks.onAbort(this.stats, this.context, this.loader); + } + }; + _proto.load = function load(context, config, callbacks) { + if (this.stats.loading.start) { + throw new Error('Loader can only be used once.'); + } + this.stats.loading.start = self.performance.now(); + this.context = context; + this.config = config; + this.callbacks = callbacks; + this.loadInternal(); + }; + _proto.loadInternal = function loadInternal() { + var _this = this; + var config = this.config, + context = this.context; + if (!config || !context) { + return; + } + var xhr = this.loader = new self.XMLHttpRequest(); + var stats = this.stats; + stats.loading.first = 0; + stats.loaded = 0; + stats.aborted = false; + var xhrSetup = this.xhrSetup; + if (xhrSetup) { + Promise.resolve().then(function () { + if (_this.loader !== xhr || _this.stats.aborted) return; + return xhrSetup(xhr, context.url); + }).catch(function (error) { + if (_this.loader !== xhr || _this.stats.aborted) return; + xhr.open('GET', context.url, true); + return xhrSetup(xhr, context.url); + }).then(function () { + if (_this.loader !== xhr || _this.stats.aborted) return; + _this.openAndSendXhr(xhr, context, config); + }).catch(function (error) { + // IE11 throws an exception on xhr.open if attempting to access an HTTP resource over HTTPS + _this.callbacks.onError({ + code: xhr.status, + text: error.message + }, context, xhr, stats); + return; + }); + } else { + this.openAndSendXhr(xhr, context, config); + } + }; + _proto.openAndSendXhr = function openAndSendXhr(xhr, context, config) { + if (!xhr.readyState) { + xhr.open('GET', context.url, true); + } + var headers = context.headers; + var _config$loadPolicy = config.loadPolicy, + maxTimeToFirstByteMs = _config$loadPolicy.maxTimeToFirstByteMs, + maxLoadTimeMs = _config$loadPolicy.maxLoadTimeMs; + if (headers) { + for (var header in headers) { + xhr.setRequestHeader(header, headers[header]); + } + } + if (context.rangeEnd) { + xhr.setRequestHeader('Range', 'bytes=' + context.rangeStart + '-' + (context.rangeEnd - 1)); + } + xhr.onreadystatechange = this.readystatechange.bind(this); + xhr.onprogress = this.loadprogress.bind(this); + xhr.responseType = context.responseType; + // setup timeout before we perform request + self.clearTimeout(this.requestTimeout); + config.timeout = maxTimeToFirstByteMs && isFiniteNumber(maxTimeToFirstByteMs) ? maxTimeToFirstByteMs : maxLoadTimeMs; + this.requestTimeout = self.setTimeout(this.loadtimeout.bind(this), config.timeout); + xhr.send(); + }; + _proto.readystatechange = function readystatechange() { + var context = this.context, + xhr = this.loader, + stats = this.stats; + if (!context || !xhr) { + return; + } + var readyState = xhr.readyState; + var config = this.config; + + // don't proceed if xhr has been aborted + if (stats.aborted) { + return; + } + + // >= HEADERS_RECEIVED + if (readyState >= 2) { + if (stats.loading.first === 0) { + stats.loading.first = Math.max(self.performance.now(), stats.loading.start); + // readyState >= 2 AND readyState !==4 (readyState = HEADERS_RECEIVED || LOADING) rearm timeout as xhr not finished yet + if (config.timeout !== config.loadPolicy.maxLoadTimeMs) { + self.clearTimeout(this.requestTimeout); + config.timeout = config.loadPolicy.maxLoadTimeMs; + this.requestTimeout = self.setTimeout(this.loadtimeout.bind(this), config.loadPolicy.maxLoadTimeMs - (stats.loading.first - stats.loading.start)); + } + } + if (readyState === 4) { + self.clearTimeout(this.requestTimeout); + xhr.onreadystatechange = null; + xhr.onprogress = null; + var _status = xhr.status; + // http status between 200 to 299 are all successful + var useResponseText = xhr.responseType === 'text' ? xhr.responseText : null; + if (_status >= 200 && _status < 300) { + var data = useResponseText != null ? useResponseText : xhr.response; + if (data != null) { + stats.loading.end = Math.max(self.performance.now(), stats.loading.first); + var len = xhr.responseType === 'arraybuffer' ? data.byteLength : data.length; + stats.loaded = stats.total = len; + stats.bwEstimate = stats.total * 8000 / (stats.loading.end - stats.loading.first); + if (!this.callbacks) { + return; + } + var onProgress = this.callbacks.onProgress; + if (onProgress) { + onProgress(stats, context, data, xhr); + } + if (!this.callbacks) { + return; + } + var _response = { + url: xhr.responseURL, + data: data, + code: _status + }; + this.callbacks.onSuccess(_response, stats, context, xhr); + return; + } + } + + // Handle bad status or nullish response + var retryConfig = config.loadPolicy.errorRetry; + var retryCount = stats.retry; + // if max nb of retries reached or if http status between 400 and 499 (such error cannot be recovered, retrying is useless), return error + var response = { + url: context.url, + data: undefined, + code: _status + }; + if (shouldRetry(retryConfig, retryCount, false, response)) { + this.retry(retryConfig); + } else { + logger.error(_status + " while loading " + context.url); + this.callbacks.onError({ + code: _status, + text: xhr.statusText + }, context, xhr, stats); + } + } + } + }; + _proto.loadtimeout = function loadtimeout() { + if (!this.config) return; + var retryConfig = this.config.loadPolicy.timeoutRetry; + var retryCount = this.stats.retry; + if (shouldRetry(retryConfig, retryCount, true)) { + this.retry(retryConfig); + } else { + var _this$context; + logger.warn("timeout while loading " + ((_this$context = this.context) == null ? void 0 : _this$context.url)); + var callbacks = this.callbacks; + if (callbacks) { + this.abortInternal(); + callbacks.onTimeout(this.stats, this.context, this.loader); + } + } + }; + _proto.retry = function retry(retryConfig) { + var context = this.context, + stats = this.stats; + this.retryDelay = getRetryDelay(retryConfig, stats.retry); + stats.retry++; + logger.warn((status ? 'HTTP Status ' + status : 'Timeout') + " while loading " + (context == null ? void 0 : context.url) + ", retrying " + stats.retry + "/" + retryConfig.maxNumRetry + " in " + this.retryDelay + "ms"); + // abort and reset internal state + this.abortInternal(); + this.loader = null; + // schedule retry + self.clearTimeout(this.retryTimeout); + this.retryTimeout = self.setTimeout(this.loadInternal.bind(this), this.retryDelay); + }; + _proto.loadprogress = function loadprogress(event) { + var stats = this.stats; + stats.loaded = event.loaded; + if (event.lengthComputable) { + stats.total = event.total; + } + }; + _proto.getCacheAge = function getCacheAge() { + var result = null; + if (this.loader && AGE_HEADER_LINE_REGEX.test(this.loader.getAllResponseHeaders())) { + var ageHeader = this.loader.getResponseHeader('age'); + result = ageHeader ? parseFloat(ageHeader) : null; + } + return result; + }; + _proto.getResponseHeader = function getResponseHeader(name) { + if (this.loader && new RegExp("^" + name + ":\\s*[\\d.]+\\s*$", 'im').test(this.loader.getAllResponseHeaders())) { + return this.loader.getResponseHeader(name); + } + return null; + }; + return XhrLoader; + }(); + + function fetchSupported() { + if ( + // @ts-ignore + self.fetch && self.AbortController && self.ReadableStream && self.Request) { + try { + new self.ReadableStream({}); // eslint-disable-line no-new + return true; + } catch (e) { + /* noop */ + } + } + return false; + } + var BYTERANGE = /(\d+)-(\d+)\/(\d+)/; + var FetchLoader = /*#__PURE__*/function () { + function FetchLoader(config /* HlsConfig */) { + this.fetchSetup = void 0; + this.requestTimeout = void 0; + this.request = null; + this.response = null; + this.controller = void 0; + this.context = null; + this.config = null; + this.callbacks = null; + this.stats = void 0; + this.loader = null; + this.fetchSetup = config.fetchSetup || getRequest; + this.controller = new self.AbortController(); + this.stats = new LoadStats(); + } + var _proto = FetchLoader.prototype; + _proto.destroy = function destroy() { + this.loader = this.callbacks = this.context = this.config = this.request = null; + this.abortInternal(); + this.response = null; + // @ts-ignore + this.fetchSetup = this.controller = this.stats = null; + }; + _proto.abortInternal = function abortInternal() { + if (this.controller && !this.stats.loading.end) { + this.stats.aborted = true; + this.controller.abort(); + } + }; + _proto.abort = function abort() { + var _this$callbacks; + this.abortInternal(); + if ((_this$callbacks = this.callbacks) != null && _this$callbacks.onAbort) { + this.callbacks.onAbort(this.stats, this.context, this.response); + } + }; + _proto.load = function load(context, config, callbacks) { + var _this = this; + var stats = this.stats; + if (stats.loading.start) { + throw new Error('Loader can only be used once.'); + } + stats.loading.start = self.performance.now(); + var initParams = getRequestParameters(context, this.controller.signal); + var onProgress = callbacks.onProgress; + var isArrayBuffer = context.responseType === 'arraybuffer'; + var LENGTH = isArrayBuffer ? 'byteLength' : 'length'; + var _config$loadPolicy = config.loadPolicy, + maxTimeToFirstByteMs = _config$loadPolicy.maxTimeToFirstByteMs, + maxLoadTimeMs = _config$loadPolicy.maxLoadTimeMs; + this.context = context; + this.config = config; + this.callbacks = callbacks; + this.request = this.fetchSetup(context, initParams); + self.clearTimeout(this.requestTimeout); + config.timeout = maxTimeToFirstByteMs && isFiniteNumber(maxTimeToFirstByteMs) ? maxTimeToFirstByteMs : maxLoadTimeMs; + this.requestTimeout = self.setTimeout(function () { + _this.abortInternal(); + callbacks.onTimeout(stats, context, _this.response); + }, config.timeout); + self.fetch(this.request).then(function (response) { + _this.response = _this.loader = response; + var first = Math.max(self.performance.now(), stats.loading.start); + self.clearTimeout(_this.requestTimeout); + config.timeout = maxLoadTimeMs; + _this.requestTimeout = self.setTimeout(function () { + _this.abortInternal(); + callbacks.onTimeout(stats, context, _this.response); + }, maxLoadTimeMs - (first - stats.loading.start)); + if (!response.ok) { + var status = response.status, + statusText = response.statusText; + throw new FetchError(statusText || 'fetch, bad network response', status, response); + } + stats.loading.first = first; + stats.total = getContentLength(response.headers) || stats.total; + if (onProgress && isFiniteNumber(config.highWaterMark)) { + return _this.loadProgressively(response, stats, context, config.highWaterMark, onProgress); + } + if (isArrayBuffer) { + return response.arrayBuffer(); + } + if (context.responseType === 'json') { + return response.json(); + } + return response.text(); + }).then(function (responseData) { + var response = _this.response; + if (!response) { + throw new Error('loader destroyed'); + } + self.clearTimeout(_this.requestTimeout); + stats.loading.end = Math.max(self.performance.now(), stats.loading.first); + var total = responseData[LENGTH]; + if (total) { + stats.loaded = stats.total = total; + } + var loaderResponse = { + url: response.url, + data: responseData, + code: response.status + }; + if (onProgress && !isFiniteNumber(config.highWaterMark)) { + onProgress(stats, context, responseData, response); + } + callbacks.onSuccess(loaderResponse, stats, context, response); + }).catch(function (error) { + self.clearTimeout(_this.requestTimeout); + if (stats.aborted) { + return; + } + // CORS errors result in an undefined code. Set it to 0 here to align with XHR's behavior + // when destroying, 'error' itself can be undefined + var code = !error ? 0 : error.code || 0; + var text = !error ? null : error.message; + callbacks.onError({ + code: code, + text: text + }, context, error ? error.details : null, stats); + }); + }; + _proto.getCacheAge = function getCacheAge() { + var result = null; + if (this.response) { + var ageHeader = this.response.headers.get('age'); + result = ageHeader ? parseFloat(ageHeader) : null; + } + return result; + }; + _proto.getResponseHeader = function getResponseHeader(name) { + return this.response ? this.response.headers.get(name) : null; + }; + _proto.loadProgressively = function loadProgressively(response, stats, context, highWaterMark, onProgress) { + if (highWaterMark === void 0) { + highWaterMark = 0; + } + var chunkCache = new ChunkCache(); + var reader = response.body.getReader(); + var pump = function pump() { + return reader.read().then(function (data) { + if (data.done) { + if (chunkCache.dataLength) { + onProgress(stats, context, chunkCache.flush(), response); + } + return Promise.resolve(new ArrayBuffer(0)); + } + var chunk = data.value; + var len = chunk.length; + stats.loaded += len; + if (len < highWaterMark || chunkCache.dataLength) { + // The current chunk is too small to to be emitted or the cache already has data + // Push it to the cache + chunkCache.push(chunk); + if (chunkCache.dataLength >= highWaterMark) { + // flush in order to join the typed arrays + onProgress(stats, context, chunkCache.flush(), response); + } + } else { + // If there's nothing cached already, and the chache is large enough + // just emit the progress event + onProgress(stats, context, chunk, response); + } + return pump(); + }).catch(function () { + /* aborted */ + return Promise.reject(); + }); + }; + return pump(); + }; + return FetchLoader; + }(); + function getRequestParameters(context, signal) { + var initParams = { + method: 'GET', + mode: 'cors', + credentials: 'same-origin', + signal: signal, + headers: new self.Headers(_extends({}, context.headers)) + }; + if (context.rangeEnd) { + initParams.headers.set('Range', 'bytes=' + context.rangeStart + '-' + String(context.rangeEnd - 1)); + } + return initParams; + } + function getByteRangeLength(byteRangeHeader) { + var result = BYTERANGE.exec(byteRangeHeader); + if (result) { + return parseInt(result[2]) - parseInt(result[1]) + 1; + } + } + function getContentLength(headers) { + var contentRange = headers.get('Content-Range'); + if (contentRange) { + var byteRangeLength = getByteRangeLength(contentRange); + if (isFiniteNumber(byteRangeLength)) { + return byteRangeLength; + } + } + var contentLength = headers.get('Content-Length'); + if (contentLength) { + return parseInt(contentLength); + } + } + function getRequest(context, initParams) { + return new self.Request(context.url, initParams); + } + var FetchError = /*#__PURE__*/function (_Error) { + _inheritsLoose(FetchError, _Error); + function FetchError(message, code, details) { + var _this2; + _this2 = _Error.call(this, message) || this; + _this2.code = void 0; + _this2.details = void 0; + _this2.code = code; + _this2.details = details; + return _this2; + } + return FetchError; + }( /*#__PURE__*/_wrapNativeSuper(Error)); + + var WHITESPACE_CHAR = /\s/; + var Cues = { + newCue: function newCue(track, startTime, endTime, captionScreen) { + var result = []; + var row; + // the type data states this is VTTCue, but it can potentially be a TextTrackCue on old browsers + var cue; + var indenting; + var indent; + var text; + var Cue = self.VTTCue || self.TextTrackCue; + for (var r = 0; r < captionScreen.rows.length; r++) { + row = captionScreen.rows[r]; + indenting = true; + indent = 0; + text = ''; + if (!row.isEmpty()) { + var _track$cues; + for (var c = 0; c < row.chars.length; c++) { + if (WHITESPACE_CHAR.test(row.chars[c].uchar) && indenting) { + indent++; + } else { + text += row.chars[c].uchar; + indenting = false; + } + } + // To be used for cleaning-up orphaned roll-up captions + row.cueStartTime = startTime; + + // Give a slight bump to the endTime if it's equal to startTime to avoid a SyntaxError in IE + if (startTime === endTime) { + endTime += 0.0001; + } + if (indent >= 16) { + indent--; + } else { + indent++; + } + var cueText = fixLineBreaks(text.trim()); + var id = generateCueId(startTime, endTime, cueText); + + // If this cue already exists in the track do not push it + if (!(track != null && (_track$cues = track.cues) != null && _track$cues.getCueById(id))) { + cue = new Cue(startTime, endTime, cueText); + cue.id = id; + cue.line = r + 1; + cue.align = 'left'; + // Clamp the position between 10 and 80 percent (CEA-608 PAC indent code) + // https://dvcs.w3.org/hg/text-tracks/raw-file/default/608toVTT/608toVTT.html#positioning-in-cea-608 + // Firefox throws an exception and captions break with out of bounds 0-100 values + cue.position = 10 + Math.min(80, Math.floor(indent * 8 / 32) * 10); + result.push(cue); + } + } + } + if (track && result.length) { + // Sort bottom cues in reverse order so that they render in line order when overlapping in Chrome + result.sort(function (cueA, cueB) { + if (cueA.line === 'auto' || cueB.line === 'auto') { + return 0; + } + if (cueA.line > 8 && cueB.line > 8) { + return cueB.line - cueA.line; + } + return cueA.line - cueB.line; + }); + result.forEach(function (cue) { + return addCueToTrack(track, cue); + }); + } + return result; + } + }; + + /** + * @deprecated use fragLoadPolicy.default + */ + + /** + * @deprecated use manifestLoadPolicy.default and playlistLoadPolicy.default + */ + + var defaultLoadPolicy = { + maxTimeToFirstByteMs: 8000, + maxLoadTimeMs: 20000, + timeoutRetry: null, + errorRetry: null + }; + + /** + * @ignore + * If possible, keep hlsDefaultConfig shallow + * It is cloned whenever a new Hls instance is created, by keeping the config + * shallow the properties are cloned, and we don't end up manipulating the default + */ + var hlsDefaultConfig = _objectSpread2(_objectSpread2({ + autoStartLoad: true, + // used by stream-controller + startPosition: -1, + // used by stream-controller + defaultAudioCodec: undefined, + // used by stream-controller + debug: false, + // used by logger + capLevelOnFPSDrop: false, + // used by fps-controller + capLevelToPlayerSize: false, + // used by cap-level-controller + ignoreDevicePixelRatio: false, + // used by cap-level-controller + preferManagedMediaSource: true, + initialLiveManifestSize: 1, + // used by stream-controller + maxBufferLength: 30, + // used by stream-controller + backBufferLength: Infinity, + // used by buffer-controller + frontBufferFlushThreshold: Infinity, + maxBufferSize: 60 * 1000 * 1000, + // used by stream-controller + maxBufferHole: 0.1, + // used by stream-controller + highBufferWatchdogPeriod: 2, + // used by stream-controller + nudgeOffset: 0.1, + // used by stream-controller + nudgeMaxRetry: 3, + // used by stream-controller + maxFragLookUpTolerance: 0.25, + // used by stream-controller + liveSyncDurationCount: 3, + // used by latency-controller + liveMaxLatencyDurationCount: Infinity, + // used by latency-controller + liveSyncDuration: undefined, + // used by latency-controller + liveMaxLatencyDuration: undefined, + // used by latency-controller + maxLiveSyncPlaybackRate: 1, + // used by latency-controller + liveDurationInfinity: false, + // used by buffer-controller + /** + * @deprecated use backBufferLength + */ + liveBackBufferLength: null, + // used by buffer-controller + maxMaxBufferLength: 600, + // used by stream-controller + enableWorker: true, + // used by transmuxer + workerPath: null, + // used by transmuxer + enableSoftwareAES: true, + // used by decrypter + startLevel: undefined, + // used by level-controller + startFragPrefetch: false, + // used by stream-controller + fpsDroppedMonitoringPeriod: 5000, + // used by fps-controller + fpsDroppedMonitoringThreshold: 0.2, + // used by fps-controller + appendErrorMaxRetry: 3, + // used by buffer-controller + loader: XhrLoader, + // loader: FetchLoader, + fLoader: undefined, + // used by fragment-loader + pLoader: undefined, + // used by playlist-loader + xhrSetup: undefined, + // used by xhr-loader + licenseXhrSetup: undefined, + // used by eme-controller + licenseResponseCallback: undefined, + // used by eme-controller + abrController: AbrController, + bufferController: BufferController, + capLevelController: CapLevelController, + errorController: ErrorController, + fpsController: FPSController, + stretchShortVideoTrack: false, + // used by mp4-remuxer + maxAudioFramesDrift: 1, + // used by mp4-remuxer + forceKeyFrameOnDiscontinuity: true, + // used by ts-demuxer + abrEwmaFastLive: 3, + // used by abr-controller + abrEwmaSlowLive: 9, + // used by abr-controller + abrEwmaFastVoD: 3, + // used by abr-controller + abrEwmaSlowVoD: 9, + // used by abr-controller + abrEwmaDefaultEstimate: 5e5, + // 500 kbps // used by abr-controller + abrEwmaDefaultEstimateMax: 5e6, + // 5 mbps + abrBandWidthFactor: 0.95, + // used by abr-controller + abrBandWidthUpFactor: 0.7, + // used by abr-controller + abrMaxWithRealBitrate: false, + // used by abr-controller + maxStarvationDelay: 4, + // used by abr-controller + maxLoadingDelay: 4, + // used by abr-controller + minAutoBitrate: 0, + // used by hls + emeEnabled: false, + // used by eme-controller + widevineLicenseUrl: undefined, + // used by eme-controller + drmSystems: {}, + // used by eme-controller + drmSystemOptions: {}, + // used by eme-controller + requestMediaKeySystemAccessFunc: requestMediaKeySystemAccess , + // used by eme-controller + testBandwidth: true, + progressive: false, + lowLatencyMode: true, + cmcd: undefined, + enableDateRangeMetadataCues: true, + enableEmsgMetadataCues: true, + enableID3MetadataCues: true, + useMediaCapabilities: true, + certLoadPolicy: { + default: defaultLoadPolicy + }, + keyLoadPolicy: { + default: { + maxTimeToFirstByteMs: 8000, + maxLoadTimeMs: 20000, + timeoutRetry: { + maxNumRetry: 1, + retryDelayMs: 1000, + maxRetryDelayMs: 20000, + backoff: 'linear' + }, + errorRetry: { + maxNumRetry: 8, + retryDelayMs: 1000, + maxRetryDelayMs: 20000, + backoff: 'linear' + } + } + }, + manifestLoadPolicy: { + default: { + maxTimeToFirstByteMs: Infinity, + maxLoadTimeMs: 20000, + timeoutRetry: { + maxNumRetry: 2, + retryDelayMs: 0, + maxRetryDelayMs: 0 + }, + errorRetry: { + maxNumRetry: 1, + retryDelayMs: 1000, + maxRetryDelayMs: 8000 + } + } + }, + playlistLoadPolicy: { + default: { + maxTimeToFirstByteMs: 10000, + maxLoadTimeMs: 20000, + timeoutRetry: { + maxNumRetry: 2, + retryDelayMs: 0, + maxRetryDelayMs: 0 + }, + errorRetry: { + maxNumRetry: 2, + retryDelayMs: 1000, + maxRetryDelayMs: 8000 + } + } + }, + fragLoadPolicy: { + default: { + maxTimeToFirstByteMs: 10000, + maxLoadTimeMs: 120000, + timeoutRetry: { + maxNumRetry: 4, + retryDelayMs: 0, + maxRetryDelayMs: 0 + }, + errorRetry: { + maxNumRetry: 6, + retryDelayMs: 1000, + maxRetryDelayMs: 8000 + } + } + }, + steeringManifestLoadPolicy: { + default: { + maxTimeToFirstByteMs: 10000, + maxLoadTimeMs: 20000, + timeoutRetry: { + maxNumRetry: 2, + retryDelayMs: 0, + maxRetryDelayMs: 0 + }, + errorRetry: { + maxNumRetry: 1, + retryDelayMs: 1000, + maxRetryDelayMs: 8000 + } + } + }, + // These default settings are deprecated in favor of the above policies + // and are maintained for backwards compatibility + manifestLoadingTimeOut: 10000, + manifestLoadingMaxRetry: 1, + manifestLoadingRetryDelay: 1000, + manifestLoadingMaxRetryTimeout: 64000, + levelLoadingTimeOut: 10000, + levelLoadingMaxRetry: 4, + levelLoadingRetryDelay: 1000, + levelLoadingMaxRetryTimeout: 64000, + fragLoadingTimeOut: 20000, + fragLoadingMaxRetry: 6, + fragLoadingRetryDelay: 1000, + fragLoadingMaxRetryTimeout: 64000 + }, timelineConfig()), {}, { + subtitleStreamController: SubtitleStreamController , + subtitleTrackController: SubtitleTrackController , + timelineController: TimelineController , + audioStreamController: AudioStreamController , + audioTrackController: AudioTrackController , + emeController: EMEController , + cmcdController: CMCDController , + contentSteeringController: ContentSteeringController + }); + function timelineConfig() { + return { + cueHandler: Cues, + // used by timeline-controller + enableWebVTT: true, + // used by timeline-controller + enableIMSC1: true, + // used by timeline-controller + enableCEA708Captions: true, + // used by timeline-controller + captionsTextTrack1Label: 'English', + // used by timeline-controller + captionsTextTrack1LanguageCode: 'en', + // used by timeline-controller + captionsTextTrack2Label: 'Spanish', + // used by timeline-controller + captionsTextTrack2LanguageCode: 'es', + // used by timeline-controller + captionsTextTrack3Label: 'Unknown CC', + // used by timeline-controller + captionsTextTrack3LanguageCode: '', + // used by timeline-controller + captionsTextTrack4Label: 'Unknown CC', + // used by timeline-controller + captionsTextTrack4LanguageCode: '', + // used by timeline-controller + renderTextTracksNatively: true + }; + } + + /** + * @ignore + */ + function mergeConfig(defaultConfig, userConfig) { + if ((userConfig.liveSyncDurationCount || userConfig.liveMaxLatencyDurationCount) && (userConfig.liveSyncDuration || userConfig.liveMaxLatencyDuration)) { + throw new Error("Illegal hls.js config: don't mix up liveSyncDurationCount/liveMaxLatencyDurationCount and liveSyncDuration/liveMaxLatencyDuration"); + } + if (userConfig.liveMaxLatencyDurationCount !== undefined && (userConfig.liveSyncDurationCount === undefined || userConfig.liveMaxLatencyDurationCount <= userConfig.liveSyncDurationCount)) { + throw new Error('Illegal hls.js config: "liveMaxLatencyDurationCount" must be greater than "liveSyncDurationCount"'); + } + if (userConfig.liveMaxLatencyDuration !== undefined && (userConfig.liveSyncDuration === undefined || userConfig.liveMaxLatencyDuration <= userConfig.liveSyncDuration)) { + throw new Error('Illegal hls.js config: "liveMaxLatencyDuration" must be greater than "liveSyncDuration"'); + } + var defaultsCopy = deepCpy(defaultConfig); + + // Backwards compatibility with deprecated config values + var deprecatedSettingTypes = ['manifest', 'level', 'frag']; + var deprecatedSettings = ['TimeOut', 'MaxRetry', 'RetryDelay', 'MaxRetryTimeout']; + deprecatedSettingTypes.forEach(function (type) { + var policyName = (type === 'level' ? 'playlist' : type) + "LoadPolicy"; + var policyNotSet = userConfig[policyName] === undefined; + var report = []; + deprecatedSettings.forEach(function (setting) { + var deprecatedSetting = type + "Loading" + setting; + var value = userConfig[deprecatedSetting]; + if (value !== undefined && policyNotSet) { + report.push(deprecatedSetting); + var settings = defaultsCopy[policyName].default; + userConfig[policyName] = { + default: settings + }; + switch (setting) { + case 'TimeOut': + settings.maxLoadTimeMs = value; + settings.maxTimeToFirstByteMs = value; + break; + case 'MaxRetry': + settings.errorRetry.maxNumRetry = value; + settings.timeoutRetry.maxNumRetry = value; + break; + case 'RetryDelay': + settings.errorRetry.retryDelayMs = value; + settings.timeoutRetry.retryDelayMs = value; + break; + case 'MaxRetryTimeout': + settings.errorRetry.maxRetryDelayMs = value; + settings.timeoutRetry.maxRetryDelayMs = value; + break; + } + } + }); + if (report.length) { + logger.warn("hls.js config: \"" + report.join('", "') + "\" setting(s) are deprecated, use \"" + policyName + "\": " + JSON.stringify(userConfig[policyName])); + } + }); + return _objectSpread2(_objectSpread2({}, defaultsCopy), userConfig); + } + function deepCpy(obj) { + if (obj && typeof obj === 'object') { + if (Array.isArray(obj)) { + return obj.map(deepCpy); + } + return Object.keys(obj).reduce(function (result, key) { + result[key] = deepCpy(obj[key]); + return result; + }, {}); + } + return obj; + } + + /** + * @ignore + */ + function enableStreamingMode(config) { + var currentLoader = config.loader; + if (currentLoader !== FetchLoader && currentLoader !== XhrLoader) { + // If a developer has configured their own loader, respect that choice + logger.log('[config]: Custom loader detected, cannot enable progressive streaming'); + config.progressive = false; + } else { + var canStreamProgressively = fetchSupported(); + if (canStreamProgressively) { + config.loader = FetchLoader; + config.progressive = true; + config.enableSoftwareAES = true; + logger.log('[config]: Progressive streaming enabled, using FetchLoader'); + } + } + } + + var chromeOrFirefox; + var LevelController = /*#__PURE__*/function (_BasePlaylistControll) { + _inheritsLoose(LevelController, _BasePlaylistControll); + function LevelController(hls, contentSteeringController) { + var _this; + _this = _BasePlaylistControll.call(this, hls, '[level-controller]') || this; + _this._levels = []; + _this._firstLevel = -1; + _this._maxAutoLevel = -1; + _this._startLevel = void 0; + _this.currentLevel = null; + _this.currentLevelIndex = -1; + _this.manualLevelIndex = -1; + _this.steering = void 0; + _this.onParsedComplete = void 0; + _this.steering = contentSteeringController; + _this._registerListeners(); + return _this; + } + var _proto = LevelController.prototype; + _proto._registerListeners = function _registerListeners() { + var hls = this.hls; + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + hls.on(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.on(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.on(Events.FRAG_BUFFERED, this.onFragBuffered, this); + hls.on(Events.ERROR, this.onError, this); + }; + _proto._unregisterListeners = function _unregisterListeners() { + var hls = this.hls; + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_LOADED, this.onManifestLoaded, this); + hls.off(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.off(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.off(Events.FRAG_BUFFERED, this.onFragBuffered, this); + hls.off(Events.ERROR, this.onError, this); + }; + _proto.destroy = function destroy() { + this._unregisterListeners(); + this.steering = null; + this.resetLevels(); + _BasePlaylistControll.prototype.destroy.call(this); + }; + _proto.stopLoad = function stopLoad() { + var levels = this._levels; + + // clean up live level details to force reload them, and reset load errors + levels.forEach(function (level) { + level.loadError = 0; + level.fragmentError = 0; + }); + _BasePlaylistControll.prototype.stopLoad.call(this); + }; + _proto.resetLevels = function resetLevels() { + this._startLevel = undefined; + this.manualLevelIndex = -1; + this.currentLevelIndex = -1; + this.currentLevel = null; + this._levels = []; + this._maxAutoLevel = -1; + }; + _proto.onManifestLoading = function onManifestLoading(event, data) { + this.resetLevels(); + }; + _proto.onManifestLoaded = function onManifestLoaded(event, data) { + var preferManagedMediaSource = this.hls.config.preferManagedMediaSource; + var levels = []; + var redundantSet = {}; + var generatePathwaySet = {}; + var resolutionFound = false; + var videoCodecFound = false; + var audioCodecFound = false; + data.levels.forEach(function (levelParsed) { + var _audioCodec, _videoCodec; + var attributes = levelParsed.attrs; + + // erase audio codec info if browser does not support mp4a.40.34. + // demuxer will autodetect codec and fallback to mpeg/audio + var audioCodec = levelParsed.audioCodec, + videoCodec = levelParsed.videoCodec; + if (((_audioCodec = audioCodec) == null ? void 0 : _audioCodec.indexOf('mp4a.40.34')) !== -1) { + chromeOrFirefox || (chromeOrFirefox = /chrome|firefox/i.test(navigator.userAgent)); + if (chromeOrFirefox) { + levelParsed.audioCodec = audioCodec = undefined; + } + } + if (audioCodec) { + levelParsed.audioCodec = audioCodec = getCodecCompatibleName(audioCodec, preferManagedMediaSource); + } + if (((_videoCodec = videoCodec) == null ? void 0 : _videoCodec.indexOf('avc1')) === 0) { + videoCodec = levelParsed.videoCodec = convertAVC1ToAVCOTI(videoCodec); + } + + // only keep levels with supported audio/video codecs + var width = levelParsed.width, + height = levelParsed.height, + unknownCodecs = levelParsed.unknownCodecs; + resolutionFound || (resolutionFound = !!(width && height)); + videoCodecFound || (videoCodecFound = !!videoCodec); + audioCodecFound || (audioCodecFound = !!audioCodec); + if (unknownCodecs != null && unknownCodecs.length || audioCodec && !areCodecsMediaSourceSupported(audioCodec, 'audio', preferManagedMediaSource) || videoCodec && !areCodecsMediaSourceSupported(videoCodec, 'video', preferManagedMediaSource)) { + return; + } + var CODECS = attributes.CODECS, + FRAMERATE = attributes['FRAME-RATE'], + HDCP = attributes['HDCP-LEVEL'], + PATHWAY = attributes['PATHWAY-ID'], + RESOLUTION = attributes.RESOLUTION, + VIDEO_RANGE = attributes['VIDEO-RANGE']; + var contentSteeringPrefix = (PATHWAY || '.') + "-"; + var levelKey = "" + contentSteeringPrefix + levelParsed.bitrate + "-" + RESOLUTION + "-" + FRAMERATE + "-" + CODECS + "-" + VIDEO_RANGE + "-" + HDCP; + if (!redundantSet[levelKey]) { + var level = new Level(levelParsed); + redundantSet[levelKey] = level; + generatePathwaySet[levelKey] = 1; + levels.push(level); + } else if (redundantSet[levelKey].uri !== levelParsed.url && !levelParsed.attrs['PATHWAY-ID']) { + // Assign Pathway IDs to Redundant Streams (default Pathways is ".". Redundant Streams "..", "...", and so on.) + // Content Steering controller to handles Pathway fallback on error + var pathwayCount = generatePathwaySet[levelKey] += 1; + levelParsed.attrs['PATHWAY-ID'] = new Array(pathwayCount + 1).join('.'); + var _level = new Level(levelParsed); + redundantSet[levelKey] = _level; + levels.push(_level); + } else { + redundantSet[levelKey].addGroupId('audio', attributes.AUDIO); + redundantSet[levelKey].addGroupId('text', attributes.SUBTITLES); + } + }); + this.filterAndSortMediaOptions(levels, data, resolutionFound, videoCodecFound, audioCodecFound); + }; + _proto.filterAndSortMediaOptions = function filterAndSortMediaOptions(filteredLevels, data, resolutionFound, videoCodecFound, audioCodecFound) { + var _this2 = this; + var audioTracks = []; + var subtitleTracks = []; + var levels = filteredLevels; + + // remove audio-only and invalid video-range levels if we also have levels with video codecs or RESOLUTION signalled + if ((resolutionFound || videoCodecFound) && audioCodecFound) { + levels = levels.filter(function (_ref) { + var videoCodec = _ref.videoCodec, + videoRange = _ref.videoRange, + width = _ref.width, + height = _ref.height; + return (!!videoCodec || !!(width && height)) && isVideoRange(videoRange); + }); + } + if (levels.length === 0) { + // Dispatch error after MANIFEST_LOADED is done propagating + Promise.resolve().then(function () { + if (_this2.hls) { + if (data.levels.length) { + _this2.warn("One or more CODECS in variant not supported: " + JSON.stringify(data.levels[0].attrs)); + } + var error = new Error('no level with compatible codecs found in manifest'); + _this2.hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.MANIFEST_INCOMPATIBLE_CODECS_ERROR, + fatal: true, + url: data.url, + error: error, + reason: error.message + }); + } + }); + return; + } + if (data.audioTracks) { + var preferManagedMediaSource = this.hls.config.preferManagedMediaSource; + audioTracks = data.audioTracks.filter(function (track) { + return !track.audioCodec || areCodecsMediaSourceSupported(track.audioCodec, 'audio', preferManagedMediaSource); + }); + // Assign ids after filtering as array indices by group-id + assignTrackIdsByGroup(audioTracks); + } + if (data.subtitles) { + subtitleTracks = data.subtitles; + assignTrackIdsByGroup(subtitleTracks); + } + // start bitrate is the first bitrate of the manifest + var unsortedLevels = levels.slice(0); + // sort levels from lowest to highest + levels.sort(function (a, b) { + if (a.attrs['HDCP-LEVEL'] !== b.attrs['HDCP-LEVEL']) { + return (a.attrs['HDCP-LEVEL'] || '') > (b.attrs['HDCP-LEVEL'] || '') ? 1 : -1; + } + // sort on height before bitrate for cap-level-controller + if (resolutionFound && a.height !== b.height) { + return a.height - b.height; + } + if (a.frameRate !== b.frameRate) { + return a.frameRate - b.frameRate; + } + if (a.videoRange !== b.videoRange) { + return VideoRangeValues.indexOf(a.videoRange) - VideoRangeValues.indexOf(b.videoRange); + } + if (a.videoCodec !== b.videoCodec) { + var valueA = videoCodecPreferenceValue(a.videoCodec); + var valueB = videoCodecPreferenceValue(b.videoCodec); + if (valueA !== valueB) { + return valueB - valueA; + } + } + if (a.uri === b.uri && a.codecSet !== b.codecSet) { + var _valueA = codecsSetSelectionPreferenceValue(a.codecSet); + var _valueB = codecsSetSelectionPreferenceValue(b.codecSet); + if (_valueA !== _valueB) { + return _valueB - _valueA; + } + } + if (a.averageBitrate !== b.averageBitrate) { + return a.averageBitrate - b.averageBitrate; + } + return 0; + }); + var firstLevelInPlaylist = unsortedLevels[0]; + if (this.steering) { + levels = this.steering.filterParsedLevels(levels); + if (levels.length !== unsortedLevels.length) { + for (var i = 0; i < unsortedLevels.length; i++) { + if (unsortedLevels[i].pathwayId === levels[0].pathwayId) { + firstLevelInPlaylist = unsortedLevels[i]; + break; + } + } + } + } + this._levels = levels; + + // find index of first level in sorted levels + for (var _i = 0; _i < levels.length; _i++) { + if (levels[_i] === firstLevelInPlaylist) { + var _this$hls$userConfig; + this._firstLevel = _i; + var firstLevelBitrate = firstLevelInPlaylist.bitrate; + var bandwidthEstimate = this.hls.bandwidthEstimate; + this.log("manifest loaded, " + levels.length + " level(s) found, first bitrate: " + firstLevelBitrate); + // Update default bwe to first variant bitrate as long it has not been configured or set + if (((_this$hls$userConfig = this.hls.userConfig) == null ? void 0 : _this$hls$userConfig.abrEwmaDefaultEstimate) === undefined) { + var startingBwEstimate = Math.min(firstLevelBitrate, this.hls.config.abrEwmaDefaultEstimateMax); + if (startingBwEstimate > bandwidthEstimate && bandwidthEstimate === hlsDefaultConfig.abrEwmaDefaultEstimate) { + this.hls.bandwidthEstimate = startingBwEstimate; + } + } + break; + } + } + + // Audio is only alternate if manifest include a URI along with the audio group tag, + // and this is not an audio-only stream where levels contain audio-only + var audioOnly = audioCodecFound && !videoCodecFound; + var edata = { + levels: levels, + audioTracks: audioTracks, + subtitleTracks: subtitleTracks, + sessionData: data.sessionData, + sessionKeys: data.sessionKeys, + firstLevel: this._firstLevel, + stats: data.stats, + audio: audioCodecFound, + video: videoCodecFound, + altAudio: !audioOnly && audioTracks.some(function (t) { + return !!t.url; + }) + }; + this.hls.trigger(Events.MANIFEST_PARSED, edata); + + // Initiate loading after all controllers have received MANIFEST_PARSED + if (this.hls.config.autoStartLoad || this.hls.forceStartLoad) { + this.hls.startLoad(this.hls.config.startPosition); + } + }; + _proto.onError = function onError(event, data) { + if (data.fatal || !data.context) { + return; + } + if (data.context.type === PlaylistContextType.LEVEL && data.context.level === this.level) { + this.checkRetry(data); + } + } + + // reset errors on the successful load of a fragment + ; + _proto.onFragBuffered = function onFragBuffered(event, _ref2) { + var frag = _ref2.frag; + if (frag !== undefined && frag.type === PlaylistLevelType.MAIN) { + var el = frag.elementaryStreams; + if (!Object.keys(el).some(function (type) { + return !!el[type]; + })) { + return; + } + var level = this._levels[frag.level]; + if (level != null && level.loadError) { + this.log("Resetting level error count of " + level.loadError + " on frag buffered"); + level.loadError = 0; + } + } + }; + _proto.onLevelLoaded = function onLevelLoaded(event, data) { + var _data$deliveryDirecti2; + var level = data.level, + details = data.details; + var curLevel = this._levels[level]; + if (!curLevel) { + var _data$deliveryDirecti; + this.warn("Invalid level index " + level); + if ((_data$deliveryDirecti = data.deliveryDirectives) != null && _data$deliveryDirecti.skip) { + details.deltaUpdateFailed = true; + } + return; + } + + // only process level loaded events matching with expected level + if (level === this.currentLevelIndex) { + // reset level load error counter on successful level loaded only if there is no issues with fragments + if (curLevel.fragmentError === 0) { + curLevel.loadError = 0; + } + this.playlistLoaded(level, data, curLevel.details); + } else if ((_data$deliveryDirecti2 = data.deliveryDirectives) != null && _data$deliveryDirecti2.skip) { + // received a delta playlist update that cannot be merged + details.deltaUpdateFailed = true; + } + }; + _proto.loadPlaylist = function loadPlaylist(hlsUrlParameters) { + _BasePlaylistControll.prototype.loadPlaylist.call(this); + var currentLevelIndex = this.currentLevelIndex; + var currentLevel = this.currentLevel; + if (currentLevel && this.shouldLoadPlaylist(currentLevel)) { + var url = currentLevel.uri; + if (hlsUrlParameters) { + try { + url = hlsUrlParameters.addDirectives(url); + } catch (error) { + this.warn("Could not construct new URL with HLS Delivery Directives: " + error); + } + } + var pathwayId = currentLevel.attrs['PATHWAY-ID']; + this.log("Loading level index " + currentLevelIndex + ((hlsUrlParameters == null ? void 0 : hlsUrlParameters.msn) !== undefined ? ' at sn ' + hlsUrlParameters.msn + ' part ' + hlsUrlParameters.part : '') + " with" + (pathwayId ? ' Pathway ' + pathwayId : '') + " " + url); + + // console.log('Current audio track group ID:', this.hls.audioTracks[this.hls.audioTrack].groupId); + // console.log('New video quality level audio group id:', levelObject.attrs.AUDIO, level); + this.clearTimer(); + this.hls.trigger(Events.LEVEL_LOADING, { + url: url, + level: currentLevelIndex, + pathwayId: currentLevel.attrs['PATHWAY-ID'], + id: 0, + // Deprecated Level urlId + deliveryDirectives: hlsUrlParameters || null + }); + } + }; + _proto.removeLevel = function removeLevel(levelIndex) { + var _this3 = this, + _this$currentLevel; + var levels = this._levels.filter(function (level, index) { + if (index !== levelIndex) { + return true; + } + if (_this3.steering) { + _this3.steering.removeLevel(level); + } + if (level === _this3.currentLevel) { + _this3.currentLevel = null; + _this3.currentLevelIndex = -1; + if (level.details) { + level.details.fragments.forEach(function (f) { + return f.level = -1; + }); + } + } + return false; + }); + reassignFragmentLevelIndexes(levels); + this._levels = levels; + if (this.currentLevelIndex > -1 && (_this$currentLevel = this.currentLevel) != null && _this$currentLevel.details) { + this.currentLevelIndex = this.currentLevel.details.fragments[0].level; + } + this.hls.trigger(Events.LEVELS_UPDATED, { + levels: levels + }); + }; + _proto.onLevelsUpdated = function onLevelsUpdated(event, _ref3) { + var levels = _ref3.levels; + this._levels = levels; + }; + _proto.checkMaxAutoUpdated = function checkMaxAutoUpdated() { + var _this$hls = this.hls, + autoLevelCapping = _this$hls.autoLevelCapping, + maxAutoLevel = _this$hls.maxAutoLevel, + maxHdcpLevel = _this$hls.maxHdcpLevel; + if (this._maxAutoLevel !== maxAutoLevel) { + this._maxAutoLevel = maxAutoLevel; + this.hls.trigger(Events.MAX_AUTO_LEVEL_UPDATED, { + autoLevelCapping: autoLevelCapping, + levels: this.levels, + maxAutoLevel: maxAutoLevel, + minAutoLevel: this.hls.minAutoLevel, + maxHdcpLevel: maxHdcpLevel + }); + } + }; + _createClass(LevelController, [{ + key: "levels", + get: function get() { + if (this._levels.length === 0) { + return null; + } + return this._levels; + } + }, { + key: "level", + get: function get() { + return this.currentLevelIndex; + }, + set: function set(newLevel) { + var levels = this._levels; + if (levels.length === 0) { + return; + } + // check if level idx is valid + if (newLevel < 0 || newLevel >= levels.length) { + // invalid level id given, trigger error + var error = new Error('invalid level idx'); + var fatal = newLevel < 0; + this.hls.trigger(Events.ERROR, { + type: ErrorTypes.OTHER_ERROR, + details: ErrorDetails.LEVEL_SWITCH_ERROR, + level: newLevel, + fatal: fatal, + error: error, + reason: error.message + }); + if (fatal) { + return; + } + newLevel = Math.min(newLevel, levels.length - 1); + } + var lastLevelIndex = this.currentLevelIndex; + var lastLevel = this.currentLevel; + var lastPathwayId = lastLevel ? lastLevel.attrs['PATHWAY-ID'] : undefined; + var level = levels[newLevel]; + var pathwayId = level.attrs['PATHWAY-ID']; + this.currentLevelIndex = newLevel; + this.currentLevel = level; + if (lastLevelIndex === newLevel && level.details && lastLevel && lastPathwayId === pathwayId) { + return; + } + this.log("Switching to level " + newLevel + " (" + (level.height ? level.height + 'p ' : '') + (level.videoRange ? level.videoRange + ' ' : '') + (level.codecSet ? level.codecSet + ' ' : '') + "@" + level.bitrate + ")" + (pathwayId ? ' with Pathway ' + pathwayId : '') + " from level " + lastLevelIndex + (lastPathwayId ? ' with Pathway ' + lastPathwayId : '')); + var levelSwitchingData = { + level: newLevel, + attrs: level.attrs, + details: level.details, + bitrate: level.bitrate, + averageBitrate: level.averageBitrate, + maxBitrate: level.maxBitrate, + realBitrate: level.realBitrate, + width: level.width, + height: level.height, + codecSet: level.codecSet, + audioCodec: level.audioCodec, + videoCodec: level.videoCodec, + audioGroups: level.audioGroups, + subtitleGroups: level.subtitleGroups, + loaded: level.loaded, + loadError: level.loadError, + fragmentError: level.fragmentError, + name: level.name, + id: level.id, + uri: level.uri, + url: level.url, + urlId: 0, + audioGroupIds: level.audioGroupIds, + textGroupIds: level.textGroupIds + }; + this.hls.trigger(Events.LEVEL_SWITCHING, levelSwitchingData); + // check if we need to load playlist for this level + var levelDetails = level.details; + if (!levelDetails || levelDetails.live) { + // level not retrieved yet, or live playlist we need to (re)load it + var hlsUrlParameters = this.switchParams(level.uri, lastLevel == null ? void 0 : lastLevel.details, levelDetails); + this.loadPlaylist(hlsUrlParameters); + } + } + }, { + key: "manualLevel", + get: function get() { + return this.manualLevelIndex; + }, + set: function set(newLevel) { + this.manualLevelIndex = newLevel; + if (this._startLevel === undefined) { + this._startLevel = newLevel; + } + if (newLevel !== -1) { + this.level = newLevel; + } + } + }, { + key: "firstLevel", + get: function get() { + return this._firstLevel; + }, + set: function set(newLevel) { + this._firstLevel = newLevel; + } + }, { + key: "startLevel", + get: function get() { + // Setting hls.startLevel (this._startLevel) overrides config.startLevel + if (this._startLevel === undefined) { + var configStartLevel = this.hls.config.startLevel; + if (configStartLevel !== undefined) { + return configStartLevel; + } + return this.hls.firstAutoLevel; + } + return this._startLevel; + }, + set: function set(newLevel) { + this._startLevel = newLevel; + } + }, { + key: "nextLoadLevel", + get: function get() { + if (this.manualLevelIndex !== -1) { + return this.manualLevelIndex; + } else { + return this.hls.nextAutoLevel; + } + }, + set: function set(nextLevel) { + this.level = nextLevel; + if (this.manualLevelIndex === -1) { + this.hls.nextAutoLevel = nextLevel; + } + } + }]); + return LevelController; + }(BasePlaylistController); + function assignTrackIdsByGroup(tracks) { + var groups = {}; + tracks.forEach(function (track) { + var groupId = track.groupId || ''; + track.id = groups[groupId] = groups[groupId] || 0; + groups[groupId]++; + }); + } + + var KeyLoader = /*#__PURE__*/function () { + function KeyLoader(config) { + this.config = void 0; + this.keyUriToKeyInfo = {}; + this.emeController = null; + this.config = config; + } + var _proto = KeyLoader.prototype; + _proto.abort = function abort(type) { + for (var uri in this.keyUriToKeyInfo) { + var loader = this.keyUriToKeyInfo[uri].loader; + if (loader) { + var _loader$context; + if (type && type !== ((_loader$context = loader.context) == null ? void 0 : _loader$context.frag.type)) { + return; + } + loader.abort(); + } + } + }; + _proto.detach = function detach() { + for (var uri in this.keyUriToKeyInfo) { + var keyInfo = this.keyUriToKeyInfo[uri]; + // Remove cached EME keys on detach + if (keyInfo.mediaKeySessionContext || keyInfo.decryptdata.isCommonEncryption) { + delete this.keyUriToKeyInfo[uri]; + } + } + }; + _proto.destroy = function destroy() { + this.detach(); + for (var uri in this.keyUriToKeyInfo) { + var loader = this.keyUriToKeyInfo[uri].loader; + if (loader) { + loader.destroy(); + } + } + this.keyUriToKeyInfo = {}; + }; + _proto.createKeyLoadError = function createKeyLoadError(frag, details, error, networkDetails, response) { + if (details === void 0) { + details = ErrorDetails.KEY_LOAD_ERROR; + } + return new LoadError({ + type: ErrorTypes.NETWORK_ERROR, + details: details, + fatal: false, + frag: frag, + response: response, + error: error, + networkDetails: networkDetails + }); + }; + _proto.loadClear = function loadClear(loadingFrag, encryptedFragments) { + var _this = this; + if (this.emeController && this.config.emeEnabled) { + // access key-system with nearest key on start (loaidng frag is unencrypted) + var sn = loadingFrag.sn, + cc = loadingFrag.cc; + var _loop = function _loop() { + var frag = encryptedFragments[i]; + if (cc <= frag.cc && (sn === 'initSegment' || frag.sn === 'initSegment' || sn < frag.sn)) { + _this.emeController.selectKeySystemFormat(frag).then(function (keySystemFormat) { + frag.setKeyFormat(keySystemFormat); + }); + return 1; // break + } + }; + for (var i = 0; i < encryptedFragments.length; i++) { + if (_loop()) break; + } + } + }; + _proto.load = function load(frag) { + var _this2 = this; + if (!frag.decryptdata && frag.encrypted && this.emeController) { + // Multiple keys, but none selected, resolve in eme-controller + return this.emeController.selectKeySystemFormat(frag).then(function (keySystemFormat) { + return _this2.loadInternal(frag, keySystemFormat); + }); + } + return this.loadInternal(frag); + }; + _proto.loadInternal = function loadInternal(frag, keySystemFormat) { + var _keyInfo, _keyInfo2; + if (keySystemFormat) { + frag.setKeyFormat(keySystemFormat); + } + var decryptdata = frag.decryptdata; + if (!decryptdata) { + var error = new Error(keySystemFormat ? "Expected frag.decryptdata to be defined after setting format " + keySystemFormat : 'Missing decryption data on fragment in onKeyLoading'); + return Promise.reject(this.createKeyLoadError(frag, ErrorDetails.KEY_LOAD_ERROR, error)); + } + var uri = decryptdata.uri; + if (!uri) { + return Promise.reject(this.createKeyLoadError(frag, ErrorDetails.KEY_LOAD_ERROR, new Error("Invalid key URI: \"" + uri + "\""))); + } + var keyInfo = this.keyUriToKeyInfo[uri]; + if ((_keyInfo = keyInfo) != null && _keyInfo.decryptdata.key) { + decryptdata.key = keyInfo.decryptdata.key; + return Promise.resolve({ + frag: frag, + keyInfo: keyInfo + }); + } + // Return key load promise as long as it does not have a mediakey session with an unusable key status + if ((_keyInfo2 = keyInfo) != null && _keyInfo2.keyLoadPromise) { + var _keyInfo$mediaKeySess; + switch ((_keyInfo$mediaKeySess = keyInfo.mediaKeySessionContext) == null ? void 0 : _keyInfo$mediaKeySess.keyStatus) { + case undefined: + case 'status-pending': + case 'usable': + case 'usable-in-future': + return keyInfo.keyLoadPromise.then(function (keyLoadedData) { + // Return the correct fragment with updated decryptdata key and loaded keyInfo + decryptdata.key = keyLoadedData.keyInfo.decryptdata.key; + return { + frag: frag, + keyInfo: keyInfo + }; + }); + } + // If we have a key session and status and it is not pending or usable, continue + // This will go back to the eme-controller for expired keys to get a new keyLoadPromise + } + + // Load the key or return the loading promise + keyInfo = this.keyUriToKeyInfo[uri] = { + decryptdata: decryptdata, + keyLoadPromise: null, + loader: null, + mediaKeySessionContext: null + }; + switch (decryptdata.method) { + case 'ISO-23001-7': + case 'SAMPLE-AES': + case 'SAMPLE-AES-CENC': + case 'SAMPLE-AES-CTR': + if (decryptdata.keyFormat === 'identity') { + // loadKeyHTTP handles http(s) and data URLs + return this.loadKeyHTTP(keyInfo, frag); + } + return this.loadKeyEME(keyInfo, frag); + case 'AES-128': + return this.loadKeyHTTP(keyInfo, frag); + default: + return Promise.reject(this.createKeyLoadError(frag, ErrorDetails.KEY_LOAD_ERROR, new Error("Key supplied with unsupported METHOD: \"" + decryptdata.method + "\""))); + } + }; + _proto.loadKeyEME = function loadKeyEME(keyInfo, frag) { + var keyLoadedData = { + frag: frag, + keyInfo: keyInfo + }; + if (this.emeController && this.config.emeEnabled) { + var keySessionContextPromise = this.emeController.loadKey(keyLoadedData); + if (keySessionContextPromise) { + return (keyInfo.keyLoadPromise = keySessionContextPromise.then(function (keySessionContext) { + keyInfo.mediaKeySessionContext = keySessionContext; + return keyLoadedData; + })).catch(function (error) { + // Remove promise for license renewal or retry + keyInfo.keyLoadPromise = null; + throw error; + }); + } + } + return Promise.resolve(keyLoadedData); + }; + _proto.loadKeyHTTP = function loadKeyHTTP(keyInfo, frag) { + var _this3 = this; + var config = this.config; + var Loader = config.loader; + var keyLoader = new Loader(config); + frag.keyLoader = keyInfo.loader = keyLoader; + return keyInfo.keyLoadPromise = new Promise(function (resolve, reject) { + var loaderContext = { + keyInfo: keyInfo, + frag: frag, + responseType: 'arraybuffer', + url: keyInfo.decryptdata.uri + }; + + // maxRetry is 0 so that instead of retrying the same key on the same variant multiple times, + // key-loader will trigger an error and rely on stream-controller to handle retry logic. + // this will also align retry logic with fragment-loader + var loadPolicy = config.keyLoadPolicy.default; + var loaderConfig = { + loadPolicy: loadPolicy, + timeout: loadPolicy.maxLoadTimeMs, + maxRetry: 0, + retryDelay: 0, + maxRetryDelay: 0 + }; + var loaderCallbacks = { + onSuccess: function onSuccess(response, stats, context, networkDetails) { + var frag = context.frag, + keyInfo = context.keyInfo, + uri = context.url; + if (!frag.decryptdata || keyInfo !== _this3.keyUriToKeyInfo[uri]) { + return reject(_this3.createKeyLoadError(frag, ErrorDetails.KEY_LOAD_ERROR, new Error('after key load, decryptdata unset or changed'), networkDetails)); + } + keyInfo.decryptdata.key = frag.decryptdata.key = new Uint8Array(response.data); + + // detach fragment key loader on load success + frag.keyLoader = null; + keyInfo.loader = null; + resolve({ + frag: frag, + keyInfo: keyInfo + }); + }, + onError: function onError(response, context, networkDetails, stats) { + _this3.resetLoader(context); + reject(_this3.createKeyLoadError(frag, ErrorDetails.KEY_LOAD_ERROR, new Error("HTTP Error " + response.code + " loading key " + response.text), networkDetails, _objectSpread2({ + url: loaderContext.url, + data: undefined + }, response))); + }, + onTimeout: function onTimeout(stats, context, networkDetails) { + _this3.resetLoader(context); + reject(_this3.createKeyLoadError(frag, ErrorDetails.KEY_LOAD_TIMEOUT, new Error('key loading timed out'), networkDetails)); + }, + onAbort: function onAbort(stats, context, networkDetails) { + _this3.resetLoader(context); + reject(_this3.createKeyLoadError(frag, ErrorDetails.INTERNAL_ABORTED, new Error('key loading aborted'), networkDetails)); + } + }; + keyLoader.load(loaderContext, loaderConfig, loaderCallbacks); + }); + }; + _proto.resetLoader = function resetLoader(context) { + var frag = context.frag, + keyInfo = context.keyInfo, + uri = context.url; + var loader = keyInfo.loader; + if (frag.keyLoader === loader) { + frag.keyLoader = null; + keyInfo.loader = null; + } + delete this.keyUriToKeyInfo[uri]; + if (loader) { + loader.destroy(); + } + }; + return KeyLoader; + }(); + + function getSourceBuffer() { + return self.SourceBuffer || self.WebKitSourceBuffer; + } + function isMSESupported() { + var mediaSource = getMediaSource(); + if (!mediaSource) { + return false; + } + + // if SourceBuffer is exposed ensure its API is valid + // Older browsers do not expose SourceBuffer globally so checking SourceBuffer.prototype is impossible + var sourceBuffer = getSourceBuffer(); + return !sourceBuffer || sourceBuffer.prototype && typeof sourceBuffer.prototype.appendBuffer === 'function' && typeof sourceBuffer.prototype.remove === 'function'; + } + function isSupported() { + if (!isMSESupported()) { + return false; + } + var mediaSource = getMediaSource(); + return typeof (mediaSource == null ? void 0 : mediaSource.isTypeSupported) === 'function' && (['avc1.42E01E,mp4a.40.2', 'av01.0.01M.08', 'vp09.00.50.08'].some(function (codecsForVideoContainer) { + return mediaSource.isTypeSupported(mimeTypeForCodec(codecsForVideoContainer, 'video')); + }) || ['mp4a.40.2', 'fLaC'].some(function (codecForAudioContainer) { + return mediaSource.isTypeSupported(mimeTypeForCodec(codecForAudioContainer, 'audio')); + })); + } + function changeTypeSupported() { + var _sourceBuffer$prototy; + var sourceBuffer = getSourceBuffer(); + return typeof (sourceBuffer == null ? void 0 : (_sourceBuffer$prototy = sourceBuffer.prototype) == null ? void 0 : _sourceBuffer$prototy.changeType) === 'function'; + } + + var STALL_MINIMUM_DURATION_MS = 250; + var MAX_START_GAP_JUMP = 2.0; + var SKIP_BUFFER_HOLE_STEP_SECONDS = 0.1; + var SKIP_BUFFER_RANGE_START = 0.05; + var GapController = /*#__PURE__*/function () { + function GapController(config, media, fragmentTracker, hls) { + this.config = void 0; + this.media = null; + this.fragmentTracker = void 0; + this.hls = void 0; + this.nudgeRetry = 0; + this.stallReported = false; + this.stalled = null; + this.moved = false; + this.seeking = false; + this.config = config; + this.media = media; + this.fragmentTracker = fragmentTracker; + this.hls = hls; + } + var _proto = GapController.prototype; + _proto.destroy = function destroy() { + this.media = null; + // @ts-ignore + this.hls = this.fragmentTracker = null; + } + + /** + * Checks if the playhead is stuck within a gap, and if so, attempts to free it. + * A gap is an unbuffered range between two buffered ranges (or the start and the first buffered range). + * + * @param lastCurrentTime - Previously read playhead position + */; + _proto.poll = function poll(lastCurrentTime, activeFrag) { + var config = this.config, + media = this.media, + stalled = this.stalled; + if (media === null) { + return; + } + var currentTime = media.currentTime, + seeking = media.seeking; + var seeked = this.seeking && !seeking; + var beginSeek = !this.seeking && seeking; + this.seeking = seeking; + + // The playhead is moving, no-op + if (currentTime !== lastCurrentTime) { + this.moved = true; + if (!seeking) { + this.nudgeRetry = 0; + } + if (stalled !== null) { + // The playhead is now moving, but was previously stalled + if (this.stallReported) { + var _stalledDuration = self.performance.now() - stalled; + logger.warn("playback not stuck anymore @" + currentTime + ", after " + Math.round(_stalledDuration) + "ms"); + this.stallReported = false; + } + this.stalled = null; + } + return; + } + + // Clear stalled state when beginning or finishing seeking so that we don't report stalls coming out of a seek + if (beginSeek || seeked) { + this.stalled = null; + return; + } + + // The playhead should not be moving + if (media.paused && !seeking || media.ended || media.playbackRate === 0 || !BufferHelper.getBuffered(media).length) { + this.nudgeRetry = 0; + return; + } + var bufferInfo = BufferHelper.bufferInfo(media, currentTime, 0); + var nextStart = bufferInfo.nextStart || 0; + if (seeking) { + // Waiting for seeking in a buffered range to complete + var hasEnoughBuffer = bufferInfo.len > MAX_START_GAP_JUMP; + // Next buffered range is too far ahead to jump to while still seeking + var noBufferGap = !nextStart || activeFrag && activeFrag.start <= currentTime || nextStart - currentTime > MAX_START_GAP_JUMP && !this.fragmentTracker.getPartialFragment(currentTime); + if (hasEnoughBuffer || noBufferGap) { + return; + } + // Reset moved state when seeking to a point in or before a gap + this.moved = false; + } + + // Skip start gaps if we haven't played, but the last poll detected the start of a stall + // The addition poll gives the browser a chance to jump the gap for us + if (!this.moved && this.stalled !== null) { + var _level$details; + // There is no playable buffer (seeked, waiting for buffer) + var isBuffered = bufferInfo.len > 0; + if (!isBuffered && !nextStart) { + return; + } + // Jump start gaps within jump threshold + var startJump = Math.max(nextStart, bufferInfo.start || 0) - currentTime; + + // When joining a live stream with audio tracks, account for live playlist window sliding by allowing + // a larger jump over start gaps caused by the audio-stream-controller buffering a start fragment + // that begins over 1 target duration after the video start position. + var level = this.hls.levels ? this.hls.levels[this.hls.currentLevel] : null; + var isLive = level == null ? void 0 : (_level$details = level.details) == null ? void 0 : _level$details.live; + var maxStartGapJump = isLive ? level.details.targetduration * 2 : MAX_START_GAP_JUMP; + var partialOrGap = this.fragmentTracker.getPartialFragment(currentTime); + if (startJump > 0 && (startJump <= maxStartGapJump || partialOrGap)) { + if (!media.paused) { + this._trySkipBufferHole(partialOrGap); + } + return; + } + } + + // Start tracking stall time + var tnow = self.performance.now(); + if (stalled === null) { + this.stalled = tnow; + return; + } + var stalledDuration = tnow - stalled; + if (!seeking && stalledDuration >= STALL_MINIMUM_DURATION_MS) { + // Report stalling after trying to fix + this._reportStall(bufferInfo); + if (!this.media) { + return; + } + } + var bufferedWithHoles = BufferHelper.bufferInfo(media, currentTime, config.maxBufferHole); + this._tryFixBufferStall(bufferedWithHoles, stalledDuration); + } + + /** + * Detects and attempts to fix known buffer stalling issues. + * @param bufferInfo - The properties of the current buffer. + * @param stalledDurationMs - The amount of time Hls.js has been stalling for. + * @private + */; + _proto._tryFixBufferStall = function _tryFixBufferStall(bufferInfo, stalledDurationMs) { + var config = this.config, + fragmentTracker = this.fragmentTracker, + media = this.media; + if (media === null) { + return; + } + var currentTime = media.currentTime; + var partial = fragmentTracker.getPartialFragment(currentTime); + if (partial) { + // Try to skip over the buffer hole caused by a partial fragment + // This method isn't limited by the size of the gap between buffered ranges + var targetTime = this._trySkipBufferHole(partial); + // we return here in this case, meaning + // the branch below only executes when we haven't seeked to a new position + if (targetTime || !this.media) { + return; + } + } + + // if we haven't had to skip over a buffer hole of a partial fragment + // we may just have to "nudge" the playlist as the browser decoding/rendering engine + // needs to cross some sort of threshold covering all source-buffers content + // to start playing properly. + if ((bufferInfo.len > config.maxBufferHole || bufferInfo.nextStart && bufferInfo.nextStart - currentTime < config.maxBufferHole) && stalledDurationMs > config.highBufferWatchdogPeriod * 1000) { + logger.warn('Trying to nudge playhead over buffer-hole'); + // Try to nudge currentTime over a buffer hole if we've been stalling for the configured amount of seconds + // We only try to jump the hole if it's under the configured size + // Reset stalled so to rearm watchdog timer + this.stalled = null; + this._tryNudgeBuffer(); + } + } + + /** + * Triggers a BUFFER_STALLED_ERROR event, but only once per stall period. + * @param bufferLen - The playhead distance from the end of the current buffer segment. + * @private + */; + _proto._reportStall = function _reportStall(bufferInfo) { + var hls = this.hls, + media = this.media, + stallReported = this.stallReported; + if (!stallReported && media) { + // Report stalled error once + this.stallReported = true; + var error = new Error("Playback stalling at @" + media.currentTime + " due to low buffer (" + JSON.stringify(bufferInfo) + ")"); + logger.warn(error.message); + hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_STALLED_ERROR, + fatal: false, + error: error, + buffer: bufferInfo.len + }); + } + } + + /** + * Attempts to fix buffer stalls by jumping over known gaps caused by partial fragments + * @param partial - The partial fragment found at the current time (where playback is stalling). + * @private + */; + _proto._trySkipBufferHole = function _trySkipBufferHole(partial) { + var config = this.config, + hls = this.hls, + media = this.media; + if (media === null) { + return 0; + } + + // Check if currentTime is between unbuffered regions of partial fragments + var currentTime = media.currentTime; + var bufferInfo = BufferHelper.bufferInfo(media, currentTime, 0); + var startTime = currentTime < bufferInfo.start ? bufferInfo.start : bufferInfo.nextStart; + if (startTime) { + var bufferStarved = bufferInfo.len <= config.maxBufferHole; + var waiting = bufferInfo.len > 0 && bufferInfo.len < 1 && media.readyState < 3; + var gapLength = startTime - currentTime; + if (gapLength > 0 && (bufferStarved || waiting)) { + // Only allow large gaps to be skipped if it is a start gap, or all fragments in skip range are partial + if (gapLength > config.maxBufferHole) { + var fragmentTracker = this.fragmentTracker; + var startGap = false; + if (currentTime === 0) { + var startFrag = fragmentTracker.getAppendedFrag(0, PlaylistLevelType.MAIN); + if (startFrag && startTime < startFrag.end) { + startGap = true; + } + } + if (!startGap) { + var startProvisioned = partial || fragmentTracker.getAppendedFrag(currentTime, PlaylistLevelType.MAIN); + if (startProvisioned) { + var moreToLoad = false; + var pos = startProvisioned.end; + while (pos < startTime) { + var provisioned = fragmentTracker.getPartialFragment(pos); + if (provisioned) { + pos += provisioned.duration; + } else { + moreToLoad = true; + break; + } + } + if (moreToLoad) { + return 0; + } + } + } + } + var targetTime = Math.max(startTime + SKIP_BUFFER_RANGE_START, currentTime + SKIP_BUFFER_HOLE_STEP_SECONDS); + logger.warn("skipping hole, adjusting currentTime from " + currentTime + " to " + targetTime); + this.moved = true; + this.stalled = null; + media.currentTime = targetTime; + if (partial && !partial.gap) { + var error = new Error("fragment loaded with buffer holes, seeking from " + currentTime + " to " + targetTime); + hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_SEEK_OVER_HOLE, + fatal: false, + error: error, + reason: error.message, + frag: partial + }); + } + return targetTime; + } + } + return 0; + } + + /** + * Attempts to fix buffer stalls by advancing the mediaElement's current time by a small amount. + * @private + */; + _proto._tryNudgeBuffer = function _tryNudgeBuffer() { + var config = this.config, + hls = this.hls, + media = this.media, + nudgeRetry = this.nudgeRetry; + if (media === null) { + return; + } + var currentTime = media.currentTime; + this.nudgeRetry++; + if (nudgeRetry < config.nudgeMaxRetry) { + var targetTime = currentTime + (nudgeRetry + 1) * config.nudgeOffset; + // playback stalled in buffered area ... let's nudge currentTime to try to overcome this + var error = new Error("Nudging 'currentTime' from " + currentTime + " to " + targetTime); + logger.warn(error.message); + media.currentTime = targetTime; + hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_NUDGE_ON_STALL, + error: error, + fatal: false + }); + } else { + var _error = new Error("Playhead still not moving while enough data buffered @" + currentTime + " after " + config.nudgeMaxRetry + " nudges"); + logger.error(_error.message); + hls.trigger(Events.ERROR, { + type: ErrorTypes.MEDIA_ERROR, + details: ErrorDetails.BUFFER_STALLED_ERROR, + error: _error, + fatal: true + }); + } + }; + return GapController; + }(); + + var TICK_INTERVAL = 100; // how often to tick in ms + var StreamController = /*#__PURE__*/function (_BaseStreamController) { + _inheritsLoose(StreamController, _BaseStreamController); + function StreamController(hls, fragmentTracker, keyLoader) { + var _this; + _this = _BaseStreamController.call(this, hls, fragmentTracker, keyLoader, '[stream-controller]', PlaylistLevelType.MAIN) || this; + _this.audioCodecSwap = false; + _this.gapController = null; + _this.level = -1; + _this._forceStartLoad = false; + _this.altAudio = false; + _this.audioOnly = false; + _this.fragPlaying = null; + _this.onvplaying = null; + _this.onvseeked = null; + _this.fragLastKbps = 0; + _this.couldBacktrack = false; + _this.backtrackFragment = null; + _this.audioCodecSwitch = false; + _this.videoBuffer = null; + _this._registerListeners(); + return _this; + } + var _proto = StreamController.prototype; + _proto._registerListeners = function _registerListeners() { + var hls = this.hls; + hls.on(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.on(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.on(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.on(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.on(Events.LEVEL_LOADING, this.onLevelLoading, this); + hls.on(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.on(Events.FRAG_LOAD_EMERGENCY_ABORTED, this.onFragLoadEmergencyAborted, this); + hls.on(Events.ERROR, this.onError, this); + hls.on(Events.AUDIO_TRACK_SWITCHING, this.onAudioTrackSwitching, this); + hls.on(Events.AUDIO_TRACK_SWITCHED, this.onAudioTrackSwitched, this); + hls.on(Events.BUFFER_CREATED, this.onBufferCreated, this); + hls.on(Events.BUFFER_FLUSHED, this.onBufferFlushed, this); + hls.on(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.on(Events.FRAG_BUFFERED, this.onFragBuffered, this); + }; + _proto._unregisterListeners = function _unregisterListeners() { + var hls = this.hls; + hls.off(Events.MEDIA_ATTACHED, this.onMediaAttached, this); + hls.off(Events.MEDIA_DETACHING, this.onMediaDetaching, this); + hls.off(Events.MANIFEST_LOADING, this.onManifestLoading, this); + hls.off(Events.MANIFEST_PARSED, this.onManifestParsed, this); + hls.off(Events.LEVEL_LOADED, this.onLevelLoaded, this); + hls.off(Events.FRAG_LOAD_EMERGENCY_ABORTED, this.onFragLoadEmergencyAborted, this); + hls.off(Events.ERROR, this.onError, this); + hls.off(Events.AUDIO_TRACK_SWITCHING, this.onAudioTrackSwitching, this); + hls.off(Events.AUDIO_TRACK_SWITCHED, this.onAudioTrackSwitched, this); + hls.off(Events.BUFFER_CREATED, this.onBufferCreated, this); + hls.off(Events.BUFFER_FLUSHED, this.onBufferFlushed, this); + hls.off(Events.LEVELS_UPDATED, this.onLevelsUpdated, this); + hls.off(Events.FRAG_BUFFERED, this.onFragBuffered, this); + }; + _proto.onHandlerDestroying = function onHandlerDestroying() { + this._unregisterListeners(); + _BaseStreamController.prototype.onHandlerDestroying.call(this); + }; + _proto.startLoad = function startLoad(startPosition) { + if (this.levels) { + var lastCurrentTime = this.lastCurrentTime, + hls = this.hls; + this.stopLoad(); + this.setInterval(TICK_INTERVAL); + this.level = -1; + if (!this.startFragRequested) { + // determine load level + var startLevel = hls.startLevel; + if (startLevel === -1) { + if (hls.config.testBandwidth && this.levels.length > 1) { + // -1 : guess start Level by doing a bitrate test by loading first fragment of lowest quality level + startLevel = 0; + this.bitrateTest = true; + } else { + startLevel = hls.firstAutoLevel; + } + } + // set new level to playlist loader : this will trigger start level load + // hls.nextLoadLevel remains until it is set to a new value or until a new frag is successfully loaded + hls.nextLoadLevel = startLevel; + this.level = hls.loadLevel; + this.loadedmetadata = false; + } + // if startPosition undefined but lastCurrentTime set, set startPosition to last currentTime + if (lastCurrentTime > 0 && startPosition === -1) { + this.log("Override startPosition with lastCurrentTime @" + lastCurrentTime.toFixed(3)); + startPosition = lastCurrentTime; + } + this.state = State.IDLE; + this.nextLoadPosition = this.startPosition = this.lastCurrentTime = startPosition; + this.tick(); + } else { + this._forceStartLoad = true; + this.state = State.STOPPED; + } + }; + _proto.stopLoad = function stopLoad() { + this._forceStartLoad = false; + _BaseStreamController.prototype.stopLoad.call(this); + }; + _proto.doTick = function doTick() { + switch (this.state) { + case State.WAITING_LEVEL: + { + var levels = this.levels, + level = this.level; + var currentLevel = levels == null ? void 0 : levels[level]; + var details = currentLevel == null ? void 0 : currentLevel.details; + if (details && (!details.live || this.levelLastLoaded === currentLevel)) { + if (this.waitForCdnTuneIn(details)) { + break; + } + this.state = State.IDLE; + break; + } else if (this.hls.nextLoadLevel !== this.level) { + this.state = State.IDLE; + break; + } + break; + } + case State.FRAG_LOADING_WAITING_RETRY: + { + var _this$media; + var now = self.performance.now(); + var retryDate = this.retryDate; + // if current time is gt than retryDate, or if media seeking let's switch to IDLE state to retry loading + if (!retryDate || now >= retryDate || (_this$media = this.media) != null && _this$media.seeking) { + var _levels = this.levels, + _level = this.level; + var _currentLevel = _levels == null ? void 0 : _levels[_level]; + this.resetStartWhenNotLoaded(_currentLevel || null); + this.state = State.IDLE; + } + } + break; + } + if (this.state === State.IDLE) { + this.doTickIdle(); + } + this.onTickEnd(); + }; + _proto.onTickEnd = function onTickEnd() { + _BaseStreamController.prototype.onTickEnd.call(this); + this.checkBuffer(); + this.checkFragmentChanged(); + }; + _proto.doTickIdle = function doTickIdle() { + var hls = this.hls, + levelLastLoaded = this.levelLastLoaded, + levels = this.levels, + media = this.media; + + // if start level not parsed yet OR + // if video not attached AND start fragment already requested OR start frag prefetch not enabled + // exit loop, as we either need more info (level not parsed) or we need media to be attached to load new fragment + if (levelLastLoaded === null || !media && (this.startFragRequested || !hls.config.startFragPrefetch)) { + return; + } + + // If the "main" level is audio-only but we are loading an alternate track in the same group, do not load anything + if (this.altAudio && this.audioOnly) { + return; + } + var level = this.buffering ? hls.nextLoadLevel : hls.loadLevel; + if (!(levels != null && levels[level])) { + return; + } + var levelInfo = levels[level]; + + // if buffer length is less than maxBufLen try to load a new fragment + + var bufferInfo = this.getMainFwdBufferInfo(); + if (bufferInfo === null) { + return; + } + var lastDetails = this.getLevelDetails(); + if (lastDetails && this._streamEnded(bufferInfo, lastDetails)) { + var data = {}; + if (this.altAudio) { + data.type = 'video'; + } + this.hls.trigger(Events.BUFFER_EOS, data); + this.state = State.ENDED; + return; + } + if (!this.buffering) { + return; + } + + // set next load level : this will trigger a playlist load if needed + if (hls.loadLevel !== level && hls.manualLevel === -1) { + this.log("Adapting to level " + level + " from level " + this.level); + } + this.level = hls.nextLoadLevel = level; + var levelDetails = levelInfo.details; + // if level info not retrieved yet, switch state and wait for level retrieval + // if live playlist, ensure that new playlist has been refreshed to avoid loading/try to load + // a useless and outdated fragment (that might even introduce load error if it is already out of the live playlist) + if (!levelDetails || this.state === State.WAITING_LEVEL || levelDetails.live && this.levelLastLoaded !== levelInfo) { + this.level = level; + this.state = State.WAITING_LEVEL; + return; + } + var bufferLen = bufferInfo.len; + + // compute max Buffer Length that we could get from this load level, based on level bitrate. don't buffer more than 60 MB and more than 30s + var maxBufLen = this.getMaxBufferLength(levelInfo.maxBitrate); + + // Stay idle if we are still with buffer margins + if (bufferLen >= maxBufLen) { + return; + } + if (this.backtrackFragment && this.backtrackFragment.start > bufferInfo.end) { + this.backtrackFragment = null; + } + var targetBufferTime = this.backtrackFragment ? this.backtrackFragment.start : bufferInfo.end; + var frag = this.getNextFragment(targetBufferTime, levelDetails); + // Avoid backtracking by loading an earlier segment in streams with segments that do not start with a key frame (flagged by `couldBacktrack`) + if (this.couldBacktrack && !this.fragPrevious && frag && frag.sn !== 'initSegment' && this.fragmentTracker.getState(frag) !== FragmentState.OK) { + var _this$backtrackFragme; + var backtrackSn = ((_this$backtrackFragme = this.backtrackFragment) != null ? _this$backtrackFragme : frag).sn; + var fragIdx = backtrackSn - levelDetails.startSN; + var backtrackFrag = levelDetails.fragments[fragIdx - 1]; + if (backtrackFrag && frag.cc === backtrackFrag.cc) { + frag = backtrackFrag; + this.fragmentTracker.removeFragment(backtrackFrag); + } + } else if (this.backtrackFragment && bufferInfo.len) { + this.backtrackFragment = null; + } + // Avoid loop loading by using nextLoadPosition set for backtracking and skipping consecutive GAP tags + if (frag && this.isLoopLoading(frag, targetBufferTime)) { + var gapStart = frag.gap; + if (!gapStart) { + // Cleanup the fragment tracker before trying to find the next unbuffered fragment + var type = this.audioOnly && !this.altAudio ? ElementaryStreamTypes.AUDIO : ElementaryStreamTypes.VIDEO; + var mediaBuffer = (type === ElementaryStreamTypes.VIDEO ? this.videoBuffer : this.mediaBuffer) || this.media; + if (mediaBuffer) { + this.afterBufferFlushed(mediaBuffer, type, PlaylistLevelType.MAIN); + } + } + frag = this.getNextFragmentLoopLoading(frag, levelDetails, bufferInfo, PlaylistLevelType.MAIN, maxBufLen); + } + if (!frag) { + return; + } + if (frag.initSegment && !frag.initSegment.data && !this.bitrateTest) { + frag = frag.initSegment; + } + this.loadFragment(frag, levelInfo, targetBufferTime); + }; + _proto.loadFragment = function loadFragment(frag, level, targetBufferTime) { + // Check if fragment is not loaded + var fragState = this.fragmentTracker.getState(frag); + this.fragCurrent = frag; + if (fragState === FragmentState.NOT_LOADED || fragState === FragmentState.PARTIAL) { + if (frag.sn === 'initSegment') { + this._loadInitSegment(frag, level); + } else if (this.bitrateTest) { + this.log("Fragment " + frag.sn + " of level " + frag.level + " is being downloaded to test bitrate and will not be buffered"); + this._loadBitrateTestFrag(frag, level); + } else { + this.startFragRequested = true; + _BaseStreamController.prototype.loadFragment.call(this, frag, level, targetBufferTime); + } + } else { + this.clearTrackerIfNeeded(frag); + } + }; + _proto.getBufferedFrag = function getBufferedFrag(position) { + return this.fragmentTracker.getBufferedFrag(position, PlaylistLevelType.MAIN); + }; + _proto.followingBufferedFrag = function followingBufferedFrag(frag) { + if (frag) { + // try to get range of next fragment (500ms after this range) + return this.getBufferedFrag(frag.end + 0.5); + } + return null; + } + + /* + on immediate level switch : + - pause playback if playing + - cancel any pending load request + - and trigger a buffer flush + */; + _proto.immediateLevelSwitch = function immediateLevelSwitch() { + this.abortCurrentFrag(); + this.flushMainBuffer(0, Number.POSITIVE_INFINITY); + } + + /** + * try to switch ASAP without breaking video playback: + * in order to ensure smooth but quick level switching, + * we need to find the next flushable buffer range + * we should take into account new segment fetch time + */; + _proto.nextLevelSwitch = function nextLevelSwitch() { + var levels = this.levels, + media = this.media; + // ensure that media is defined and that metadata are available (to retrieve currentTime) + if (media != null && media.readyState) { + var fetchdelay; + var fragPlayingCurrent = this.getAppendedFrag(media.currentTime); + if (fragPlayingCurrent && fragPlayingCurrent.start > 1) { + // flush buffer preceding current fragment (flush until current fragment start offset) + // minus 1s to avoid video freezing, that could happen if we flush keyframe of current video ... + this.flushMainBuffer(0, fragPlayingCurrent.start - 1); + } + var levelDetails = this.getLevelDetails(); + if (levelDetails != null && levelDetails.live) { + var bufferInfo = this.getMainFwdBufferInfo(); + // Do not flush in live stream with low buffer + if (!bufferInfo || bufferInfo.len < levelDetails.targetduration * 2) { + return; + } + } + if (!media.paused && levels) { + // add a safety delay of 1s + var nextLevelId = this.hls.nextLoadLevel; + var nextLevel = levels[nextLevelId]; + var fragLastKbps = this.fragLastKbps; + if (fragLastKbps && this.fragCurrent) { + fetchdelay = this.fragCurrent.duration * nextLevel.maxBitrate / (1000 * fragLastKbps) + 1; + } else { + fetchdelay = 0; + } + } else { + fetchdelay = 0; + } + // this.log('fetchdelay:'+fetchdelay); + // find buffer range that will be reached once new fragment will be fetched + var bufferedFrag = this.getBufferedFrag(media.currentTime + fetchdelay); + if (bufferedFrag) { + // we can flush buffer range following this one without stalling playback + var nextBufferedFrag = this.followingBufferedFrag(bufferedFrag); + if (nextBufferedFrag) { + // if we are here, we can also cancel any loading/demuxing in progress, as they are useless + this.abortCurrentFrag(); + // start flush position is in next buffered frag. Leave some padding for non-independent segments and smoother playback. + var maxStart = nextBufferedFrag.maxStartPTS ? nextBufferedFrag.maxStartPTS : nextBufferedFrag.start; + var fragDuration = nextBufferedFrag.duration; + var startPts = Math.max(bufferedFrag.end, maxStart + Math.min(Math.max(fragDuration - this.config.maxFragLookUpTolerance, fragDuration * (this.couldBacktrack ? 0.5 : 0.125)), fragDuration * (this.couldBacktrack ? 0.75 : 0.25))); + this.flushMainBuffer(startPts, Number.POSITIVE_INFINITY); + } + } + } + }; + _proto.abortCurrentFrag = function abortCurrentFrag() { + var fragCurrent = this.fragCurrent; + this.fragCurrent = null; + this.backtrackFragment = null; + if (fragCurrent) { + fragCurrent.abortRequests(); + this.fragmentTracker.removeFragment(fragCurrent); + } + switch (this.state) { + case State.KEY_LOADING: + case State.FRAG_LOADING: + case State.FRAG_LOADING_WAITING_RETRY: + case State.PARSING: + case State.PARSED: + this.state = State.IDLE; + break; + } + this.nextLoadPosition = this.getLoadPosition(); + }; + _proto.flushMainBuffer = function flushMainBuffer(startOffset, endOffset) { + _BaseStreamController.prototype.flushMainBuffer.call(this, startOffset, endOffset, this.altAudio ? 'video' : null); + }; + _proto.onMediaAttached = function onMediaAttached(event, data) { + _BaseStreamController.prototype.onMediaAttached.call(this, event, data); + var media = data.media; + this.onvplaying = this.onMediaPlaying.bind(this); + this.onvseeked = this.onMediaSeeked.bind(this); + media.addEventListener('playing', this.onvplaying); + media.addEventListener('seeked', this.onvseeked); + this.gapController = new GapController(this.config, media, this.fragmentTracker, this.hls); + }; + _proto.onMediaDetaching = function onMediaDetaching() { + var media = this.media; + if (media && this.onvplaying && this.onvseeked) { + media.removeEventListener('playing', this.onvplaying); + media.removeEventListener('seeked', this.onvseeked); + this.onvplaying = this.onvseeked = null; + this.videoBuffer = null; + } + this.fragPlaying = null; + if (this.gapController) { + this.gapController.destroy(); + this.gapController = null; + } + _BaseStreamController.prototype.onMediaDetaching.call(this); + }; + _proto.onMediaPlaying = function onMediaPlaying() { + // tick to speed up FRAG_CHANGED triggering + this.tick(); + }; + _proto.onMediaSeeked = function onMediaSeeked() { + var media = this.media; + var currentTime = media ? media.currentTime : null; + if (isFiniteNumber(currentTime)) { + this.log("Media seeked to " + currentTime.toFixed(3)); + } + + // If seeked was issued before buffer was appended do not tick immediately + var bufferInfo = this.getMainFwdBufferInfo(); + if (bufferInfo === null || bufferInfo.len === 0) { + this.warn("Main forward buffer length on \"seeked\" event " + (bufferInfo ? bufferInfo.len : 'empty') + ")"); + return; + } + + // tick to speed up FRAG_CHANGED triggering + this.tick(); + }; + _proto.onManifestLoading = function onManifestLoading() { + // reset buffer on manifest loading + this.log('Trigger BUFFER_RESET'); + this.hls.trigger(Events.BUFFER_RESET, undefined); + this.fragmentTracker.removeAllFragments(); + this.couldBacktrack = false; + this.startPosition = this.lastCurrentTime = this.fragLastKbps = 0; + this.levels = this.fragPlaying = this.backtrackFragment = this.levelLastLoaded = null; + this.altAudio = this.audioOnly = this.startFragRequested = false; + }; + _proto.onManifestParsed = function onManifestParsed(event, data) { + // detect if we have different kind of audio codecs used amongst playlists + var aac = false; + var heaac = false; + data.levels.forEach(function (level) { + var codec = level.audioCodec; + if (codec) { + aac = aac || codec.indexOf('mp4a.40.2') !== -1; + heaac = heaac || codec.indexOf('mp4a.40.5') !== -1; + } + }); + this.audioCodecSwitch = aac && heaac && !changeTypeSupported(); + if (this.audioCodecSwitch) { + this.log('Both AAC/HE-AAC audio found in levels; declaring level codec as HE-AAC'); + } + this.levels = data.levels; + this.startFragRequested = false; + }; + _proto.onLevelLoading = function onLevelLoading(event, data) { + var levels = this.levels; + if (!levels || this.state !== State.IDLE) { + return; + } + var level = levels[data.level]; + if (!level.details || level.details.live && this.levelLastLoaded !== level || this.waitForCdnTuneIn(level.details)) { + this.state = State.WAITING_LEVEL; + } + }; + _proto.onLevelLoaded = function onLevelLoaded(event, data) { + var _curLevel$details; + var levels = this.levels; + var newLevelId = data.level; + var newDetails = data.details; + var duration = newDetails.totalduration; + if (!levels) { + this.warn("Levels were reset while loading level " + newLevelId); + return; + } + this.log("Level " + newLevelId + " loaded [" + newDetails.startSN + "," + newDetails.endSN + "]" + (newDetails.lastPartSn ? "[part-" + newDetails.lastPartSn + "-" + newDetails.lastPartIndex + "]" : '') + ", cc [" + newDetails.startCC + ", " + newDetails.endCC + "] duration:" + duration); + var curLevel = levels[newLevelId]; + var fragCurrent = this.fragCurrent; + if (fragCurrent && (this.state === State.FRAG_LOADING || this.state === State.FRAG_LOADING_WAITING_RETRY)) { + if (fragCurrent.level !== data.level && fragCurrent.loader) { + this.abortCurrentFrag(); + } + } + var sliding = 0; + if (newDetails.live || (_curLevel$details = curLevel.details) != null && _curLevel$details.live) { + var _this$levelLastLoaded; + this.checkLiveUpdate(newDetails); + if (newDetails.deltaUpdateFailed) { + return; + } + sliding = this.alignPlaylists(newDetails, curLevel.details, (_this$levelLastLoaded = this.levelLastLoaded) == null ? void 0 : _this$levelLastLoaded.details); + } + // override level info + curLevel.details = newDetails; + this.levelLastLoaded = curLevel; + this.hls.trigger(Events.LEVEL_UPDATED, { + details: newDetails, + level: newLevelId + }); + + // only switch back to IDLE state if we were waiting for level to start downloading a new fragment + if (this.state === State.WAITING_LEVEL) { + if (this.waitForCdnTuneIn(newDetails)) { + // Wait for Low-Latency CDN Tune-in + return; + } + this.state = State.IDLE; + } + if (!this.startFragRequested) { + this.setStartPosition(newDetails, sliding); + } else if (newDetails.live) { + this.synchronizeToLiveEdge(newDetails); + } + + // trigger handler right now + this.tick(); + }; + _proto._handleFragmentLoadProgress = function _handleFragmentLoadProgress(data) { + var _frag$initSegment; + var frag = data.frag, + part = data.part, + payload = data.payload; + var levels = this.levels; + if (!levels) { + this.warn("Levels were reset while fragment load was in progress. Fragment " + frag.sn + " of level " + frag.level + " will not be buffered"); + return; + } + var currentLevel = levels[frag.level]; + var details = currentLevel.details; + if (!details) { + this.warn("Dropping fragment " + frag.sn + " of level " + frag.level + " after level details were reset"); + this.fragmentTracker.removeFragment(frag); + return; + } + var videoCodec = currentLevel.videoCodec; + + // time Offset is accurate if level PTS is known, or if playlist is not sliding (not live) + var accurateTimeOffset = details.PTSKnown || !details.live; + var initSegmentData = (_frag$initSegment = frag.initSegment) == null ? void 0 : _frag$initSegment.data; + var audioCodec = this._getAudioCodec(currentLevel); + + // transmux the MPEG-TS data to ISO-BMFF segments + // this.log(`Transmuxing ${frag.sn} of [${details.startSN} ,${details.endSN}],level ${frag.level}, cc ${frag.cc}`); + var transmuxer = this.transmuxer = this.transmuxer || new TransmuxerInterface(this.hls, PlaylistLevelType.MAIN, this._handleTransmuxComplete.bind(this), this._handleTransmuxerFlush.bind(this)); + var partIndex = part ? part.index : -1; + var partial = partIndex !== -1; + var chunkMeta = new ChunkMetadata(frag.level, frag.sn, frag.stats.chunkCount, payload.byteLength, partIndex, partial); + var initPTS = this.initPTS[frag.cc]; + transmuxer.push(payload, initSegmentData, audioCodec, videoCodec, frag, part, details.totalduration, accurateTimeOffset, chunkMeta, initPTS); + }; + _proto.onAudioTrackSwitching = function onAudioTrackSwitching(event, data) { + // if any URL found on new audio track, it is an alternate audio track + var fromAltAudio = this.altAudio; + var altAudio = !!data.url; + // if we switch on main audio, ensure that main fragment scheduling is synced with media.buffered + // don't do anything if we switch to alt audio: audio stream controller is handling it. + // we will just have to change buffer scheduling on audioTrackSwitched + if (!altAudio) { + if (this.mediaBuffer !== this.media) { + this.log('Switching on main audio, use media.buffered to schedule main fragment loading'); + this.mediaBuffer = this.media; + var fragCurrent = this.fragCurrent; + // we need to refill audio buffer from main: cancel any frag loading to speed up audio switch + if (fragCurrent) { + this.log('Switching to main audio track, cancel main fragment load'); + fragCurrent.abortRequests(); + this.fragmentTracker.removeFragment(fragCurrent); + } + // destroy transmuxer to force init segment generation (following audio switch) + this.resetTransmuxer(); + // switch to IDLE state to load new fragment + this.resetLoadingState(); + } else if (this.audioOnly) { + // Reset audio transmuxer so when switching back to main audio we're not still appending where we left off + this.resetTransmuxer(); + } + var hls = this.hls; + // If switching from alt to main audio, flush all audio and trigger track switched + if (fromAltAudio) { + hls.trigger(Events.BUFFER_FLUSHING, { + startOffset: 0, + endOffset: Number.POSITIVE_INFINITY, + type: null + }); + this.fragmentTracker.removeAllFragments(); + } + hls.trigger(Events.AUDIO_TRACK_SWITCHED, data); + } + }; + _proto.onAudioTrackSwitched = function onAudioTrackSwitched(event, data) { + var trackId = data.id; + var altAudio = !!this.hls.audioTracks[trackId].url; + if (altAudio) { + var videoBuffer = this.videoBuffer; + // if we switched on alternate audio, ensure that main fragment scheduling is synced with video sourcebuffer buffered + if (videoBuffer && this.mediaBuffer !== videoBuffer) { + this.log('Switching on alternate audio, use video.buffered to schedule main fragment loading'); + this.mediaBuffer = videoBuffer; + } + } + this.altAudio = altAudio; + this.tick(); + }; + _proto.onBufferCreated = function onBufferCreated(event, data) { + var tracks = data.tracks; + var mediaTrack; + var name; + var alternate = false; + for (var type in tracks) { + var track = tracks[type]; + if (track.id === 'main') { + name = type; + mediaTrack = track; + // keep video source buffer reference + if (type === 'video') { + var videoTrack = tracks[type]; + if (videoTrack) { + this.videoBuffer = videoTrack.buffer; + } + } + } else { + alternate = true; + } + } + if (alternate && mediaTrack) { + this.log("Alternate track found, use " + name + ".buffered to schedule main fragment loading"); + this.mediaBuffer = mediaTrack.buffer; + } else { + this.mediaBuffer = this.media; + } + }; + _proto.onFragBuffered = function onFragBuffered(event, data) { + var frag = data.frag, + part = data.part; + if (frag && frag.type !== PlaylistLevelType.MAIN) { + return; + } + if (this.fragContextChanged(frag)) { + // If a level switch was requested while a fragment was buffering, it will emit the FRAG_BUFFERED event upon completion + // Avoid setting state back to IDLE, since that will interfere with a level switch + this.warn("Fragment " + frag.sn + (part ? ' p: ' + part.index : '') + " of level " + frag.level + " finished buffering, but was aborted. state: " + this.state); + if (this.state === State.PARSED) { + this.state = State.IDLE; + } + return; + } + var stats = part ? part.stats : frag.stats; + this.fragLastKbps = Math.round(8 * stats.total / (stats.buffering.end - stats.loading.first)); + if (frag.sn !== 'initSegment') { + this.fragPrevious = frag; + } + this.fragBufferedComplete(frag, part); + }; + _proto.onError = function onError(event, data) { + var _data$context; + if (data.fatal) { + this.state = State.ERROR; + return; + } + switch (data.details) { + case ErrorDetails.FRAG_GAP: + case ErrorDetails.FRAG_PARSING_ERROR: + case ErrorDetails.FRAG_DECRYPT_ERROR: + case ErrorDetails.FRAG_LOAD_ERROR: + case ErrorDetails.FRAG_LOAD_TIMEOUT: + case ErrorDetails.KEY_LOAD_ERROR: + case ErrorDetails.KEY_LOAD_TIMEOUT: + this.onFragmentOrKeyLoadError(PlaylistLevelType.MAIN, data); + break; + case ErrorDetails.LEVEL_LOAD_ERROR: + case ErrorDetails.LEVEL_LOAD_TIMEOUT: + case ErrorDetails.LEVEL_PARSING_ERROR: + // in case of non fatal error while loading level, if level controller is not retrying to load level, switch back to IDLE + if (!data.levelRetry && this.state === State.WAITING_LEVEL && ((_data$context = data.context) == null ? void 0 : _data$context.type) === PlaylistContextType.LEVEL) { + this.state = State.IDLE; + } + break; + case ErrorDetails.BUFFER_APPEND_ERROR: + case ErrorDetails.BUFFER_FULL_ERROR: + if (!data.parent || data.parent !== 'main') { + return; + } + if (data.details === ErrorDetails.BUFFER_APPEND_ERROR) { + this.resetLoadingState(); + return; + } + if (this.reduceLengthAndFlushBuffer(data)) { + this.flushMainBuffer(0, Number.POSITIVE_INFINITY); + } + break; + case ErrorDetails.INTERNAL_EXCEPTION: + this.recoverWorkerError(data); + break; + } + } + + // Checks the health of the buffer and attempts to resolve playback stalls. + ; + _proto.checkBuffer = function checkBuffer() { + var media = this.media, + gapController = this.gapController; + if (!media || !gapController || !media.readyState) { + // Exit early if we don't have media or if the media hasn't buffered anything yet (readyState 0) + return; + } + if (this.loadedmetadata || !BufferHelper.getBuffered(media).length) { + // Resolve gaps using the main buffer, whose ranges are the intersections of the A/V sourcebuffers + var activeFrag = this.state !== State.IDLE ? this.fragCurrent : null; + gapController.poll(this.lastCurrentTime, activeFrag); + } + this.lastCurrentTime = media.currentTime; + }; + _proto.onFragLoadEmergencyAborted = function onFragLoadEmergencyAborted() { + this.state = State.IDLE; + // if loadedmetadata is not set, it means that we are emergency switch down on first frag + // in that case, reset startFragRequested flag + if (!this.loadedmetadata) { + this.startFragRequested = false; + this.nextLoadPosition = this.startPosition; + } + this.tickImmediate(); + }; + _proto.onBufferFlushed = function onBufferFlushed(event, _ref) { + var type = _ref.type; + if (type !== ElementaryStreamTypes.AUDIO || this.audioOnly && !this.altAudio) { + var mediaBuffer = (type === ElementaryStreamTypes.VIDEO ? this.videoBuffer : this.mediaBuffer) || this.media; + this.afterBufferFlushed(mediaBuffer, type, PlaylistLevelType.MAIN); + this.tick(); + } + }; + _proto.onLevelsUpdated = function onLevelsUpdated(event, data) { + if (this.level > -1 && this.fragCurrent) { + this.level = this.fragCurrent.level; + } + this.levels = data.levels; + }; + _proto.swapAudioCodec = function swapAudioCodec() { + this.audioCodecSwap = !this.audioCodecSwap; + } + + /** + * Seeks to the set startPosition if not equal to the mediaElement's current time. + */; + _proto.seekToStartPos = function seekToStartPos() { + var media = this.media; + if (!media) { + return; + } + var currentTime = media.currentTime; + var startPosition = this.startPosition; + // only adjust currentTime if different from startPosition or if startPosition not buffered + // at that stage, there should be only one buffered range, as we reach that code after first fragment has been buffered + if (startPosition >= 0 && currentTime < startPosition) { + if (media.seeking) { + this.log("could not seek to " + startPosition + ", already seeking at " + currentTime); + return; + } + var buffered = BufferHelper.getBuffered(media); + var bufferStart = buffered.length ? buffered.start(0) : 0; + var delta = bufferStart - startPosition; + if (delta > 0 && (delta < this.config.maxBufferHole || delta < this.config.maxFragLookUpTolerance)) { + this.log("adjusting start position by " + delta + " to match buffer start"); + startPosition += delta; + this.startPosition = startPosition; + } + this.log("seek to target start position " + startPosition + " from current time " + currentTime); + media.currentTime = startPosition; + } + }; + _proto._getAudioCodec = function _getAudioCodec(currentLevel) { + var audioCodec = this.config.defaultAudioCodec || currentLevel.audioCodec; + if (this.audioCodecSwap && audioCodec) { + this.log('Swapping audio codec'); + if (audioCodec.indexOf('mp4a.40.5') !== -1) { + audioCodec = 'mp4a.40.2'; + } else { + audioCodec = 'mp4a.40.5'; + } + } + return audioCodec; + }; + _proto._loadBitrateTestFrag = function _loadBitrateTestFrag(frag, level) { + var _this2 = this; + frag.bitrateTest = true; + this._doFragLoad(frag, level).then(function (data) { + var hls = _this2.hls; + if (!data || _this2.fragContextChanged(frag)) { + return; + } + level.fragmentError = 0; + _this2.state = State.IDLE; + _this2.startFragRequested = false; + _this2.bitrateTest = false; + var stats = frag.stats; + // Bitrate tests fragments are neither parsed nor buffered + stats.parsing.start = stats.parsing.end = stats.buffering.start = stats.buffering.end = self.performance.now(); + hls.trigger(Events.FRAG_LOADED, data); + frag.bitrateTest = false; + }); + }; + _proto._handleTransmuxComplete = function _handleTransmuxComplete(transmuxResult) { + var _id3$samples; + var id = 'main'; + var hls = this.hls; + var remuxResult = transmuxResult.remuxResult, + chunkMeta = transmuxResult.chunkMeta; + var context = this.getCurrentContext(chunkMeta); + if (!context) { + this.resetWhenMissingContext(chunkMeta); + return; + } + var frag = context.frag, + part = context.part, + level = context.level; + var video = remuxResult.video, + text = remuxResult.text, + id3 = remuxResult.id3, + initSegment = remuxResult.initSegment; + var details = level.details; + // The audio-stream-controller handles audio buffering if Hls.js is playing an alternate audio track + var audio = this.altAudio ? undefined : remuxResult.audio; + + // Check if the current fragment has been aborted. We check this by first seeing if we're still playing the current level. + // If we are, subsequently check if the currently loading fragment (fragCurrent) has changed. + if (this.fragContextChanged(frag)) { + this.fragmentTracker.removeFragment(frag); + return; + } + this.state = State.PARSING; + if (initSegment) { + if (initSegment != null && initSegment.tracks) { + var mapFragment = frag.initSegment || frag; + this._bufferInitSegment(level, initSegment.tracks, mapFragment, chunkMeta); + hls.trigger(Events.FRAG_PARSING_INIT_SEGMENT, { + frag: mapFragment, + id: id, + tracks: initSegment.tracks + }); + } + + // This would be nice if Number.isFinite acted as a typeguard, but it doesn't. See: https://github.com/Microsoft/TypeScript/issues/10038 + var initPTS = initSegment.initPTS; + var timescale = initSegment.timescale; + if (isFiniteNumber(initPTS)) { + this.initPTS[frag.cc] = { + baseTime: initPTS, + timescale: timescale + }; + hls.trigger(Events.INIT_PTS_FOUND, { + frag: frag, + id: id, + initPTS: initPTS, + timescale: timescale + }); + } + } + + // Avoid buffering if backtracking this fragment + if (video && details && frag.sn !== 'initSegment') { + var prevFrag = details.fragments[frag.sn - 1 - details.startSN]; + var isFirstFragment = frag.sn === details.startSN; + var isFirstInDiscontinuity = !prevFrag || frag.cc > prevFrag.cc; + if (remuxResult.independent !== false) { + var startPTS = video.startPTS, + endPTS = video.endPTS, + startDTS = video.startDTS, + endDTS = video.endDTS; + if (part) { + part.elementaryStreams[video.type] = { + startPTS: startPTS, + endPTS: endPTS, + startDTS: startDTS, + endDTS: endDTS + }; + } else { + if (video.firstKeyFrame && video.independent && chunkMeta.id === 1 && !isFirstInDiscontinuity) { + this.couldBacktrack = true; + } + if (video.dropped && video.independent) { + // Backtrack if dropped frames create a gap after currentTime + + var bufferInfo = this.getMainFwdBufferInfo(); + var targetBufferTime = (bufferInfo ? bufferInfo.end : this.getLoadPosition()) + this.config.maxBufferHole; + var startTime = video.firstKeyFramePTS ? video.firstKeyFramePTS : startPTS; + if (!isFirstFragment && targetBufferTime < startTime - this.config.maxBufferHole && !isFirstInDiscontinuity) { + this.backtrack(frag); + return; + } else if (isFirstInDiscontinuity) { + // Mark segment with a gap to avoid loop loading + frag.gap = true; + } + // Set video stream start to fragment start so that truncated samples do not distort the timeline, and mark it partial + frag.setElementaryStreamInfo(video.type, frag.start, endPTS, frag.start, endDTS, true); + } else if (isFirstFragment && startPTS > MAX_START_GAP_JUMP) { + // Mark segment with a gap to skip large start gap + frag.gap = true; + } + } + frag.setElementaryStreamInfo(video.type, startPTS, endPTS, startDTS, endDTS); + if (this.backtrackFragment) { + this.backtrackFragment = frag; + } + this.bufferFragmentData(video, frag, part, chunkMeta, isFirstFragment || isFirstInDiscontinuity); + } else if (isFirstFragment || isFirstInDiscontinuity) { + // Mark segment with a gap to avoid loop loading + frag.gap = true; + } else { + this.backtrack(frag); + return; + } + } + if (audio) { + var _startPTS = audio.startPTS, + _endPTS = audio.endPTS, + _startDTS = audio.startDTS, + _endDTS = audio.endDTS; + if (part) { + part.elementaryStreams[ElementaryStreamTypes.AUDIO] = { + startPTS: _startPTS, + endPTS: _endPTS, + startDTS: _startDTS, + endDTS: _endDTS + }; + } + frag.setElementaryStreamInfo(ElementaryStreamTypes.AUDIO, _startPTS, _endPTS, _startDTS, _endDTS); + this.bufferFragmentData(audio, frag, part, chunkMeta); + } + if (details && id3 != null && (_id3$samples = id3.samples) != null && _id3$samples.length) { + var emittedID3 = { + id: id, + frag: frag, + details: details, + samples: id3.samples + }; + hls.trigger(Events.FRAG_PARSING_METADATA, emittedID3); + } + if (details && text) { + var emittedText = { + id: id, + frag: frag, + details: details, + samples: text.samples + }; + hls.trigger(Events.FRAG_PARSING_USERDATA, emittedText); + } + }; + _proto._bufferInitSegment = function _bufferInitSegment(currentLevel, tracks, frag, chunkMeta) { + var _this3 = this; + if (this.state !== State.PARSING) { + return; + } + this.audioOnly = !!tracks.audio && !tracks.video; + + // if audio track is expected to come from audio stream controller, discard any coming from main + if (this.altAudio && !this.audioOnly) { + delete tracks.audio; + } + // include levelCodec in audio and video tracks + var audio = tracks.audio, + video = tracks.video, + audiovideo = tracks.audiovideo; + if (audio) { + var audioCodec = currentLevel.audioCodec; + var ua = navigator.userAgent.toLowerCase(); + if (this.audioCodecSwitch) { + if (audioCodec) { + if (audioCodec.indexOf('mp4a.40.5') !== -1) { + audioCodec = 'mp4a.40.2'; + } else { + audioCodec = 'mp4a.40.5'; + } + } + // In the case that AAC and HE-AAC audio codecs are signalled in manifest, + // force HE-AAC, as it seems that most browsers prefers it. + // don't force HE-AAC if mono stream, or in Firefox + var audioMetadata = audio.metadata; + if (audioMetadata && 'channelCount' in audioMetadata && (audioMetadata.channelCount || 1) !== 1 && ua.indexOf('firefox') === -1) { + audioCodec = 'mp4a.40.5'; + } + } + // HE-AAC is broken on Android, always signal audio codec as AAC even if variant manifest states otherwise + if (audioCodec && audioCodec.indexOf('mp4a.40.5') !== -1 && ua.indexOf('android') !== -1 && audio.container !== 'audio/mpeg') { + // Exclude mpeg audio + audioCodec = 'mp4a.40.2'; + this.log("Android: force audio codec to " + audioCodec); + } + if (currentLevel.audioCodec && currentLevel.audioCodec !== audioCodec) { + this.log("Swapping manifest audio codec \"" + currentLevel.audioCodec + "\" for \"" + audioCodec + "\""); + } + audio.levelCodec = audioCodec; + audio.id = 'main'; + this.log("Init audio buffer, container:" + audio.container + ", codecs[selected/level/parsed]=[" + (audioCodec || '') + "/" + (currentLevel.audioCodec || '') + "/" + audio.codec + "]"); + } + if (video) { + video.levelCodec = currentLevel.videoCodec; + video.id = 'main'; + this.log("Init video buffer, container:" + video.container + ", codecs[level/parsed]=[" + (currentLevel.videoCodec || '') + "/" + video.codec + "]"); + } + if (audiovideo) { + this.log("Init audiovideo buffer, container:" + audiovideo.container + ", codecs[level/parsed]=[" + currentLevel.codecs + "/" + audiovideo.codec + "]"); + } + this.hls.trigger(Events.BUFFER_CODECS, tracks); + // loop through tracks that are going to be provided to bufferController + Object.keys(tracks).forEach(function (trackName) { + var track = tracks[trackName]; + var initSegment = track.initSegment; + if (initSegment != null && initSegment.byteLength) { + _this3.hls.trigger(Events.BUFFER_APPENDING, { + type: trackName, + data: initSegment, + frag: frag, + part: null, + chunkMeta: chunkMeta, + parent: frag.type + }); + } + }); + // trigger handler right now + this.tickImmediate(); + }; + _proto.getMainFwdBufferInfo = function getMainFwdBufferInfo() { + return this.getFwdBufferInfo(this.mediaBuffer ? this.mediaBuffer : this.media, PlaylistLevelType.MAIN); + }; + _proto.backtrack = function backtrack(frag) { + this.couldBacktrack = true; + // Causes findFragments to backtrack through fragments to find the keyframe + this.backtrackFragment = frag; + this.resetTransmuxer(); + this.flushBufferGap(frag); + this.fragmentTracker.removeFragment(frag); + this.fragPrevious = null; + this.nextLoadPosition = frag.start; + this.state = State.IDLE; + }; + _proto.checkFragmentChanged = function checkFragmentChanged() { + var video = this.media; + var fragPlayingCurrent = null; + if (video && video.readyState > 1 && video.seeking === false) { + var currentTime = video.currentTime; + /* if video element is in seeked state, currentTime can only increase. + (assuming that playback rate is positive ...) + As sometimes currentTime jumps back to zero after a + media decode error, check this, to avoid seeking back to + wrong position after a media decode error + */ + + if (BufferHelper.isBuffered(video, currentTime)) { + fragPlayingCurrent = this.getAppendedFrag(currentTime); + } else if (BufferHelper.isBuffered(video, currentTime + 0.1)) { + /* ensure that FRAG_CHANGED event is triggered at startup, + when first video frame is displayed and playback is paused. + add a tolerance of 100ms, in case current position is not buffered, + check if current pos+100ms is buffered and use that buffer range + for FRAG_CHANGED event reporting */ + fragPlayingCurrent = this.getAppendedFrag(currentTime + 0.1); + } + if (fragPlayingCurrent) { + this.backtrackFragment = null; + var fragPlaying = this.fragPlaying; + var fragCurrentLevel = fragPlayingCurrent.level; + if (!fragPlaying || fragPlayingCurrent.sn !== fragPlaying.sn || fragPlaying.level !== fragCurrentLevel) { + this.fragPlaying = fragPlayingCurrent; + this.hls.trigger(Events.FRAG_CHANGED, { + frag: fragPlayingCurrent + }); + if (!fragPlaying || fragPlaying.level !== fragCurrentLevel) { + this.hls.trigger(Events.LEVEL_SWITCHED, { + level: fragCurrentLevel + }); + } + } + } + } + }; + _createClass(StreamController, [{ + key: "nextLevel", + get: function get() { + var frag = this.nextBufferedFrag; + if (frag) { + return frag.level; + } + return -1; + } + }, { + key: "currentFrag", + get: function get() { + var media = this.media; + if (media) { + return this.fragPlaying || this.getAppendedFrag(media.currentTime); + } + return null; + } + }, { + key: "currentProgramDateTime", + get: function get() { + var media = this.media; + if (media) { + var currentTime = media.currentTime; + var frag = this.currentFrag; + if (frag && isFiniteNumber(currentTime) && isFiniteNumber(frag.programDateTime)) { + var epocMs = frag.programDateTime + (currentTime - frag.start) * 1000; + return new Date(epocMs); + } + } + return null; + } + }, { + key: "currentLevel", + get: function get() { + var frag = this.currentFrag; + if (frag) { + return frag.level; + } + return -1; + } + }, { + key: "nextBufferedFrag", + get: function get() { + var frag = this.currentFrag; + if (frag) { + return this.followingBufferedFrag(frag); + } + return null; + } + }, { + key: "forceStartLoad", + get: function get() { + return this._forceStartLoad; + } + }]); + return StreamController; + }(BaseStreamController); + + /** + * The `Hls` class is the core of the HLS.js library used to instantiate player instances. + * @public + */ + var Hls = /*#__PURE__*/function () { + /** + * Check if the required MediaSource Extensions are available. + */ + Hls.isMSESupported = function isMSESupported$1() { + return isMSESupported(); + } + + /** + * Check if MediaSource Extensions are available and isTypeSupported checks pass for any baseline codecs. + */; + Hls.isSupported = function isSupported$1() { + return isSupported(); + } + + /** + * Get the MediaSource global used for MSE playback (ManagedMediaSource, MediaSource, or WebKitMediaSource). + */; + Hls.getMediaSource = function getMediaSource$1() { + return getMediaSource(); + }; + /** + * Creates an instance of an HLS client that can attach to exactly one `HTMLMediaElement`. + * @param userConfig - Configuration options applied over `Hls.DefaultConfig` + */ + function Hls(userConfig) { + if (userConfig === void 0) { + userConfig = {}; + } + /** + * The runtime configuration used by the player. At instantiation this is combination of `hls.userConfig` merged over `Hls.DefaultConfig`. + */ + this.config = void 0; + /** + * The configuration object provided on player instantiation. + */ + this.userConfig = void 0; + this.coreComponents = void 0; + this.networkControllers = void 0; + this.started = false; + this._emitter = new EventEmitter(); + this._autoLevelCapping = -1; + this._maxHdcpLevel = null; + this.abrController = void 0; + this.bufferController = void 0; + this.capLevelController = void 0; + this.latencyController = void 0; + this.levelController = void 0; + this.streamController = void 0; + this.audioTrackController = void 0; + this.subtitleTrackController = void 0; + this.emeController = void 0; + this.cmcdController = void 0; + this._media = null; + this.url = null; + this.triggeringException = void 0; + enableLogs(userConfig.debug || false, 'Hls instance'); + var config = this.config = mergeConfig(Hls.DefaultConfig, userConfig); + this.userConfig = userConfig; + if (config.progressive) { + enableStreamingMode(config); + } + + // core controllers and network loaders + var ConfigAbrController = config.abrController, + ConfigBufferController = config.bufferController, + ConfigCapLevelController = config.capLevelController, + ConfigErrorController = config.errorController, + ConfigFpsController = config.fpsController; + var errorController = new ConfigErrorController(this); + var abrController = this.abrController = new ConfigAbrController(this); + var bufferController = this.bufferController = new ConfigBufferController(this); + var capLevelController = this.capLevelController = new ConfigCapLevelController(this); + var fpsController = new ConfigFpsController(this); + var playListLoader = new PlaylistLoader(this); + var id3TrackController = new ID3TrackController(this); + var ConfigContentSteeringController = config.contentSteeringController; + // ConentSteeringController is defined before LevelController to receive Multivariant Playlist events first + var contentSteering = ConfigContentSteeringController ? new ConfigContentSteeringController(this) : null; + var levelController = this.levelController = new LevelController(this, contentSteering); + // FragmentTracker must be defined before StreamController because the order of event handling is important + var fragmentTracker = new FragmentTracker(this); + var keyLoader = new KeyLoader(this.config); + var streamController = this.streamController = new StreamController(this, fragmentTracker, keyLoader); + + // Cap level controller uses streamController to flush the buffer + capLevelController.setStreamController(streamController); + // fpsController uses streamController to switch when frames are being dropped + fpsController.setStreamController(streamController); + var networkControllers = [playListLoader, levelController, streamController]; + if (contentSteering) { + networkControllers.splice(1, 0, contentSteering); + } + this.networkControllers = networkControllers; + var coreComponents = [abrController, bufferController, capLevelController, fpsController, id3TrackController, fragmentTracker]; + this.audioTrackController = this.createController(config.audioTrackController, networkControllers); + var AudioStreamControllerClass = config.audioStreamController; + if (AudioStreamControllerClass) { + networkControllers.push(new AudioStreamControllerClass(this, fragmentTracker, keyLoader)); + } + // subtitleTrackController must be defined before subtitleStreamController because the order of event handling is important + this.subtitleTrackController = this.createController(config.subtitleTrackController, networkControllers); + var SubtitleStreamControllerClass = config.subtitleStreamController; + if (SubtitleStreamControllerClass) { + networkControllers.push(new SubtitleStreamControllerClass(this, fragmentTracker, keyLoader)); + } + this.createController(config.timelineController, coreComponents); + keyLoader.emeController = this.emeController = this.createController(config.emeController, coreComponents); + this.cmcdController = this.createController(config.cmcdController, coreComponents); + this.latencyController = this.createController(LatencyController, coreComponents); + this.coreComponents = coreComponents; + + // Error controller handles errors before and after all other controllers + // This listener will be invoked after all other controllers error listeners + networkControllers.push(errorController); + var onErrorOut = errorController.onErrorOut; + if (typeof onErrorOut === 'function') { + this.on(Events.ERROR, onErrorOut, errorController); + } + } + var _proto = Hls.prototype; + _proto.createController = function createController(ControllerClass, components) { + if (ControllerClass) { + var controllerInstance = new ControllerClass(this); + if (components) { + components.push(controllerInstance); + } + return controllerInstance; + } + return null; + } + + // Delegate the EventEmitter through the public API of Hls.js + ; + _proto.on = function on(event, listener, context) { + if (context === void 0) { + context = this; + } + this._emitter.on(event, listener, context); + }; + _proto.once = function once(event, listener, context) { + if (context === void 0) { + context = this; + } + this._emitter.once(event, listener, context); + }; + _proto.removeAllListeners = function removeAllListeners(event) { + this._emitter.removeAllListeners(event); + }; + _proto.off = function off(event, listener, context, once) { + if (context === void 0) { + context = this; + } + this._emitter.off(event, listener, context, once); + }; + _proto.listeners = function listeners(event) { + return this._emitter.listeners(event); + }; + _proto.emit = function emit(event, name, eventObject) { + return this._emitter.emit(event, name, eventObject); + }; + _proto.trigger = function trigger(event, eventObject) { + if (this.config.debug) { + return this.emit(event, event, eventObject); + } else { + try { + return this.emit(event, event, eventObject); + } catch (error) { + logger.error('An internal error happened while handling event ' + event + '. Error message: "' + error.message + '". Here is a stacktrace:', error); + // Prevent recursion in error event handlers that throw #5497 + if (!this.triggeringException) { + this.triggeringException = true; + var fatal = event === Events.ERROR; + this.trigger(Events.ERROR, { + type: ErrorTypes.OTHER_ERROR, + details: ErrorDetails.INTERNAL_EXCEPTION, + fatal: fatal, + event: event, + error: error + }); + this.triggeringException = false; + } + } + } + return false; + }; + _proto.listenerCount = function listenerCount(event) { + return this._emitter.listenerCount(event); + } + + /** + * Dispose of the instance + */; + _proto.destroy = function destroy() { + logger.log('destroy'); + this.trigger(Events.DESTROYING, undefined); + this.detachMedia(); + this.removeAllListeners(); + this._autoLevelCapping = -1; + this.url = null; + this.networkControllers.forEach(function (component) { + return component.destroy(); + }); + this.networkControllers.length = 0; + this.coreComponents.forEach(function (component) { + return component.destroy(); + }); + this.coreComponents.length = 0; + // Remove any references that could be held in config options or callbacks + var config = this.config; + config.xhrSetup = config.fetchSetup = undefined; + // @ts-ignore + this.userConfig = null; + } + + /** + * Attaches Hls.js to a media element + */; + _proto.attachMedia = function attachMedia(media) { + logger.log('attachMedia'); + this._media = media; + this.trigger(Events.MEDIA_ATTACHING, { + media: media + }); + } + + /** + * Detach Hls.js from the media + */; + _proto.detachMedia = function detachMedia() { + logger.log('detachMedia'); + this.trigger(Events.MEDIA_DETACHING, undefined); + this._media = null; + } + + /** + * Set the source URL. Can be relative or absolute. + */; + _proto.loadSource = function loadSource(url) { + this.stopLoad(); + var media = this.media; + var loadedSource = this.url; + var loadingSource = this.url = urlToolkitExports.buildAbsoluteURL(self.location.href, url, { + alwaysNormalize: true + }); + this._autoLevelCapping = -1; + this._maxHdcpLevel = null; + logger.log("loadSource:" + loadingSource); + if (media && loadedSource && (loadedSource !== loadingSource || this.bufferController.hasSourceTypes())) { + this.detachMedia(); + this.attachMedia(media); + } + // when attaching to a source URL, trigger a playlist load + this.trigger(Events.MANIFEST_LOADING, { + url: url + }); + } + + /** + * Start loading data from the stream source. + * Depending on default config, client starts loading automatically when a source is set. + * + * @param startPosition - Set the start position to stream from. + * Defaults to -1 (None: starts from earliest point) + */; + _proto.startLoad = function startLoad(startPosition) { + if (startPosition === void 0) { + startPosition = -1; + } + logger.log("startLoad(" + startPosition + ")"); + this.started = true; + this.resumeBuffering(); + for (var i = 0; i < this.networkControllers.length; i++) { + this.networkControllers[i].startLoad(startPosition); + if (!this.started || !this.networkControllers) { + break; + } + } + } + + /** + * Stop loading of any stream data. + */; + _proto.stopLoad = function stopLoad() { + logger.log('stopLoad'); + this.started = false; + for (var i = 0; i < this.networkControllers.length; i++) { + this.networkControllers[i].stopLoad(); + if (this.started || !this.networkControllers) { + break; + } + } + } + + /** + * Resumes stream controller segment loading after `pauseBuffering` has been called. + */; + _proto.resumeBuffering = function resumeBuffering() { + logger.log("resume buffering"); + this.networkControllers.forEach(function (controller) { + if (controller.resumeBuffering) { + controller.resumeBuffering(); + } + }); + } + + /** + * Prevents stream controller from loading new segments until `resumeBuffering` is called. + * This allows for media buffering to be paused without interupting playlist loading. + */; + _proto.pauseBuffering = function pauseBuffering() { + logger.log("pause buffering"); + this.networkControllers.forEach(function (controller) { + if (controller.pauseBuffering) { + controller.pauseBuffering(); + } + }); + } + + /** + * Swap through possible audio codecs in the stream (for example to switch from stereo to 5.1) + */; + _proto.swapAudioCodec = function swapAudioCodec() { + logger.log('swapAudioCodec'); + this.streamController.swapAudioCodec(); + } + + /** + * When the media-element fails, this allows to detach and then re-attach it + * as one call (convenience method). + * + * Automatic recovery of media-errors by this process is configurable. + */; + _proto.recoverMediaError = function recoverMediaError() { + logger.log('recoverMediaError'); + var media = this._media; + this.detachMedia(); + if (media) { + this.attachMedia(media); + } + }; + _proto.removeLevel = function removeLevel(levelIndex) { + this.levelController.removeLevel(levelIndex); + } + + /** + * @returns an array of levels (variants) sorted by HDCP-LEVEL, RESOLUTION (height), FRAME-RATE, CODECS, VIDEO-RANGE, and BANDWIDTH + */; + /** + * Find and select the best matching audio track, making a level switch when a Group change is necessary. + * Updates `hls.config.audioPreference`. Returns the selected track, or null when no matching track is found. + */ + _proto.setAudioOption = function setAudioOption(audioOption) { + var _this$audioTrackContr; + return (_this$audioTrackContr = this.audioTrackController) == null ? void 0 : _this$audioTrackContr.setAudioOption(audioOption); + } + /** + * Find and select the best matching subtitle track, making a level switch when a Group change is necessary. + * Updates `hls.config.subtitlePreference`. Returns the selected track, or null when no matching track is found. + */; + _proto.setSubtitleOption = function setSubtitleOption(subtitleOption) { + var _this$subtitleTrackCo; + (_this$subtitleTrackCo = this.subtitleTrackController) == null ? void 0 : _this$subtitleTrackCo.setSubtitleOption(subtitleOption); + return null; + } + + /** + * Get the complete list of audio tracks across all media groups + */; + _createClass(Hls, [{ + key: "levels", + get: function get() { + var levels = this.levelController.levels; + return levels ? levels : []; + } + + /** + * Index of quality level (variant) currently played + */ + }, { + key: "currentLevel", + get: function get() { + return this.streamController.currentLevel; + } + + /** + * Set quality level index immediately. This will flush the current buffer to replace the quality asap. That means playback will interrupt at least shortly to re-buffer and re-sync eventually. Set to -1 for automatic level selection. + */, + set: function set(newLevel) { + logger.log("set currentLevel:" + newLevel); + this.levelController.manualLevel = newLevel; + this.streamController.immediateLevelSwitch(); + } + + /** + * Index of next quality level loaded as scheduled by stream controller. + */ + }, { + key: "nextLevel", + get: function get() { + return this.streamController.nextLevel; + } + + /** + * Set quality level index for next loaded data. + * This will switch the video quality asap, without interrupting playback. + * May abort current loading of data, and flush parts of buffer (outside currently played fragment region). + * @param newLevel - Pass -1 for automatic level selection + */, + set: function set(newLevel) { + logger.log("set nextLevel:" + newLevel); + this.levelController.manualLevel = newLevel; + this.streamController.nextLevelSwitch(); + } + + /** + * Return the quality level of the currently or last (of none is loaded currently) segment + */ + }, { + key: "loadLevel", + get: function get() { + return this.levelController.level; + } + + /** + * Set quality level index for next loaded data in a conservative way. + * This will switch the quality without flushing, but interrupt current loading. + * Thus the moment when the quality switch will appear in effect will only be after the already existing buffer. + * @param newLevel - Pass -1 for automatic level selection + */, + set: function set(newLevel) { + logger.log("set loadLevel:" + newLevel); + this.levelController.manualLevel = newLevel; + } + + /** + * get next quality level loaded + */ + }, { + key: "nextLoadLevel", + get: function get() { + return this.levelController.nextLoadLevel; + } + + /** + * Set quality level of next loaded segment in a fully "non-destructive" way. + * Same as `loadLevel` but will wait for next switch (until current loading is done). + */, + set: function set(level) { + this.levelController.nextLoadLevel = level; + } + + /** + * Return "first level": like a default level, if not set, + * falls back to index of first level referenced in manifest + */ + }, { + key: "firstLevel", + get: function get() { + return Math.max(this.levelController.firstLevel, this.minAutoLevel); + } + + /** + * Sets "first-level", see getter. + */, + set: function set(newLevel) { + logger.log("set firstLevel:" + newLevel); + this.levelController.firstLevel = newLevel; + } + + /** + * Return the desired start level for the first fragment that will be loaded. + * The default value of -1 indicates automatic start level selection. + * Setting hls.nextAutoLevel without setting a startLevel will result in + * the nextAutoLevel value being used for one fragment load. + */ + }, { + key: "startLevel", + get: function get() { + var startLevel = this.levelController.startLevel; + if (startLevel === -1 && this.abrController.forcedAutoLevel > -1) { + return this.abrController.forcedAutoLevel; + } + return startLevel; + } + + /** + * set start level (level of first fragment that will be played back) + * if not overrided by user, first level appearing in manifest will be used as start level + * if -1 : automatic start level selection, playback will start from level matching download bandwidth + * (determined from download of first segment) + */, + set: function set(newLevel) { + logger.log("set startLevel:" + newLevel); + // if not in automatic start level detection, ensure startLevel is greater than minAutoLevel + if (newLevel !== -1) { + newLevel = Math.max(newLevel, this.minAutoLevel); + } + this.levelController.startLevel = newLevel; + } + + /** + * Whether level capping is enabled. + * Default value is set via `config.capLevelToPlayerSize`. + */ + }, { + key: "capLevelToPlayerSize", + get: function get() { + return this.config.capLevelToPlayerSize; + } + + /** + * Enables or disables level capping. If disabled after previously enabled, `nextLevelSwitch` will be immediately called. + */, + set: function set(shouldStartCapping) { + var newCapLevelToPlayerSize = !!shouldStartCapping; + if (newCapLevelToPlayerSize !== this.config.capLevelToPlayerSize) { + if (newCapLevelToPlayerSize) { + this.capLevelController.startCapping(); // If capping occurs, nextLevelSwitch will happen based on size. + } else { + this.capLevelController.stopCapping(); + this.autoLevelCapping = -1; + this.streamController.nextLevelSwitch(); // Now we're uncapped, get the next level asap. + } + this.config.capLevelToPlayerSize = newCapLevelToPlayerSize; + } + } + + /** + * Capping/max level value that should be used by automatic level selection algorithm (`ABRController`) + */ + }, { + key: "autoLevelCapping", + get: function get() { + return this._autoLevelCapping; + } + + /** + * Returns the current bandwidth estimate in bits per second, when available. Otherwise, `NaN` is returned. + */, + set: + /** + * Capping/max level value that should be used by automatic level selection algorithm (`ABRController`) + */ + function set(newLevel) { + if (this._autoLevelCapping !== newLevel) { + logger.log("set autoLevelCapping:" + newLevel); + this._autoLevelCapping = newLevel; + this.levelController.checkMaxAutoUpdated(); + } + } + }, { + key: "bandwidthEstimate", + get: function get() { + var bwEstimator = this.abrController.bwEstimator; + if (!bwEstimator) { + return NaN; + } + return bwEstimator.getEstimate(); + }, + set: function set(abrEwmaDefaultEstimate) { + this.abrController.resetEstimator(abrEwmaDefaultEstimate); + } + + /** + * get time to first byte estimate + * @type {number} + */ + }, { + key: "ttfbEstimate", + get: function get() { + var bwEstimator = this.abrController.bwEstimator; + if (!bwEstimator) { + return NaN; + } + return bwEstimator.getEstimateTTFB(); + } + }, { + key: "maxHdcpLevel", + get: function get() { + return this._maxHdcpLevel; + }, + set: function set(value) { + if (isHdcpLevel(value) && this._maxHdcpLevel !== value) { + this._maxHdcpLevel = value; + this.levelController.checkMaxAutoUpdated(); + } + } + + /** + * True when automatic level selection enabled + */ + }, { + key: "autoLevelEnabled", + get: function get() { + return this.levelController.manualLevel === -1; + } + + /** + * Level set manually (if any) + */ + }, { + key: "manualLevel", + get: function get() { + return this.levelController.manualLevel; + } + + /** + * min level selectable in auto mode according to config.minAutoBitrate + */ + }, { + key: "minAutoLevel", + get: function get() { + var levels = this.levels, + minAutoBitrate = this.config.minAutoBitrate; + if (!levels) return 0; + var len = levels.length; + for (var i = 0; i < len; i++) { + if (levels[i].maxBitrate >= minAutoBitrate) { + return i; + } + } + return 0; + } + + /** + * max level selectable in auto mode according to autoLevelCapping + */ + }, { + key: "maxAutoLevel", + get: function get() { + var levels = this.levels, + autoLevelCapping = this.autoLevelCapping, + maxHdcpLevel = this.maxHdcpLevel; + var maxAutoLevel; + if (autoLevelCapping === -1 && levels != null && levels.length) { + maxAutoLevel = levels.length - 1; + } else { + maxAutoLevel = autoLevelCapping; + } + if (maxHdcpLevel) { + for (var i = maxAutoLevel; i--;) { + var hdcpLevel = levels[i].attrs['HDCP-LEVEL']; + if (hdcpLevel && hdcpLevel <= maxHdcpLevel) { + return i; + } + } + } + return maxAutoLevel; + } + }, { + key: "firstAutoLevel", + get: function get() { + return this.abrController.firstAutoLevel; + } + + /** + * next automatically selected quality level + */ + }, { + key: "nextAutoLevel", + get: function get() { + return this.abrController.nextAutoLevel; + } + + /** + * this setter is used to force next auto level. + * this is useful to force a switch down in auto mode: + * in case of load error on level N, hls.js can set nextAutoLevel to N-1 for example) + * forced value is valid for one fragment. upon successful frag loading at forced level, + * this value will be resetted to -1 by ABR controller. + */, + set: function set(nextLevel) { + this.abrController.nextAutoLevel = nextLevel; + } + + /** + * get the datetime value relative to media.currentTime for the active level Program Date Time if present + */ + }, { + key: "playingDate", + get: function get() { + return this.streamController.currentProgramDateTime; + } + }, { + key: "mainForwardBufferInfo", + get: function get() { + return this.streamController.getMainFwdBufferInfo(); + } + }, { + key: "allAudioTracks", + get: function get() { + var audioTrackController = this.audioTrackController; + return audioTrackController ? audioTrackController.allAudioTracks : []; + } + + /** + * Get the list of selectable audio tracks + */ + }, { + key: "audioTracks", + get: function get() { + var audioTrackController = this.audioTrackController; + return audioTrackController ? audioTrackController.audioTracks : []; + } + + /** + * index of the selected audio track (index in audio track lists) + */ + }, { + key: "audioTrack", + get: function get() { + var audioTrackController = this.audioTrackController; + return audioTrackController ? audioTrackController.audioTrack : -1; + } + + /** + * selects an audio track, based on its index in audio track lists + */, + set: function set(audioTrackId) { + var audioTrackController = this.audioTrackController; + if (audioTrackController) { + audioTrackController.audioTrack = audioTrackId; + } + } + + /** + * get the complete list of subtitle tracks across all media groups + */ + }, { + key: "allSubtitleTracks", + get: function get() { + var subtitleTrackController = this.subtitleTrackController; + return subtitleTrackController ? subtitleTrackController.allSubtitleTracks : []; + } + + /** + * get alternate subtitle tracks list from playlist + */ + }, { + key: "subtitleTracks", + get: function get() { + var subtitleTrackController = this.subtitleTrackController; + return subtitleTrackController ? subtitleTrackController.subtitleTracks : []; + } + + /** + * index of the selected subtitle track (index in subtitle track lists) + */ + }, { + key: "subtitleTrack", + get: function get() { + var subtitleTrackController = this.subtitleTrackController; + return subtitleTrackController ? subtitleTrackController.subtitleTrack : -1; + }, + set: + /** + * select an subtitle track, based on its index in subtitle track lists + */ + function set(subtitleTrackId) { + var subtitleTrackController = this.subtitleTrackController; + if (subtitleTrackController) { + subtitleTrackController.subtitleTrack = subtitleTrackId; + } + } + + /** + * Whether subtitle display is enabled or not + */ + }, { + key: "media", + get: function get() { + return this._media; + } + }, { + key: "subtitleDisplay", + get: function get() { + var subtitleTrackController = this.subtitleTrackController; + return subtitleTrackController ? subtitleTrackController.subtitleDisplay : false; + } + + /** + * Enable/disable subtitle display rendering + */, + set: function set(value) { + var subtitleTrackController = this.subtitleTrackController; + if (subtitleTrackController) { + subtitleTrackController.subtitleDisplay = value; + } + } + + /** + * get mode for Low-Latency HLS loading + */ + }, { + key: "lowLatencyMode", + get: function get() { + return this.config.lowLatencyMode; + } + + /** + * Enable/disable Low-Latency HLS part playlist and segment loading, and start live streams at playlist PART-HOLD-BACK rather than HOLD-BACK. + */, + set: function set(mode) { + this.config.lowLatencyMode = mode; + } + + /** + * Position (in seconds) of live sync point (ie edge of live position minus safety delay defined by ```hls.config.liveSyncDuration```) + * @returns null prior to loading live Playlist + */ + }, { + key: "liveSyncPosition", + get: function get() { + return this.latencyController.liveSyncPosition; + } + + /** + * Estimated position (in seconds) of live edge (ie edge of live playlist plus time sync playlist advanced) + * @returns 0 before first playlist is loaded + */ + }, { + key: "latency", + get: function get() { + return this.latencyController.latency; + } + + /** + * maximum distance from the edge before the player seeks forward to ```hls.liveSyncPosition``` + * configured using ```liveMaxLatencyDurationCount``` (multiple of target duration) or ```liveMaxLatencyDuration``` + * @returns 0 before first playlist is loaded + */ + }, { + key: "maxLatency", + get: function get() { + return this.latencyController.maxLatency; + } + + /** + * target distance from the edge as calculated by the latency controller + */ + }, { + key: "targetLatency", + get: function get() { + return this.latencyController.targetLatency; + } + + /** + * the rate at which the edge of the current live playlist is advancing or 1 if there is none + */ + }, { + key: "drift", + get: function get() { + return this.latencyController.drift; + } + + /** + * set to true when startLoad is called before MANIFEST_PARSED event + */ + }, { + key: "forceStartLoad", + get: function get() { + return this.streamController.forceStartLoad; + } + }], [{ + key: "version", + get: + /** + * Get the video-dev/hls.js package version. + */ + function get() { + return "1.5.18"; + } + }, { + key: "Events", + get: function get() { + return Events; + } + }, { + key: "ErrorTypes", + get: function get() { + return ErrorTypes; + } + }, { + key: "ErrorDetails", + get: function get() { + return ErrorDetails; + } + + /** + * Get the default configuration applied to new instances. + */ + }, { + key: "DefaultConfig", + get: function get() { + if (!Hls.defaultConfig) { + return hlsDefaultConfig; + } + return Hls.defaultConfig; + } + + /** + * Replace the default configuration applied to new instances. + */, + set: function set(defaultConfig) { + Hls.defaultConfig = defaultConfig; + } + }]); + return Hls; + }(); + Hls.defaultConfig = void 0; + + return Hls; + +})); +})(false); +//# sourceMappingURL=hls.js.map diff --git a/services/bright/assets/vendor/player.js b/services/bright/assets/vendor/player.js new file mode 100644 index 0000000..ffebe25 --- /dev/null +++ b/services/bright/assets/vendor/player.js @@ -0,0 +1,1609 @@ +var __create = Object.create; +var __defProp = Object.defineProperty; +var __getOwnPropDesc = Object.getOwnPropertyDescriptor; +var __getOwnPropNames = Object.getOwnPropertyNames; +var __getProtoOf = Object.getPrototypeOf; +var __hasOwnProp = Object.prototype.hasOwnProperty; +var __defNormalProp = (obj, key, value) => key in obj ? __defProp(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value; +var __commonJS = (cb, mod) => function __require() { + return mod || (0, cb[__getOwnPropNames(cb)[0]])((mod = { exports: {} }).exports, mod), mod.exports; +}; +var __copyProps = (to, from, except, desc) => { + if (from && typeof from === "object" || typeof from === "function") { + for (let key of __getOwnPropNames(from)) + if (!__hasOwnProp.call(to, key) && key !== except) + __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); + } + return to; +}; +var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( + // If the importer is in node compatibility mode or this is not an ESM + // file that has been converted to a CommonJS file using a Babel- + // compatible transform (i.e. "__esModule" has not been set), then set + // "default" to the CommonJS "module.exports" for node compatibility. + isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, + mod +)); +var __publicField = (obj, key, value) => __defNormalProp(obj, typeof key !== "symbol" ? key + "" : key, value); + +// ../../node_modules/tseep/lib/types.js +var require_types = __commonJS({ + "../../node_modules/tseep/lib/types.js"(exports2) { + "use strict"; + Object.defineProperty(exports2, "__esModule", { value: true }); + } +}); + +// ../../node_modules/tseep/lib/task-collection/utils.js +var require_utils = __commonJS({ + "../../node_modules/tseep/lib/task-collection/utils.js"(exports2) { + "use strict"; + Object.defineProperty(exports2, "__esModule", { value: true }); + exports2._fast_remove_single = void 0; + function _fast_remove_single(arr, index) { + if (index === -1) + return; + if (index === 0) + arr.shift(); + else if (index === arr.length - 1) + arr.length = arr.length - 1; + else + arr.splice(index, 1); + } + exports2._fast_remove_single = _fast_remove_single; + } +}); + +// ../../node_modules/tseep/lib/task-collection/bake-collection.js +var require_bake_collection = __commonJS({ + "../../node_modules/tseep/lib/task-collection/bake-collection.js"(exports, module) { + "use strict"; + Object.defineProperty(exports, "__esModule", { value: true }); + exports.bakeCollectionVariadic = exports.bakeCollectionAwait = exports.bakeCollection = exports.BAKED_EMPTY_FUNC = void 0; + exports.BAKED_EMPTY_FUNC = function() { + }; + var FORLOOP_FALLBACK = 1500; + function generateArgsDefCode(numArgs) { + var argsDefCode2 = ""; + if (numArgs === 0) + return argsDefCode2; + for (var i = 0; i < numArgs - 1; ++i) { + argsDefCode2 += "arg" + String(i) + ", "; + } + argsDefCode2 += "arg" + String(numArgs - 1); + return argsDefCode2; + } + function generateBodyPartsCode(argsDefCode2, collectionLength) { + var funcDefCode2 = "", funcCallCode2 = ""; + for (var i = 0; i < collectionLength; ++i) { + funcDefCode2 += "var f".concat(i, " = collection[").concat(i, "];\n"); + funcCallCode2 += "f".concat(i, "(").concat(argsDefCode2, ")\n"); + } + return { funcDefCode: funcDefCode2, funcCallCode: funcCallCode2 }; + } + function generateBodyPartsVariadicCode(collectionLength) { + var funcDefCode2 = "", funcCallCode2 = ""; + for (var i = 0; i < collectionLength; ++i) { + funcDefCode2 += "var f".concat(i, " = collection[").concat(i, "];\n"); + funcCallCode2 += "f".concat(i, ".apply(undefined, arguments)\n"); + } + return { funcDefCode: funcDefCode2, funcCallCode: funcCallCode2 }; + } + function bakeCollection(collection, fixedArgsNum) { + if (collection.length === 0) + return exports.BAKED_EMPTY_FUNC; + else if (collection.length === 1) + return collection[0]; + var funcFactoryCode; + if (collection.length < FORLOOP_FALLBACK) { + var argsDefCode = generateArgsDefCode(fixedArgsNum); + var _a = generateBodyPartsCode(argsDefCode, collection.length), funcDefCode = _a.funcDefCode, funcCallCode = _a.funcCallCode; + funcFactoryCode = "(function(collection) {\n ".concat(funcDefCode, "\n collection = undefined;\n return (function(").concat(argsDefCode, ") {\n ").concat(funcCallCode, "\n });\n })"); + } else { + var argsDefCode = generateArgsDefCode(fixedArgsNum); + if (collection.length % 10 === 0) { + funcFactoryCode = "(function(collection) {\n return (function(".concat(argsDefCode, ") {\n for (var i = 0; i < collection.length; i += 10) {\n collection[i](").concat(argsDefCode, ");\n collection[i+1](").concat(argsDefCode, ");\n collection[i+2](").concat(argsDefCode, ");\n collection[i+3](").concat(argsDefCode, ");\n collection[i+4](").concat(argsDefCode, ");\n collection[i+5](").concat(argsDefCode, ");\n collection[i+6](").concat(argsDefCode, ");\n collection[i+7](").concat(argsDefCode, ");\n collection[i+8](").concat(argsDefCode, ");\n collection[i+9](").concat(argsDefCode, ");\n }\n });\n })"); + } else if (collection.length % 4 === 0) { + funcFactoryCode = "(function(collection) {\n return (function(".concat(argsDefCode, ") {\n for (var i = 0; i < collection.length; i += 4) {\n collection[i](").concat(argsDefCode, ");\n collection[i+1](").concat(argsDefCode, ");\n collection[i+2](").concat(argsDefCode, ");\n collection[i+3](").concat(argsDefCode, ");\n }\n });\n })"); + } else if (collection.length % 3 === 0) { + funcFactoryCode = "(function(collection) {\n return (function(".concat(argsDefCode, ") {\n for (var i = 0; i < collection.length; i += 3) {\n collection[i](").concat(argsDefCode, ");\n collection[i+1](").concat(argsDefCode, ");\n collection[i+2](").concat(argsDefCode, ");\n }\n });\n })"); + } else { + funcFactoryCode = "(function(collection) {\n return (function(".concat(argsDefCode, ") {\n for (var i = 0; i < collection.length; ++i) {\n collection[i](").concat(argsDefCode, ");\n }\n });\n })"); + } + } + { + var bakeCollection_1 = void 0; + var fixedArgsNum_1 = void 0; + var bakeCollectionVariadic_1 = void 0; + var bakeCollectionAwait_1 = void 0; + var funcFactory = eval(funcFactoryCode); + return funcFactory(collection); + } + } + exports.bakeCollection = bakeCollection; + function bakeCollectionAwait(collection, fixedArgsNum) { + if (collection.length === 0) + return exports.BAKED_EMPTY_FUNC; + else if (collection.length === 1) + return collection[0]; + var funcFactoryCode; + if (collection.length < FORLOOP_FALLBACK) { + var argsDefCode = generateArgsDefCode(fixedArgsNum); + var _a = generateBodyPartsCode(argsDefCode, collection.length), funcDefCode = _a.funcDefCode, funcCallCode = _a.funcCallCode; + funcFactoryCode = "(function(collection) {\n ".concat(funcDefCode, "\n collection = undefined;\n return (function(").concat(argsDefCode, ") {\n return Promise.all([ ").concat(funcCallCode, " ]);\n });\n })"); + } else { + var argsDefCode = generateArgsDefCode(fixedArgsNum); + funcFactoryCode = "(function(collection) {\n return (function(".concat(argsDefCode, ") {\n var promises = Array(collection.length);\n for (var i = 0; i < collection.length; ++i) {\n promises[i] = collection[i](").concat(argsDefCode, ");\n }\n return Promise.all(promises);\n });\n })"); + } + { + var bakeCollection_2 = void 0; + var fixedArgsNum_2 = void 0; + var bakeCollectionVariadic_2 = void 0; + var bakeCollectionAwait_2 = void 0; + var funcFactory = eval(funcFactoryCode); + return funcFactory(collection); + } + } + exports.bakeCollectionAwait = bakeCollectionAwait; + function bakeCollectionVariadic(collection) { + if (collection.length === 0) + return exports.BAKED_EMPTY_FUNC; + else if (collection.length === 1) + return collection[0]; + var funcFactoryCode; + if (collection.length < FORLOOP_FALLBACK) { + var _a = generateBodyPartsVariadicCode(collection.length), funcDefCode = _a.funcDefCode, funcCallCode = _a.funcCallCode; + funcFactoryCode = "(function(collection) {\n ".concat(funcDefCode, "\n collection = undefined;\n return (function() {\n ").concat(funcCallCode, "\n });\n })"); + } else { + funcFactoryCode = "(function(collection) {\n return (function() {\n for (var i = 0; i < collection.length; ++i) {\n collection[i].apply(undefined, arguments);\n }\n });\n })"; + } + { + var bakeCollection_3 = void 0; + var fixedArgsNum = void 0; + var bakeCollectionVariadic_3 = void 0; + var bakeCollectionAwait_3 = void 0; + var funcFactory = eval(funcFactoryCode); + return funcFactory(collection); + } + } + exports.bakeCollectionVariadic = bakeCollectionVariadic; + } +}); + +// ../../node_modules/tseep/lib/task-collection/task-collection.js +var require_task_collection = __commonJS({ + "../../node_modules/tseep/lib/task-collection/task-collection.js"(exports2) { + "use strict"; + var __spreadArray = exports2 && exports2.__spreadArray || function(to, from, pack) { + if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) { + if (ar || !(i in from)) { + if (!ar) ar = Array.prototype.slice.call(from, 0, i); + ar[i] = from[i]; + } + } + return to.concat(ar || Array.prototype.slice.call(from)); + }; + Object.defineProperty(exports2, "__esModule", { value: true }); + exports2.TaskCollection = void 0; + var utils_1 = require_utils(); + var bake_collection_1 = require_bake_collection(); + function push_norebuild(a, b) { + var len = this.length; + if (len > 1) { + if (b) { + var _a2; + (_a2 = this._tasks).push.apply(_a2, arguments); + this.length += arguments.length; + } else { + this._tasks.push(a); + this.length++; + } + } else { + if (b) { + if (len === 1) { + var newAr = Array(1 + arguments.length); + newAr.push(newAr); + newAr.push.apply(newAr, arguments); + this._tasks = newAr; + } else { + var newAr = Array(arguments.length); + newAr.push.apply(newAr, arguments); + this._tasks = newAr; + } + this.length += arguments.length; + } else { + if (len === 1) + this._tasks = [this._tasks, a]; + else + this._tasks = a; + this.length++; + } + } + } + function push_rebuild(a, b) { + var len = this.length; + if (len > 1) { + if (b) { + var _a2; + (_a2 = this._tasks).push.apply(_a2, arguments); + this.length += arguments.length; + } else { + this._tasks.push(a); + this.length++; + } + } else { + if (b) { + if (len === 1) { + var newAr = Array(1 + arguments.length); + newAr.push(newAr); + newAr.push.apply(newAr, arguments); + this._tasks = newAr; + } else { + var newAr = Array(arguments.length); + newAr.push.apply(newAr, arguments); + this._tasks = newAr; + } + this.length += arguments.length; + } else { + if (len === 1) + this._tasks = [this._tasks, a]; + else + this._tasks = a; + this.length++; + } + } + if (this.firstEmitBuildStrategy) + this.call = rebuild_on_first_call; + else + this.rebuild(); + } + function removeLast_norebuild(a) { + if (this.length === 0) + return; + if (this.length === 1) { + if (this._tasks === a) { + this.length = 0; + } + } else { + (0, utils_1._fast_remove_single)(this._tasks, this._tasks.lastIndexOf(a)); + if (this._tasks.length === 1) { + this._tasks = this._tasks[0]; + this.length = 1; + } else + this.length = this._tasks.length; + } + } + function removeLast_rebuild(a) { + if (this.length === 0) + return; + if (this.length === 1) { + if (this._tasks === a) { + this.length = 0; + } + if (this.firstEmitBuildStrategy) { + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + return; + } else { + this.rebuild(); + return; + } + } else { + (0, utils_1._fast_remove_single)(this._tasks, this._tasks.lastIndexOf(a)); + if (this._tasks.length === 1) { + this._tasks = this._tasks[0]; + this.length = 1; + } else + this.length = this._tasks.length; + } + if (this.firstEmitBuildStrategy) + this.call = rebuild_on_first_call; + else + this.rebuild(); + } + function insert_norebuild(index) { + var _b; + var func = []; + for (var _i = 1; _i < arguments.length; _i++) { + func[_i - 1] = arguments[_i]; + } + if (this.length === 0) { + this._tasks = func; + this.length = 1; + } else if (this.length === 1) { + func.unshift(this._tasks); + this._tasks = func; + this.length = this._tasks.length; + } else { + (_b = this._tasks).splice.apply(_b, __spreadArray([index, 0], func, false)); + this.length = this._tasks.length; + } + } + function insert_rebuild(index) { + var _b; + var func = []; + for (var _i = 1; _i < arguments.length; _i++) { + func[_i - 1] = arguments[_i]; + } + if (this.length === 0) { + this._tasks = func; + this.length = 1; + } else if (this.length === 1) { + func.unshift(this._tasks); + this._tasks = func; + this.length = this._tasks.length; + } else { + (_b = this._tasks).splice.apply(_b, __spreadArray([index, 0], func, false)); + this.length = this._tasks.length; + } + if (this.firstEmitBuildStrategy) + this.call = rebuild_on_first_call; + else + this.rebuild(); + } + function rebuild_noawait() { + if (this.length === 0) + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + else if (this.length === 1) + this.call = this._tasks; + else + this.call = (0, bake_collection_1.bakeCollection)(this._tasks, this.argsNum); + } + function rebuild_await() { + if (this.length === 0) + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + else if (this.length === 1) + this.call = this._tasks; + else + this.call = (0, bake_collection_1.bakeCollectionAwait)(this._tasks, this.argsNum); + } + function rebuild_on_first_call() { + this.rebuild(); + this.call.apply(void 0, arguments); + } + var TaskCollection = ( + /** @class */ + /* @__PURE__ */ function() { + function TaskCollection2(argsNum, autoRebuild, initialTasks, awaitTasks) { + if (autoRebuild === void 0) { + autoRebuild = true; + } + if (initialTasks === void 0) { + initialTasks = null; + } + if (awaitTasks === void 0) { + awaitTasks = false; + } + this.awaitTasks = awaitTasks; + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + this.argsNum = argsNum; + this.firstEmitBuildStrategy = true; + if (awaitTasks) + this.rebuild = rebuild_await.bind(this); + else + this.rebuild = rebuild_noawait.bind(this); + this.setAutoRebuild(autoRebuild); + if (initialTasks) { + if (typeof initialTasks === "function") { + this._tasks = initialTasks; + this.length = 1; + } else { + this._tasks = initialTasks; + this.length = initialTasks.length; + } + } else { + this._tasks = null; + this.length = 0; + } + if (autoRebuild) + this.rebuild(); + } + return TaskCollection2; + }() + ); + exports2.TaskCollection = TaskCollection; + function fastClear() { + this._tasks = null; + this.length = 0; + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + } + function clear() { + this._tasks = null; + this.length = 0; + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + } + function growArgsNum(argsNum) { + if (this.argsNum < argsNum) { + this.argsNum = argsNum; + if (this.firstEmitBuildStrategy) + this.call = rebuild_on_first_call; + else + this.rebuild(); + } + } + function setAutoRebuild(newVal) { + if (newVal) { + this.push = push_rebuild.bind(this); + this.insert = insert_rebuild.bind(this); + this.removeLast = removeLast_rebuild.bind(this); + } else { + this.push = push_norebuild.bind(this); + this.insert = insert_norebuild.bind(this); + this.removeLast = removeLast_norebuild.bind(this); + } + } + function tasksAsArray() { + if (this.length === 0) + return []; + if (this.length === 1) + return [this._tasks]; + return this._tasks; + } + function setTasks(tasks) { + if (tasks.length === 0) { + this.length = 0; + this.call = bake_collection_1.BAKED_EMPTY_FUNC; + } else if (tasks.length === 1) { + this.length = 1; + this.call = tasks[0]; + this._tasks = tasks[0]; + } else { + this.length = tasks.length; + this._tasks = tasks; + if (this.firstEmitBuildStrategy) + this.call = rebuild_on_first_call; + else + this.rebuild(); + } + } + TaskCollection.prototype.fastClear = fastClear; + TaskCollection.prototype.clear = clear; + TaskCollection.prototype.growArgsNum = growArgsNum; + TaskCollection.prototype.setAutoRebuild = setAutoRebuild; + TaskCollection.prototype.tasksAsArray = tasksAsArray; + TaskCollection.prototype.setTasks = setTasks; + } +}); + +// ../../node_modules/tseep/lib/task-collection/index.js +var require_task_collection2 = __commonJS({ + "../../node_modules/tseep/lib/task-collection/index.js"(exports2) { + "use strict"; + var __createBinding = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { + if (k2 === void 0) k2 = k; + var desc = Object.getOwnPropertyDescriptor(m, k); + if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { + desc = { enumerable: true, get: function() { + return m[k]; + } }; + } + Object.defineProperty(o, k2, desc); + } : function(o, m, k, k2) { + if (k2 === void 0) k2 = k; + o[k2] = m[k]; + }); + var __exportStar = exports2 && exports2.__exportStar || function(m, exports3) { + for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding(exports3, m, p); + }; + Object.defineProperty(exports2, "__esModule", { value: true }); + __exportStar(require_task_collection(), exports2); + } +}); + +// ../../node_modules/tseep/lib/utils.js +var require_utils2 = __commonJS({ + "../../node_modules/tseep/lib/utils.js"(exports2) { + "use strict"; + Object.defineProperty(exports2, "__esModule", { value: true }); + exports2.nullObj = void 0; + function nullObj() { + var x = {}; + x.__proto__ = null; + return x; + } + exports2.nullObj = nullObj; + } +}); + +// ../../node_modules/tseep/lib/ee.js +var require_ee = __commonJS({ + "../../node_modules/tseep/lib/ee.js"(exports2) { + "use strict"; + var __spreadArray = exports2 && exports2.__spreadArray || function(to, from, pack) { + if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) { + if (ar || !(i in from)) { + if (!ar) ar = Array.prototype.slice.call(from, 0, i); + ar[i] = from[i]; + } + } + return to.concat(ar || Array.prototype.slice.call(from)); + }; + Object.defineProperty(exports2, "__esModule", { value: true }); + exports2.EventEmitter = void 0; + var task_collection_1 = require_task_collection2(); + var utils_1 = require_utils(); + var utils_2 = require_utils2(); + function emit(event, a, b, c, d, e) { + var ev = this.events[event]; + if (ev) { + if (ev.length === 0) + return false; + if (ev.argsNum < 6) { + ev.call(a, b, c, d, e); + } else { + var arr = new Array(ev.argsNum); + for (var i = 0, len = arr.length; i < len; ++i) { + arr[i] = arguments[i + 1]; + } + ev.call.apply(void 0, arr); + } + return true; + } + return false; + } + function emitHasOnce(event, a, b, c, d, e) { + var ev = this.events[event]; + var argsArr; + if (ev !== void 0) { + if (ev.length === 0) + return false; + if (ev.argsNum < 6) { + ev.call(a, b, c, d, e); + } else { + argsArr = new Array(ev.argsNum); + for (var i = 0, len = argsArr.length; i < len; ++i) { + argsArr[i] = arguments[i + 1]; + } + ev.call.apply(void 0, argsArr); + } + } + var oev = this.onceEvents[event]; + if (oev) { + if (typeof oev === "function") { + this.onceEvents[event] = void 0; + if (arguments.length < 6) { + oev(a, b, c, d, e); + } else { + if (argsArr === void 0) { + argsArr = new Array(arguments.length - 1); + for (var i = 0, len = argsArr.length; i < len; ++i) { + argsArr[i] = arguments[i + 1]; + } + } + oev.apply(void 0, argsArr); + } + } else { + var fncs = oev; + this.onceEvents[event] = void 0; + if (arguments.length < 6) { + for (var i = 0; i < fncs.length; ++i) { + fncs[i](a, b, c, d, e); + } + } else { + if (argsArr === void 0) { + argsArr = new Array(arguments.length - 1); + for (var i = 0, len = argsArr.length; i < len; ++i) { + argsArr[i] = arguments[i + 1]; + } + } + for (var i = 0; i < fncs.length; ++i) { + fncs[i].apply(void 0, argsArr); + } + } + } + return true; + } + return ev !== void 0; + } + var EventEmitter2 = ( + /** @class */ + function() { + function EventEmitter3() { + this.events = (0, utils_2.nullObj)(); + this.onceEvents = (0, utils_2.nullObj)(); + this._symbolKeys = /* @__PURE__ */ new Set(); + this.maxListeners = Infinity; + } + Object.defineProperty(EventEmitter3.prototype, "_eventsCount", { + get: function() { + return this.eventNames().length; + }, + enumerable: false, + configurable: true + }); + return EventEmitter3; + }() + ); + exports2.EventEmitter = EventEmitter2; + function once(event, listener) { + if (this.emit === emit) { + this.emit = emitHasOnce; + } + switch (typeof this.onceEvents[event]) { + case "undefined": + this.onceEvents[event] = listener; + if (typeof event === "symbol") + this._symbolKeys.add(event); + break; + case "function": + this.onceEvents[event] = [this.onceEvents[event], listener]; + break; + case "object": + this.onceEvents[event].push(listener); + } + return this; + } + function addListener(event, listener, argsNum) { + if (argsNum === void 0) { + argsNum = listener.length; + } + if (typeof listener !== "function") + throw new TypeError("The listener must be a function"); + var evtmap = this.events[event]; + if (!evtmap) { + this.events[event] = new task_collection_1.TaskCollection(argsNum, true, listener, false); + if (typeof event === "symbol") + this._symbolKeys.add(event); + } else { + evtmap.push(listener); + evtmap.growArgsNum(argsNum); + if (this.maxListeners !== Infinity && this.maxListeners <= evtmap.length) + console.warn('Maximum event listeners for "'.concat(String(event), '" event!')); + } + return this; + } + function removeListener(event, listener) { + var evt = this.events[event]; + if (evt) { + evt.removeLast(listener); + } + var evto = this.onceEvents[event]; + if (evto) { + if (typeof evto === "function") { + this.onceEvents[event] = void 0; + } else if (typeof evto === "object") { + if (evto.length === 1 && evto[0] === listener) { + this.onceEvents[event] = void 0; + } else { + (0, utils_1._fast_remove_single)(evto, evto.lastIndexOf(listener)); + } + } + } + return this; + } + function addListenerBound(event, listener, bindTo, argsNum) { + if (bindTo === void 0) { + bindTo = this; + } + if (argsNum === void 0) { + argsNum = listener.length; + } + if (!this.boundFuncs) + this.boundFuncs = /* @__PURE__ */ new Map(); + var bound = listener.bind(bindTo); + this.boundFuncs.set(listener, bound); + return this.addListener(event, bound, argsNum); + } + function removeListenerBound(event, listener) { + var _a2, _b; + var bound = (_a2 = this.boundFuncs) === null || _a2 === void 0 ? void 0 : _a2.get(listener); + (_b = this.boundFuncs) === null || _b === void 0 ? void 0 : _b.delete(listener); + return this.removeListener(event, bound); + } + function hasListeners(event) { + return this.events[event] && !!this.events[event].length; + } + function prependListener(event, listener, argsNum) { + if (argsNum === void 0) { + argsNum = listener.length; + } + if (typeof listener !== "function") + throw new TypeError("The listener must be a function"); + var evtmap = this.events[event]; + if (!evtmap || !(evtmap instanceof task_collection_1.TaskCollection)) { + evtmap = this.events[event] = new task_collection_1.TaskCollection(argsNum, true, listener, false); + if (typeof event === "symbol") + this._symbolKeys.add(event); + } else { + evtmap.insert(0, listener); + evtmap.growArgsNum(argsNum); + if (this.maxListeners !== Infinity && this.maxListeners <= evtmap.length) + console.warn('Maximum event listeners for "'.concat(String(event), '" event!')); + } + return this; + } + function prependOnceListener(event, listener) { + if (this.emit === emit) { + this.emit = emitHasOnce; + } + var evtmap = this.onceEvents[event]; + if (!evtmap) { + this.onceEvents[event] = [listener]; + if (typeof event === "symbol") + this._symbolKeys.add(event); + } else if (typeof evtmap !== "object") { + this.onceEvents[event] = [listener, evtmap]; + if (typeof event === "symbol") + this._symbolKeys.add(event); + } else { + evtmap.unshift(listener); + if (this.maxListeners !== Infinity && this.maxListeners <= evtmap.length) { + console.warn('Maximum event listeners for "'.concat(String(event), '" once event!')); + } + } + return this; + } + function removeAllListeners(event) { + if (event === void 0) { + this.events = (0, utils_2.nullObj)(); + this.onceEvents = (0, utils_2.nullObj)(); + this._symbolKeys = /* @__PURE__ */ new Set(); + } else { + this.events[event] = void 0; + this.onceEvents[event] = void 0; + if (typeof event === "symbol") + this._symbolKeys.delete(event); + } + return this; + } + function setMaxListeners(n) { + this.maxListeners = n; + return this; + } + function getMaxListeners() { + return this.maxListeners; + } + function listeners(event) { + if (this.emit === emit) + return this.events[event] ? this.events[event].tasksAsArray().slice() : []; + else { + if (this.events[event] && this.onceEvents[event]) { + return __spreadArray(__spreadArray([], this.events[event].tasksAsArray(), true), typeof this.onceEvents[event] === "function" ? [this.onceEvents[event]] : this.onceEvents[event], true); + } else if (this.events[event]) + return this.events[event].tasksAsArray(); + else if (this.onceEvents[event]) + return typeof this.onceEvents[event] === "function" ? [this.onceEvents[event]] : this.onceEvents[event]; + else + return []; + } + } + function eventNames() { + var _this = this; + if (this.emit === emit) { + var keys = Object.keys(this.events); + return __spreadArray(__spreadArray([], keys, true), Array.from(this._symbolKeys), true).filter(function(x) { + return x in _this.events && _this.events[x] && _this.events[x].length; + }); + } else { + var keys = Object.keys(this.events).filter(function(x) { + return _this.events[x] && _this.events[x].length; + }); + var keysO = Object.keys(this.onceEvents).filter(function(x) { + return _this.onceEvents[x] && _this.onceEvents[x].length; + }); + return __spreadArray(__spreadArray(__spreadArray([], keys, true), keysO, true), Array.from(this._symbolKeys).filter(function(x) { + return x in _this.events && _this.events[x] && _this.events[x].length || x in _this.onceEvents && _this.onceEvents[x] && _this.onceEvents[x].length; + }), true); + } + } + function listenerCount(type) { + if (this.emit === emit) + return this.events[type] && this.events[type].length || 0; + else + return (this.events[type] && this.events[type].length || 0) + (this.onceEvents[type] && this.onceEvents[type].length || 0); + } + EventEmitter2.prototype.emit = emit; + EventEmitter2.prototype.on = addListener; + EventEmitter2.prototype.once = once; + EventEmitter2.prototype.addListener = addListener; + EventEmitter2.prototype.removeListener = removeListener; + EventEmitter2.prototype.addListenerBound = addListenerBound; + EventEmitter2.prototype.removeListenerBound = removeListenerBound; + EventEmitter2.prototype.hasListeners = hasListeners; + EventEmitter2.prototype.prependListener = prependListener; + EventEmitter2.prototype.prependOnceListener = prependOnceListener; + EventEmitter2.prototype.off = removeListener; + EventEmitter2.prototype.removeAllListeners = removeAllListeners; + EventEmitter2.prototype.setMaxListeners = setMaxListeners; + EventEmitter2.prototype.getMaxListeners = getMaxListeners; + EventEmitter2.prototype.listeners = listeners; + EventEmitter2.prototype.eventNames = eventNames; + EventEmitter2.prototype.listenerCount = listenerCount; + } +}); + +// ../../node_modules/tseep/lib/index.js +var require_lib = __commonJS({ + "../../node_modules/tseep/lib/index.js"(exports2) { + "use strict"; + var __createBinding = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { + if (k2 === void 0) k2 = k; + var desc = Object.getOwnPropertyDescriptor(m, k); + if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { + desc = { enumerable: true, get: function() { + return m[k]; + } }; + } + Object.defineProperty(o, k2, desc); + } : function(o, m, k, k2) { + if (k2 === void 0) k2 = k; + o[k2] = m[k]; + }); + var __exportStar = exports2 && exports2.__exportStar || function(m, exports3) { + for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding(exports3, m, p); + }; + Object.defineProperty(exports2, "__esModule", { value: true }); + __exportStar(require_types(), exports2); + __exportStar(require_ee(), exports2); + } +}); + +// src/hls-player.ts +import Hls from "hls.js"; + +// ../shared/src/assert.ts +function assert(value, message = "value is null") { + if (value === null || value === void 0) { + throw Error(message); + } +} + +// src/hls-player.ts +var import_tseep = __toESM(require_lib(), 1); + +// src/event-manager.ts +var EventManager = class { + constructor() { + __publicField(this, "bindings_", /* @__PURE__ */ new Set()); + __publicField(this, "listen", (target) => (type, listener, context) => { + const binding = createBinding(target, type, listener, context); + this.bindings_.add(binding); + }); + __publicField(this, "listenOnce", (target) => (type, listener, context) => { + const binding = createBinding(target, type, listener, context, true); + this.bindings_.add(binding); + }); + __publicField(this, "unlisten", (target) => (type, listener) => { + const binding = Array.from(this.bindings_).find( + (binding2) => binding2.target === target && binding2.type === type && binding2.listener === listener + ); + if (binding) { + binding.remove(); + this.bindings_.delete(binding); + } + }); + } + removeAll() { + this.bindings_.forEach((binding) => { + binding.remove(); + }); + this.bindings_.clear(); + } +}; +function createBinding(target, type, listener, context, once) { + const methodMap = { + add: target.addEventListener?.bind(target) ?? target.on?.bind(target), + remove: target.removeEventListener?.bind(target) ?? target.off?.bind(target) + }; + const remove = () => { + methodMap.remove?.(type, callback); + }; + const callback = async (...args) => { + try { + await listener.apply(context, args); + if (once) { + remove(); + } + } catch (error) { + console.error(error); + } + }; + methodMap.add?.(type, callback); + return { + target, + type, + listener, + context, + once, + remove + }; +} + +// src/helpers.ts +function preciseFloat(value) { + return Math.round((value + Number.EPSILON) * 100) / 100; +} +function getLangCode(key) { + const value = key ? langCodes[key]?.split(",")[0] : null; + if (!value) { + return "Unknown"; + } + return `${value[0].toUpperCase()}${value.slice(1)}`; +} +var langCodes = { + sr: "\u0441\u0440\u043F\u0441\u043A\u0438 \u0458\u0435\u0437\u0438\u043A", + ro: "Rom\xE2n\u0103", + ii: "\uA188\uA320\uA4BF Nuosuhxop", + ty: "Reo Tahiti", + tl: "Wikang Tagalog", + yi: "\u05D9\u05D9\u05B4\u05D3\u05D9\u05E9", + ak: "Akan", + ms: "Bahasa Melayu, \u0628\u0647\u0627\u0633 \u0645\u0644\u0627\u064A\u0648", + ar: "\u0627\u0644\u0639\u0631\u0628\u064A\u0629", + no: "Norsk", + oj: "\u140A\u14C2\u1511\u14C8\u142F\u14A7\u140E\u14D0", + ff: "Fulfulde, Pulaar, Pular", + fa: "\u0641\u0627\u0631\u0633\u06CC", + sq: "Shqip", + ay: "aymar aru", + az: "az\u0259rbaycan dili", + zh: "\u4E2D\u6587 (Zh\u014Dngw\xE9n), \u6C49\u8BED, \u6F22\u8A9E", + cr: "\u14C0\u1426\u1403\u152D\u140D\u140F\u1423", + et: "eesti, eesti keel", + gn: "Ava\xF1e'\u1EBD", + ik: "I\xF1upiaq, I\xF1upiatun", + iu: "\u1403\u14C4\u1483\u144E\u1450\u1466", + kr: "Kanuri", + kv: "\u043A\u043E\u043C\u0438 \u043A\u044B\u0432", + kg: "Kikongo", + ku: "Kurd\xEE, \u0623\u06C7\u0632\u0628\u06D0\u0643", + lv: "latvie\u0161u valoda", + mg: "fiteny malagasy", + mn: "\u041C\u043E\u043D\u0433\u043E\u043B \u0445\u044D\u043B", + om: "Afaan Oromoo", + ps: "\u067E\u069A\u062A\u0648", + qu: "Runa Simi, Kichwa", + sc: "sardu", + sw: "Kiswahili", + uz: "O'zbek, \u040E\u0437\u0431\u0435\u043A, ", + za: "Saw cue\u014B\u0185, Saw cuengh", + bi: "Bislama", + nb: "Norsk Bokm\xE5l", + nn: "Norsk Nynorsk", + id: "Bahasa Indonesia", + tw: "Twi", + eo: "Esperanto", + ia: "Interlingua", + ie: "Originally called Occidental; then Interlingue after WWII", + io: "Ido", + vo: "Volap\xFCk", + bh: "\u092D\u094B\u091C\u092A\u0941\u0930\u0940", + he: "\u05E2\u05D1\u05E8\u05D9\u05EA", + sa: "\u0938\u0902\u0938\u094D\u0915\u0943\u0924\u092E\u094D", + cu: "\u0469\u0437\u044B\u043A\u044A \u0441\u043B\u043E\u0432\u0463\u043D\u044C\u0441\u043A\u044A", + pi: "\u092A\u093E\u0934\u093F", + ae: "avesta", + la: "latine, lingua latina", + hy: "\u0540\u0561\u0575\u0565\u0580\u0565\u0576", + ss: "SiSwati", + bo: "\u0F56\u0F7C\u0F51\u0F0B\u0F61\u0F72\u0F42", + nr: "isiNdebele", + sl: "Slovenski Jezik, Sloven\u0161\u010Dina", + or: "\u0B13\u0B21\u0B3C\u0B3F\u0B06", + nd: "isiNdebele", + na: "Dorerin Naoero", + mi: "te reo M\u0101ori", + mr: "\u092E\u0930\u093E\u0920\u0940", + lu: "Kiluba", + rn: "Ikirundi", + km: "\u1781\u17D2\u1798\u17C2\u179A, \u1781\u17C1\u1798\u179A\u1797\u17B6\u179F\u17B6, \u1797\u17B6\u179F\u17B6\u1781\u17D2\u1798\u17C2\u179A", + fy: "Frysk", + bn: "\u09AC\u09BE\u0982\u09B2\u09BE", + av: "\u0430\u0432\u0430\u0440 \u043C\u0430\u0446\u04C0, \u043C\u0430\u0433\u04C0\u0430\u0440\u0443\u043B \u043C\u0430\u0446\u04C0", + ab: "\u0430\u04A7\u0441\u0443\u0430 \u0431\u044B\u0437\u0448\u04D9\u0430, \u0430\u04A7\u0441\u0448\u04D9\u0430", + aa: "Afaraf", + af: "Afrikaans", + am: "\u12A0\u121B\u122D\u129B", + an: "aragon\xE9s", + as: "\u0985\u09B8\u09AE\u09C0\u09AF\u09BC\u09BE", + bm: "bamanankan", + ba: "\u0431\u0430\u0448\u04A1\u043E\u0440\u0442 \u0442\u0435\u043B\u0435", + eu: "euskara, euskera", + be: "\u0431\u0435\u043B\u0430\u0440\u0443\u0441\u043A\u0430\u044F \u043C\u043E\u0432\u0430", + bs: "bosanski jezik", + br: "brezhoneg", + bg: "\u0431\u044A\u043B\u0433\u0430\u0440\u0441\u043A\u0438 \u0435\u0437\u0438\u043A", + my: "\u1017\u1019\u102C\u1005\u102C", + ca: "catal\xE0, valenci\xE0", + ch: "Chamoru", + ce: "\u043D\u043E\u0445\u0447\u0438\u0439\u043D \u043C\u043E\u0442\u0442", + ny: "chiChe\u0175a, chinyanja", + cv: "\u0447\u04D1\u0432\u0430\u0448 \u0447\u04D7\u043B\u0445\u0438", + kw: "Kernewek", + co: "corsu, lingua corsa", + hr: "hrvatski jezik", + cs: "\u010De\u0161tina, \u010Desk\xFD jazyk", + da: "dansk", + dv: "\u078B\u07A8\u0788\u07AC\u0780\u07A8", + nl: "Nederlands, Vlaams", + dz: "\u0F62\u0FAB\u0F7C\u0F44\u0F0B\u0F41", + en: "English", + ee: "E\u028Begbe", + fo: "f\xF8royskt", + fj: "vosa Vakaviti", + fi: "suomi, suomen kieli", + fr: "fran\xE7ais, langue fran\xE7aise", + gl: "Galego", + ka: "\u10E5\u10D0\u10E0\u10D7\u10E3\u10DA\u10D8", + de: "Deutsch", + el: "\u03B5\u03BB\u03BB\u03B7\u03BD\u03B9\u03BA\u03AC", + gu: "\u0A97\u0AC1\u0A9C\u0AB0\u0ABE\u0AA4\u0AC0", + ht: "Krey\xF2l ayisyen", + ha: "(Hausa) \u0647\u064E\u0648\u064F\u0633\u064E", + hz: "Otjiherero", + hi: "\u0939\u093F\u0928\u094D\u0926\u0940, \u0939\u093F\u0902\u0926\u0940", + ho: "Hiri Motu", + hu: "magyar", + ga: "Gaeilge", + ig: "As\u1EE5s\u1EE5 Igbo", + is: "\xCDslenska", + it: "Italiano", + ja: "\u65E5\u672C\u8A9E (\u306B\u307B\u3093\u3054)", + jv: "\uA9A7\uA9B1\uA997\uA9AE, Basa Jawa", + kl: "kalaallisut, kalaallit oqaasii", + kn: "\u0C95\u0CA8\u0CCD\u0CA8\u0CA1", + ks: "\u0915\u0936\u094D\u092E\u0940\u0930\u0940, \u0643\u0634\u0645\u064A\u0631\u064A", + kk: "\u049B\u0430\u0437\u0430\u049B \u0442\u0456\u043B\u0456", + ki: "G\u0129k\u0169y\u0169", + rw: "Ikinyarwanda", + ky: "\u041A\u044B\u0440\u0433\u044B\u0437\u0447\u0430, \u041A\u044B\u0440\u0433\u044B\u0437 \u0442\u0438\u043B\u0438", + ko: "\uD55C\uAD6D\uC5B4", + kj: "Kuanyama", + lb: "L\xEBtzebuergesch", + lg: "Luganda", + li: "Limburgs", + ln: "Ling\xE1la", + lo: "\u0E9E\u0EB2\u0EAA\u0EB2\u0EA5\u0EB2\u0EA7", + lt: "lietuvi\u0173 kalba", + gv: "Gaelg, Gailck", + mk: "\u043C\u0430\u043A\u0435\u0434\u043E\u043D\u0441\u043A\u0438 \u0458\u0430\u0437\u0438\u043A", + ml: "\u0D2E\u0D32\u0D2F\u0D3E\u0D33\u0D02", + mt: "Malti", + mh: "Kajin M\u0327aje\u013C", + nv: "Din\xE9 bizaad", + ne: "\u0928\u0947\u092A\u093E\u0932\u0940", + ng: "Owambo", + oc: "occitan, lenga d'\xF2c", + os: "\u0438\u0440\u043E\u043D \xE6\u0432\u0437\u0430\u0433", + pa: "\u0A2A\u0A70\u0A1C\u0A3E\u0A2C\u0A40", + pl: "j\u0119zyk polski, polszczyzna", + pt: "Portugu\xEAs", + rm: "Rumantsch Grischun", + ru: "\u0440\u0443\u0441\u0441\u043A\u0438\u0439", + sd: "\u0938\u093F\u0928\u094D\u0927\u0940, \u0633\u0646\u068C\u064A\u060C \u0633\u0646\u062F\u06BE\u06CC", + se: "Davvis\xE1megiella", + sm: "gagana fa'a Samoa", + sg: "y\xE2ng\xE2 t\xEE s\xE4ng\xF6", + gd: "G\xE0idhlig", + sn: "chiShona", + si: "\u0DC3\u0DD2\u0D82\u0DC4\u0DBD", + sk: "Sloven\u010Dina, Slovensk\xFD Jazyk", + so: "Soomaaliga, af Soomaali", + st: "Sesotho", + es: "Espa\xF1ol", + su: "Basa Sunda", + sv: "Svenska", + ta: "\u0BA4\u0BAE\u0BBF\u0BB4\u0BCD", + te: "\u0C24\u0C46\u0C32\u0C41\u0C17\u0C41", + tg: "\u0442\u043E\u04B7\u0438\u043A\u04E3, to\xE7ik\u012B, \u062A\u0627\u062C\u06CC\u06A9\u06CC", + th: "\u0E44\u0E17\u0E22", + ti: "\u1275\u130D\u122D\u129B", + tk: "T\xFCrkmen, \u0422\u04AF\u0440\u043A\u043C\u0435\u043D", + tn: "Setswana", + to: "Faka Tonga", + tr: "T\xFCrk\xE7e", + ts: "Xitsonga", + tt: "\u0442\u0430\u0442\u0430\u0440 \u0442\u0435\u043B\u0435, tatar tele", + ug: "\u0626\u06C7\u064A\u063A\u06C7\u0631\u0686\u06D5, Uyghurche", + uk: "\u0423\u043A\u0440\u0430\u0457\u043D\u0441\u044C\u043A\u0430", + ur: "\u0627\u0631\u062F\u0648", + ve: "Tshiven\u1E13a", + vi: "Ti\u1EBFng Vi\u1EC7t", + wa: "Walon", + cy: "Cymraeg", + wo: "Wollof", + xh: "isiXhosa", + yo: "Yor\xF9b\xE1", + zu: "isiZulu" +}; + +// src/types.ts +var Events = /* @__PURE__ */ ((Events2) => { + Events2["RESET"] = "reset"; + Events2["READY"] = "ready"; + Events2["STARTED"] = "started"; + Events2["PLAYHEAD_CHANGE"] = "playheadChange"; + Events2["TIME_CHANGE"] = "timeChange"; + Events2["VOLUME_CHANGE"] = "volumeChange"; + Events2["QUALITIES_CHANGE"] = "qualitiesChange"; + Events2["AUDIO_TRACKS_CHANGE"] = "audioTracksChange"; + Events2["SUBTITLE_TRACKS_CHANGE"] = "subtitleTracksChange"; + Events2["AUTO_QUALITY_CHANGE"] = "autoQualityChange"; + Events2["INTERSTITIAL_CHANGE"] = "interstitialChange"; + Events2["SEEKING_CHANGE"] = "seekingChange"; + Events2["CUEPOINTS_CHANGE"] = "cuePointsChange"; + return Events2; +})(Events || {}); + +// src/state.ts +var noState = { + playhead: "idle", + ready: false, + started: false, + time: 0, + duration: NaN, + interstitial: null, + qualities: [], + autoQuality: false, + audioTracks: [], + subtitleTracks: [], + volume: 1, + seeking: false, + cuePoints: [] +}; +var State = class { + constructor(params_) { + this.params_ = params_; + __publicField(this, "timerId_"); + __publicField(this, "ready", noState.ready); + __publicField(this, "playhead", noState.playhead); + __publicField(this, "started", noState.started); + __publicField(this, "time", noState.time); + __publicField(this, "duration", noState.duration); + __publicField(this, "interstitial", noState.interstitial); + __publicField(this, "qualities", noState.qualities); + __publicField(this, "autoQuality", noState.autoQuality); + __publicField(this, "audioTracks", noState.audioTracks); + __publicField(this, "subtitleTracks", noState.subtitleTracks); + __publicField(this, "volume", noState.volume); + __publicField(this, "seeking", noState.seeking); + __publicField(this, "cuePoints", noState.cuePoints); + this.requestTimingSync(); + } + setReady() { + if (this.ready) { + return; + } + this.ready = true; + this.requestTimingSync(); + this.params_.onEvent("ready" /* READY */); + } + setPlayhead(playhead) { + if (playhead === this.playhead) { + return; + } + this.playhead = playhead; + if (playhead === "pause") { + this.requestTimingSync(); + } + this.params_.onEvent("playheadChange" /* PLAYHEAD_CHANGE */); + } + setStarted() { + if (this.started) { + return; + } + this.started = true; + this.params_.onEvent("started" /* STARTED */); + } + setInterstitial(interstitial) { + this.interstitial = interstitial; + this.setSeeking(false); + this.params_.onEvent("interstitialChange" /* INTERSTITIAL_CHANGE */); + } + setAsset(asset) { + if (!this.interstitial) { + return; + } + if (asset) { + this.interstitial.asset = { + time: 0, + duration: NaN, + ...asset + }; + this.requestTimingSync(); + } else { + this.interstitial.asset = null; + } + } + setQualities(qualities, autoQuality) { + const diff = (items) => items.find((item) => item.active)?.height; + if (diff(this.qualities) !== diff(qualities)) { + this.qualities = qualities; + this.params_.onEvent("qualitiesChange" /* QUALITIES_CHANGE */); + } + if (autoQuality !== this.autoQuality) { + this.autoQuality = autoQuality; + this.params_.onEvent("autoQualityChange" /* AUTO_QUALITY_CHANGE */); + } + } + setAudioTracks(audioTracks) { + const diff = (items) => items.find((item) => item.active)?.id; + if (diff(this.audioTracks) !== diff(audioTracks)) { + this.audioTracks = audioTracks; + this.params_.onEvent("audioTracksChange" /* AUDIO_TRACKS_CHANGE */); + } + } + setSubtitleTracks(subtitleTracks) { + const diff = (items) => items.find((item) => item.active)?.id; + if ( + // TODO: Come up with a generic logical check. + !this.subtitleTracks.length && subtitleTracks.length || diff(this.subtitleTracks) !== diff(subtitleTracks) + ) { + this.subtitleTracks = subtitleTracks; + this.params_.onEvent("subtitleTracksChange" /* SUBTITLE_TRACKS_CHANGE */); + } + } + setVolume(volume) { + if (volume === this.volume) { + return; + } + this.volume = volume; + this.params_.onEvent("volumeChange" /* VOLUME_CHANGE */); + } + setSeeking(seeking) { + if (seeking === this.seeking) { + return; + } + this.seeking = seeking; + this.requestTimingSync(); + this.params_.onEvent("seekingChange" /* SEEKING_CHANGE */); + } + setCuePoints(cuePoints) { + this.cuePoints = cuePoints; + this.requestTimingSync(); + this.params_.onEvent("cuePointsChange" /* CUEPOINTS_CHANGE */); + } + requestTimingSync() { + clearTimeout(this.timerId_); + this.timerId_ = window.setTimeout(() => { + this.requestTimingSync(); + }, 250); + const timing = this.params_.getTiming(); + let shouldEmit = false; + if (this.updateTimeDuration_(this, timing.primary)) { + shouldEmit = true; + } + if (this.interstitial?.asset && this.updateTimeDuration_(this.interstitial.asset, timing.asset)) { + shouldEmit = true; + } + if (shouldEmit) { + this.params_.onEvent("timeChange" /* TIME_CHANGE */); + } + } + updateTimeDuration_(target, shim) { + if (!shim) { + return false; + } + if (!Number.isFinite(shim.duration)) { + return false; + } + const oldTime = target.time; + target.time = preciseFloat(shim.currentTime); + const oldDuration = target.duration; + target.duration = preciseFloat(shim.duration); + if (target.time > target.duration) { + target.time = target.duration; + } + return oldTime !== target.time || oldDuration !== target.duration; + } +}; +function getState(state, name) { + return state?.[name] ?? noState[name]; +} + +// src/hls-player.ts +var HlsPlayer = class { + constructor(container) { + this.container = container; + __publicField(this, "media_"); + __publicField(this, "eventManager_", new EventManager()); + __publicField(this, "hls_", null); + __publicField(this, "state_", null); + __publicField(this, "emitter_", new import_tseep.EventEmitter()); + __publicField(this, "on", this.emitter_.on.bind(this.emitter_)); + __publicField(this, "off", this.emitter_.off.bind(this.emitter_)); + __publicField(this, "once", this.emitter_.once.bind(this.emitter_)); + this.media_ = this.createMedia_(); + } + createMedia_() { + const media = document.createElement("video"); + this.container.appendChild(media); + media.style.position = "absolute"; + media.style.inset = "0"; + media.style.width = "100%"; + media.style.height = "100%"; + return media; + } + load(url) { + this.unload(); + this.bindMediaListeners_(); + const hls = this.createHls_(); + this.state_ = new State({ + onEvent: (event) => this.emit_(event), + getTiming: () => ({ + primary: hls.interstitialsManager?.primary ?? hls.media, + asset: hls.interstitialsManager?.playerQueue.find( + (player) => player.assetItem === hls.interstitialsManager?.playingAsset + ) + }) + }); + hls.attachMedia(this.media_); + hls.loadSource(url); + this.hls_ = hls; + } + unload() { + this.eventManager_.removeAll(); + this.state_ = null; + if (this.hls_) { + this.hls_.destroy(); + this.hls_ = null; + } + this.emit_("reset" /* RESET */); + } + destroy() { + this.emitter_.removeAllListeners(); + this.unload(); + } + playOrPause() { + if (!this.state_) { + return; + } + const shouldPause = this.state_.playhead === "play" || this.state_.playhead === "playing"; + if (shouldPause) { + this.media_.pause(); + } else { + this.media_.play(); + } + } + seekTo(time) { + assert(this.hls_); + if (this.state_?.interstitial) { + return false; + } + if (this.hls_.interstitialsManager) { + this.hls_.interstitialsManager.primary.seekTo(time); + } else { + this.media_.currentTime = time; + } + return true; + } + setQuality(height) { + assert(this.hls_); + if (height === null) { + this.hls_.nextLevel = -1; + } else { + const loadLevel = this.hls_.levels[this.hls_.loadLevel]; + assert(loadLevel, "No level found for loadLevel index"); + const idx = this.hls_.levels.findIndex((level) => { + return level.height === height && level.audioCodec?.substring(0, 4) === loadLevel.audioCodec?.substring(0, 4); + }); + if (idx < 0) { + throw new Error("Could not find matching level"); + } + this.hls_.nextLevel = idx; + } + this.updateQualities_(); + } + setAudioTrack(id) { + assert(this.hls_); + const audioTrack = this.state_?.audioTracks.find( + (track) => track.id === id + ); + assert(audioTrack); + this.hls_.setAudioOption({ + lang: audioTrack.track.lang, + channels: audioTrack.track.channels, + name: audioTrack.track.name + }); + } + setSubtitleTrack(id) { + assert(this.hls_); + if (id === null) { + this.hls_.subtitleTrack = -1; + return; + } + const subtitleTrack = this.state_?.subtitleTracks.find( + (track) => track.id === id + ); + assert(subtitleTrack); + this.hls_.setSubtitleOption({ + lang: subtitleTrack.track.lang, + name: subtitleTrack.track.name + }); + } + setVolume(volume) { + this.media_.volume = volume; + this.media_.muted = volume === 0; + this.state_?.setVolume(volume); + } + get ready() { + return getState(this.state_, "ready"); + } + get playhead() { + return getState(this.state_, "playhead"); + } + get started() { + return getState(this.state_, "started"); + } + get time() { + return getState(this.state_, "time"); + } + get duration() { + return getState(this.state_, "duration"); + } + get seeking() { + return getState(this.state_, "seeking"); + } + get interstitial() { + return getState(this.state_, "interstitial"); + } + get qualities() { + return getState(this.state_, "qualities"); + } + get autoQuality() { + return getState(this.state_, "autoQuality"); + } + get audioTracks() { + return getState(this.state_, "audioTracks"); + } + get subtitleTracks() { + return getState(this.state_, "subtitleTracks"); + } + get volume() { + return getState(this.state_, "volume"); + } + get seekableStart() { + if (this.hls_) { + return this.hls_.interstitialsManager?.primary?.seekableStart ?? 0; + } + return NaN; + } + get live() { + return this.hls_?.levels[this.hls_.currentLevel]?.details?.live ?? false; + } + get cuePoints() { + return getState(this.state_, "cuePoints"); + } + createHls_() { + const hls = new Hls(); + const listen = this.eventManager_.listen(hls); + listen(Hls.Events.MANIFEST_LOADED, () => { + this.updateQualities_(); + this.updateAudioTracks_(); + this.updateSubtitleTracks_(); + }); + listen(Hls.Events.INTERSTITIAL_STARTED, () => { + this.state_?.setInterstitial({ + asset: null + }); + }); + listen(Hls.Events.INTERSTITIAL_ASSET_STARTED, (_, data) => { + const listResponseAsset = data.event.assetListResponse?.ASSETS[data.assetListIndex]; + this.state_?.setAsset({ + type: listResponseAsset["SPRS-KIND"] + }); + }); + listen(Hls.Events.INTERSTITIAL_ASSET_ENDED, () => { + this.state_?.setAsset(null); + }); + listen(Hls.Events.INTERSTITIAL_ENDED, () => { + this.state_?.setInterstitial(null); + }); + listen(Hls.Events.LEVELS_UPDATED, () => { + this.updateQualities_(); + }); + listen(Hls.Events.LEVEL_SWITCHING, () => { + this.updateQualities_(); + }); + listen(Hls.Events.AUDIO_TRACKS_UPDATED, () => { + this.updateAudioTracks_(); + }); + listen(Hls.Events.AUDIO_TRACK_SWITCHING, () => { + this.updateAudioTracks_(); + }); + listen(Hls.Events.SUBTITLE_TRACKS_UPDATED, () => { + this.updateSubtitleTracks_(); + }); + listen(Hls.Events.SUBTITLE_TRACK_SWITCH, () => { + this.updateSubtitleTracks_(); + }); + listen(Hls.Events.INTERSTITIALS_UPDATED, (_, data) => { + const cuePoints = data.schedule.reduce((acc, item) => { + if (item.event) { + acc.push(item.start); + } + return acc; + }, []); + this.state_?.setCuePoints(cuePoints); + }); + return hls; + } + updateQualities_() { + assert(this.hls_); + const group = []; + for (const level2 of this.hls_.levels) { + let item = group.find((item2) => item2.height === level2.height); + if (!item) { + item = { + height: level2.height, + levels: [] + }; + group.push(item); + } + item.levels.push(level2); + } + const level = this.hls_.levels[this.hls_.nextLoadLevel]; + const qualities = group.map((item) => { + return { + ...item, + active: item.height === level.height + }; + }); + qualities.sort((a, b) => b.height - a.height); + const autoQuality = this.hls_.autoLevelEnabled; + this.state_?.setQualities(qualities, autoQuality); + } + updateAudioTracks_() { + assert(this.hls_); + const tracks = this.hls_.allAudioTracks.map((track, index) => { + let label = getLangCode(track.lang); + if (track.channels === "6") { + label += " 5.1"; + } + return { + id: index, + active: this.hls_?.audioTracks.includes(track) ? track.id === this.hls_.audioTrack : false, + label, + track + }; + }); + this.state_?.setAudioTracks(tracks); + } + updateSubtitleTracks_() { + assert(this.hls_); + const tracks = this.hls_.allSubtitleTracks.map( + (track, index) => { + return { + id: index, + active: this.hls_?.subtitleTracks.includes(track) ? track.id === this.hls_.subtitleTrack : false, + label: getLangCode(track.lang), + track + }; + } + ); + this.state_?.setSubtitleTracks(tracks); + } + bindMediaListeners_() { + const listen = this.eventManager_.listen(this.media_); + listen("canplay", () => { + this.state_?.setReady(); + }); + listen("play", () => { + this.state_?.setPlayhead("play"); + }); + listen("playing", () => { + this.state_?.setStarted(); + this.state_?.setPlayhead("playing"); + }); + listen("pause", () => { + this.state_?.setPlayhead("pause"); + }); + listen("volumechange", () => { + this.state_?.setVolume(this.media_.volume); + }); + listen("seeking", () => { + this.state_?.setSeeking(true); + }); + listen("seeked", () => { + this.state_?.setSeeking(false); + }); + } + emit_(event) { + this.emitter_.emit(event); + this.emitter_.emit("*", event); + } +}; +export { + Events, + HlsPlayer +}; +//# sourceMappingURL=index.js.map \ No newline at end of file diff --git a/services/bright/assets/vendor/player.js.map b/services/bright/assets/vendor/player.js.map new file mode 100644 index 0000000..9af7900 --- /dev/null +++ b/services/bright/assets/vendor/player.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["../../../node_modules/tseep/lib/types.js","../../../node_modules/tseep/src/task-collection/utils.ts","../../../node_modules/tseep/src/task-collection/bake-collection.ts","../../../node_modules/tseep/src/task-collection/task-collection.ts","../../../node_modules/tseep/src/task-collection/index.ts","../../../node_modules/tseep/src/utils.ts","../../../node_modules/tseep/src/ee.ts","../../../node_modules/tseep/src/index.ts","../src/hls-player.ts","../../shared/src/assert.ts","../src/event-manager.ts","../src/helpers.ts","../src/types.ts","../src/state.ts"],"sourcesContent":["\"use strict\";\nObject.defineProperty(exports, \"__esModule\", { value: true });\n//# sourceMappingURL=types.js.map",null,null,null,null,null,null,null,"import Hls from \"hls.js\";\nimport { assert } from \"shared/assert\";\nimport { EventEmitter } from \"tseep\";\nimport { EventManager } from \"./event-manager\";\nimport { getLangCode } from \"./helpers\";\nimport { getState, State } from \"./state\";\nimport { Events } from \"./types\";\nimport type {\n AudioTrack,\n HlsPlayerEventMap,\n Quality,\n SubtitleTrack,\n} from \"./types\";\nimport type { Level } from \"hls.js\";\n\nexport class HlsPlayer {\n private media_: HTMLMediaElement;\n\n private eventManager_ = new EventManager();\n\n private hls_: Hls | null = null;\n\n private state_: State | null = null;\n\n private emitter_ = new EventEmitter<HlsPlayerEventMap>();\n\n constructor(public container: HTMLDivElement) {\n this.media_ = this.createMedia_();\n }\n\n private createMedia_() {\n const media = document.createElement(\"video\");\n this.container.appendChild(media);\n\n media.style.position = \"absolute\";\n media.style.inset = \"0\";\n media.style.width = \"100%\";\n media.style.height = \"100%\";\n\n return media;\n }\n\n load(url: string) {\n this.unload();\n\n this.bindMediaListeners_();\n const hls = this.createHls_();\n\n this.state_ = new State({\n onEvent: (event: Events) => this.emit_(event),\n getTiming: () => ({\n primary: hls.interstitialsManager?.primary ?? hls.media,\n asset: hls.interstitialsManager?.playerQueue.find(\n (player) =>\n player.assetItem === hls.interstitialsManager?.playingAsset,\n ),\n }),\n });\n\n hls.attachMedia(this.media_);\n hls.loadSource(url);\n\n this.hls_ = hls;\n }\n\n unload() {\n this.eventManager_.removeAll();\n this.state_ = null;\n\n if (this.hls_) {\n this.hls_.destroy();\n this.hls_ = null;\n }\n\n this.emit_(Events.RESET);\n }\n\n destroy() {\n this.emitter_.removeAllListeners();\n this.unload();\n }\n\n on = this.emitter_.on.bind(this.emitter_);\n off = this.emitter_.off.bind(this.emitter_);\n once = this.emitter_.once.bind(this.emitter_);\n\n playOrPause() {\n if (!this.state_) {\n return;\n }\n const shouldPause =\n this.state_.playhead === \"play\" || this.state_.playhead === \"playing\";\n if (shouldPause) {\n this.media_.pause();\n } else {\n this.media_.play();\n }\n }\n\n seekTo(time: number) {\n assert(this.hls_);\n\n if (this.state_?.interstitial) {\n return false;\n }\n\n if (this.hls_.interstitialsManager) {\n this.hls_.interstitialsManager.primary.seekTo(time);\n } else {\n this.media_.currentTime = time;\n }\n\n return true;\n }\n\n setQuality(height: number | null) {\n assert(this.hls_);\n\n if (height === null) {\n this.hls_.nextLevel = -1;\n } else {\n const loadLevel = this.hls_.levels[this.hls_.loadLevel];\n assert(loadLevel, \"No level found for loadLevel index\");\n\n const idx = this.hls_.levels.findIndex((level) => {\n return (\n level.height === height &&\n level.audioCodec?.substring(0, 4) ===\n loadLevel.audioCodec?.substring(0, 4)\n );\n });\n\n if (idx < 0) {\n throw new Error(\"Could not find matching level\");\n }\n\n this.hls_.nextLevel = idx;\n }\n\n this.updateQualities_();\n }\n\n setAudioTrack(id: number) {\n assert(this.hls_);\n\n const audioTrack = this.state_?.audioTracks.find(\n (track) => track.id === id,\n );\n assert(audioTrack);\n\n this.hls_.setAudioOption({\n lang: audioTrack.track.lang,\n channels: audioTrack.track.channels,\n name: audioTrack.track.name,\n });\n }\n\n setSubtitleTrack(id: number | null) {\n assert(this.hls_);\n\n if (id === null) {\n this.hls_.subtitleTrack = -1;\n return;\n }\n\n const subtitleTrack = this.state_?.subtitleTracks.find(\n (track) => track.id === id,\n );\n assert(subtitleTrack);\n\n this.hls_.setSubtitleOption({\n lang: subtitleTrack.track.lang,\n name: subtitleTrack.track.name,\n });\n }\n\n setVolume(volume: number) {\n this.media_.volume = volume;\n this.media_.muted = volume === 0;\n this.state_?.setVolume(volume);\n }\n\n get ready() {\n return getState(this.state_, \"ready\");\n }\n\n get playhead() {\n return getState(this.state_, \"playhead\");\n }\n\n get started() {\n return getState(this.state_, \"started\");\n }\n\n get time() {\n return getState(this.state_, \"time\");\n }\n\n get duration() {\n return getState(this.state_, \"duration\");\n }\n\n get seeking() {\n return getState(this.state_, \"seeking\");\n }\n\n get interstitial() {\n return getState(this.state_, \"interstitial\");\n }\n\n get qualities() {\n return getState(this.state_, \"qualities\");\n }\n\n get autoQuality() {\n return getState(this.state_, \"autoQuality\");\n }\n\n get audioTracks() {\n return getState(this.state_, \"audioTracks\");\n }\n\n get subtitleTracks() {\n return getState(this.state_, \"subtitleTracks\");\n }\n\n get volume() {\n return getState(this.state_, \"volume\");\n }\n\n get seekableStart() {\n if (this.hls_) {\n return this.hls_.interstitialsManager?.primary?.seekableStart ?? 0;\n }\n return NaN;\n }\n\n get live() {\n return this.hls_?.levels[this.hls_.currentLevel]?.details?.live ?? false;\n }\n\n get cuePoints() {\n return getState(this.state_, \"cuePoints\");\n }\n\n private createHls_() {\n const hls = new Hls();\n\n const listen = this.eventManager_.listen(hls);\n\n listen(Hls.Events.MANIFEST_LOADED, () => {\n this.updateQualities_();\n this.updateAudioTracks_();\n this.updateSubtitleTracks_();\n });\n\n listen(Hls.Events.INTERSTITIAL_STARTED, () => {\n this.state_?.setInterstitial({\n asset: null,\n });\n });\n\n listen(Hls.Events.INTERSTITIAL_ASSET_STARTED, (_, data) => {\n const listResponseAsset = data.event.assetListResponse?.ASSETS[\n data.assetListIndex\n ] as {\n \"SPRS-KIND\"?: \"ad\" | \"bumper\";\n };\n\n this.state_?.setAsset({\n type: listResponseAsset[\"SPRS-KIND\"],\n });\n });\n\n listen(Hls.Events.INTERSTITIAL_ASSET_ENDED, () => {\n this.state_?.setAsset(null);\n });\n\n listen(Hls.Events.INTERSTITIAL_ENDED, () => {\n this.state_?.setInterstitial(null);\n });\n\n listen(Hls.Events.LEVELS_UPDATED, () => {\n this.updateQualities_();\n });\n\n listen(Hls.Events.LEVEL_SWITCHING, () => {\n this.updateQualities_();\n });\n\n listen(Hls.Events.AUDIO_TRACKS_UPDATED, () => {\n this.updateAudioTracks_();\n });\n\n listen(Hls.Events.AUDIO_TRACK_SWITCHING, () => {\n this.updateAudioTracks_();\n });\n\n listen(Hls.Events.SUBTITLE_TRACKS_UPDATED, () => {\n this.updateSubtitleTracks_();\n });\n\n listen(Hls.Events.SUBTITLE_TRACK_SWITCH, () => {\n this.updateSubtitleTracks_();\n });\n\n listen(Hls.Events.INTERSTITIALS_UPDATED, (_, data) => {\n const cuePoints = data.schedule.reduce<number[]>((acc, item) => {\n if (item.event) {\n acc.push(item.start);\n }\n return acc;\n }, []);\n this.state_?.setCuePoints(cuePoints);\n });\n\n return hls;\n }\n\n private updateQualities_() {\n assert(this.hls_);\n\n const group: {\n height: number;\n levels: Level[];\n }[] = [];\n\n for (const level of this.hls_.levels) {\n let item = group.find((item) => item.height === level.height);\n if (!item) {\n item = {\n height: level.height,\n levels: [],\n };\n group.push(item);\n }\n item.levels.push(level);\n }\n\n const level = this.hls_.levels[this.hls_.nextLoadLevel];\n\n const qualities = group.map<Quality>((item) => {\n return {\n ...item,\n active: item.height === level.height,\n };\n });\n\n qualities.sort((a, b) => b.height - a.height);\n\n const autoQuality = this.hls_.autoLevelEnabled;\n this.state_?.setQualities(qualities, autoQuality);\n }\n\n private updateAudioTracks_() {\n assert(this.hls_);\n\n const tracks = this.hls_.allAudioTracks.map<AudioTrack>((track, index) => {\n let label = getLangCode(track.lang);\n if (track.channels === \"6\") {\n label += \" 5.1\";\n }\n return {\n id: index,\n active: this.hls_?.audioTracks.includes(track)\n ? track.id === this.hls_.audioTrack\n : false,\n label,\n track,\n };\n });\n\n this.state_?.setAudioTracks(tracks);\n }\n\n private updateSubtitleTracks_() {\n assert(this.hls_);\n\n const tracks = this.hls_.allSubtitleTracks.map<SubtitleTrack>(\n (track, index) => {\n return {\n id: index,\n active: this.hls_?.subtitleTracks.includes(track)\n ? track.id === this.hls_.subtitleTrack\n : false,\n label: getLangCode(track.lang),\n track,\n };\n },\n );\n\n this.state_?.setSubtitleTracks(tracks);\n }\n\n private bindMediaListeners_() {\n const listen = this.eventManager_.listen(this.media_);\n\n listen(\"canplay\", () => {\n this.state_?.setReady();\n });\n\n listen(\"play\", () => {\n this.state_?.setPlayhead(\"play\");\n });\n\n listen(\"playing\", () => {\n this.state_?.setStarted();\n\n this.state_?.setPlayhead(\"playing\");\n });\n\n listen(\"pause\", () => {\n this.state_?.setPlayhead(\"pause\");\n });\n\n listen(\"volumechange\", () => {\n this.state_?.setVolume(this.media_.volume);\n });\n\n listen(\"seeking\", () => {\n this.state_?.setSeeking(true);\n });\n\n listen(\"seeked\", () => {\n this.state_?.setSeeking(false);\n });\n }\n\n private emit_(event: Events) {\n this.emitter_.emit(event);\n this.emitter_.emit(\"*\", event);\n }\n}\n","export function assert<T>(\n value: T,\n message = \"value is null\",\n): asserts value is NonNullable<T> {\n if (value === null || value === undefined) {\n throw Error(message);\n }\n}\n","interface Target {\n addEventListener?: Handler;\n removeEventListener?: Handler;\n on?: Handler;\n off?: Handler;\n}\n\ntype AddCallback<T extends Target> = T extends { addEventListener: Handler }\n ? T[\"addEventListener\"]\n : T extends { on: Handler }\n ? T[\"on\"]\n : Handler;\n\ntype RemoveCallback<T extends Target> = T extends {\n removeEventListener: Handler;\n}\n ? T[\"removeEventListener\"]\n : T extends { off: Handler }\n ? T[\"off\"]\n : Handler;\n\nexport class EventManager {\n private bindings_ = new Set<Binding>();\n\n listen = <T extends Target>(target: T) =>\n ((type, listener, context) => {\n const binding = createBinding(target, type, listener, context);\n this.bindings_.add(binding);\n }) as AddCallback<T>;\n\n listenOnce = <T extends Target>(target: T) =>\n ((type, listener, context) => {\n const binding = createBinding(target, type, listener, context, true);\n this.bindings_.add(binding);\n }) as AddCallback<T>;\n\n unlisten = <T extends Target>(target: T) =>\n ((type, listener) => {\n const binding = Array.from(this.bindings_).find(\n (binding) =>\n binding.target === target &&\n binding.type === type &&\n binding.listener === listener,\n );\n if (binding) {\n binding.remove();\n this.bindings_.delete(binding);\n }\n }) as RemoveCallback<T>;\n\n removeAll() {\n this.bindings_.forEach((binding) => {\n binding.remove();\n });\n this.bindings_.clear();\n }\n}\n\n/**\n * Create a binding for a specific target.\n * @param target\n * @param type\n * @param listener\n * @param context\n * @param once\n * @returns\n */\nfunction createBinding(\n target: Target,\n type: string,\n listener: Handler,\n context?: unknown,\n once?: boolean,\n) {\n const methodMap = {\n add: target.addEventListener?.bind(target) ?? target.on?.bind(target),\n remove:\n target.removeEventListener?.bind(target) ?? target.off?.bind(target),\n };\n\n const remove = () => {\n methodMap.remove?.(type, callback);\n };\n\n const callback = async (...args: unknown[]) => {\n try {\n await listener.apply(context, args);\n if (once) {\n remove();\n }\n } catch (error) {\n console.error(error);\n }\n };\n\n methodMap.add?.(type, callback);\n\n return {\n target,\n type,\n listener,\n context,\n once,\n remove,\n };\n}\n\ntype Binding = ReturnType<typeof createBinding>;\n\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\ntype Handler = (...args: any) => any;\n","export function preciseFloat(value: number) {\n return Math.round((value + Number.EPSILON) * 100) / 100;\n}\n\nexport function getLangCode(key?: string) {\n const value = key ? langCodes[key]?.split(\",\")[0] : null;\n if (!value) {\n return \"Unknown\";\n }\n return `${value[0].toUpperCase()}${value.slice(1)}`;\n}\n\n// Inspired by iso-language-codes.\n// See https://github.com/pubcore/iso-language-codes/blob/master/src/data.ts\nconst langCodes: Record<string, string> = {\n sr: \"српски језик\",\n ro: \"Română\",\n ii: \"ꆈꌠ꒿ Nuosuhxop\",\n ty: \"Reo Tahiti\",\n tl: \"Wikang Tagalog\",\n yi: \"ייִדיש\",\n ak: \"Akan\",\n ms: \"Bahasa Melayu, بهاس ملايو\",\n ar: \"العربية\",\n no: \"Norsk\",\n oj: \"ᐊᓂᔑᓈᐯᒧᐎᓐ\",\n ff: \"Fulfulde, Pulaar, Pular\",\n fa: \"فارسی\",\n sq: \"Shqip\",\n ay: \"aymar aru\",\n az: \"azərbaycan dili\",\n zh: \"中文 (Zhōngwén), 汉语, 漢語\",\n cr: \"ᓀᐦᐃᔭᐍᐏᐣ\",\n et: \"eesti, eesti keel\",\n gn: \"Avañe'ẽ\",\n ik: \"Iñupiaq, Iñupiatun\",\n iu: \"ᐃᓄᒃᑎᑐᑦ\",\n kr: \"Kanuri\",\n kv: \"коми кыв\",\n kg: \"Kikongo\",\n ku: \"Kurdî, أۇزبېك\",\n lv: \"latviešu valoda\",\n mg: \"fiteny malagasy\",\n mn: \"Монгол хэл\",\n om: \"Afaan Oromoo\",\n ps: \"پښتو\",\n qu: \"Runa Simi, Kichwa\",\n sc: \"sardu\",\n sw: \"Kiswahili\",\n uz: \"O'zbek, Ўзбек, \",\n za: \"Saw cueŋƅ, Saw cuengh\",\n bi: \"Bislama\",\n nb: \"Norsk Bokmål\",\n nn: \"Norsk Nynorsk\",\n id: \"Bahasa Indonesia\",\n tw: \"Twi\",\n eo: \"Esperanto\",\n ia: \"Interlingua\",\n ie: \"Originally called Occidental; then Interlingue after WWII\",\n io: \"Ido\",\n vo: \"Volapük\",\n bh: \"भोजपुरी\",\n he: \"עברית\",\n sa: \"संस्कृतम्\",\n cu: \"ѩзыкъ словѣньскъ\",\n pi: \"पाऴि\",\n ae: \"avesta\",\n la: \"latine, lingua latina\",\n hy: \"Հայերեն\",\n ss: \"SiSwati\",\n bo: \"བོད་ཡིག\",\n nr: \"isiNdebele\",\n sl: \"Slovenski Jezik, Slovenščina\",\n or: \"ଓଡ଼ିଆ\",\n nd: \"isiNdebele\",\n na: \"Dorerin Naoero\",\n mi: \"te reo Māori\",\n mr: \"मराठी\",\n lu: \"Kiluba\",\n rn: \"Ikirundi\",\n km: \"ខ្មែរ, ខេមរភាសា, ភាសាខ្មែរ\",\n fy: \"Frysk\",\n bn: \"বাংলা\",\n av: \"авар мацӀ, магӀарул мацӀ\",\n ab: \"аҧсуа бызшәа, аҧсшәа\",\n aa: \"Afaraf\",\n af: \"Afrikaans\",\n am: \"አማርኛ\",\n an: \"aragonés\",\n as: \"অসমীয়া\",\n bm: \"bamanankan\",\n ba: \"башҡорт теле\",\n eu: \"euskara, euskera\",\n be: \"беларуская мова\",\n bs: \"bosanski jezik\",\n br: \"brezhoneg\",\n bg: \"български език\",\n my: \"ဗမာစာ\",\n ca: \"català, valencià\",\n ch: \"Chamoru\",\n ce: \"нохчийн мотт\",\n ny: \"chiCheŵa, chinyanja\",\n cv: \"чӑваш чӗлхи\",\n kw: \"Kernewek\",\n co: \"corsu, lingua corsa\",\n hr: \"hrvatski jezik\",\n cs: \"čeština, český jazyk\",\n da: \"dansk\",\n dv: \"ދިވެހި\",\n nl: \"Nederlands, Vlaams\",\n dz: \"རྫོང་ཁ\",\n en: \"English\",\n ee: \"Eʋegbe\",\n fo: \"føroyskt\",\n fj: \"vosa Vakaviti\",\n fi: \"suomi, suomen kieli\",\n fr: \"français, langue française\",\n gl: \"Galego\",\n ka: \"ქართული\",\n de: \"Deutsch\",\n el: \"ελληνικά\",\n gu: \"ગુજરાતી\",\n ht: \"Kreyòl ayisyen\",\n ha: \"(Hausa) هَوُسَ\",\n hz: \"Otjiherero\",\n hi: \"हिन्दी, हिंदी\",\n ho: \"Hiri Motu\",\n hu: \"magyar\",\n ga: \"Gaeilge\",\n ig: \"Asụsụ Igbo\",\n is: \"Íslenska\",\n it: \"Italiano\",\n ja: \"日本語 (にほんご)\",\n jv: \"ꦧꦱꦗꦮ, Basa Jawa\",\n kl: \"kalaallisut, kalaallit oqaasii\",\n kn: \"ಕನ್ನಡ\",\n ks: \"कश्मीरी, كشميري\",\n kk: \"қазақ тілі\",\n ki: \"Gĩkũyũ\",\n rw: \"Ikinyarwanda\",\n ky: \"Кыргызча, Кыргыз тили\",\n ko: \"한국어\",\n kj: \"Kuanyama\",\n lb: \"Lëtzebuergesch\",\n lg: \"Luganda\",\n li: \"Limburgs\",\n ln: \"Lingála\",\n lo: \"ພາສາລາວ\",\n lt: \"lietuvių kalba\",\n gv: \"Gaelg, Gailck\",\n mk: \"македонски јазик\",\n ml: \"മലയാളം\",\n mt: \"Malti\",\n mh: \"Kajin M̧ajeļ\",\n nv: \"Diné bizaad\",\n ne: \"नेपाली\",\n ng: \"Owambo\",\n oc: \"occitan, lenga d'òc\",\n os: \"ирон æвзаг\",\n pa: \"ਪੰਜਾਬੀ\",\n pl: \"język polski, polszczyzna\",\n pt: \"Português\",\n rm: \"Rumantsch Grischun\",\n ru: \"русский\",\n sd: \"सिन्धी, سنڌي، سندھی\",\n se: \"Davvisámegiella\",\n sm: \"gagana fa'a Samoa\",\n sg: \"yângâ tî sängö\",\n gd: \"Gàidhlig\",\n sn: \"chiShona\",\n si: \"සිංහල\",\n sk: \"Slovenčina, Slovenský Jazyk\",\n so: \"Soomaaliga, af Soomaali\",\n st: \"Sesotho\",\n es: \"Español\",\n su: \"Basa Sunda\",\n sv: \"Svenska\",\n ta: \"தமிழ்\",\n te: \"తెలుగు\",\n tg: \"тоҷикӣ, toçikī, تاجیکی\",\n th: \"ไทย\",\n ti: \"ትግርኛ\",\n tk: \"Türkmen, Түркмен\",\n tn: \"Setswana\",\n to: \"Faka Tonga\",\n tr: \"Türkçe\",\n ts: \"Xitsonga\",\n tt: \"татар теле, tatar tele\",\n ug: \"ئۇيغۇرچە, Uyghurche\",\n uk: \"Українська\",\n ur: \"اردو\",\n ve: \"Tshivenḓa\",\n vi: \"Tiếng Việt\",\n wa: \"Walon\",\n cy: \"Cymraeg\",\n wo: \"Wollof\",\n xh: \"isiXhosa\",\n yo: \"Yorùbá\",\n zu: \"isiZulu\",\n};\n","import type { Level, MediaPlaylist } from \"hls.js\";\n\nexport type Playhead = \"idle\" | \"play\" | \"playing\" | \"pause\" | \"ended\";\n\nexport enum Events {\n RESET = \"reset\",\n READY = \"ready\",\n STARTED = \"started\",\n PLAYHEAD_CHANGE = \"playheadChange\",\n TIME_CHANGE = \"timeChange\",\n VOLUME_CHANGE = \"volumeChange\",\n QUALITIES_CHANGE = \"qualitiesChange\",\n AUDIO_TRACKS_CHANGE = \"audioTracksChange\",\n SUBTITLE_TRACKS_CHANGE = \"subtitleTracksChange\",\n AUTO_QUALITY_CHANGE = \"autoQualityChange\",\n INTERSTITIAL_CHANGE = \"interstitialChange\",\n SEEKING_CHANGE = \"seekingChange\",\n CUEPOINTS_CHANGE = \"cuePointsChange\",\n}\n\nexport type HlsPlayerEventMap = {\n [Events.RESET]: () => void;\n [Events.READY]: () => void;\n [Events.STARTED]: () => void;\n [Events.PLAYHEAD_CHANGE]: () => void;\n [Events.TIME_CHANGE]: () => void;\n [Events.VOLUME_CHANGE]: () => void;\n [Events.QUALITIES_CHANGE]: () => void;\n [Events.AUDIO_TRACKS_CHANGE]: () => void;\n [Events.SUBTITLE_TRACKS_CHANGE]: () => void;\n [Events.AUTO_QUALITY_CHANGE]: () => void;\n [Events.INTERSTITIAL_CHANGE]: () => void;\n [Events.SEEKING_CHANGE]: () => void;\n [Events.CUEPOINTS_CHANGE]: () => void;\n} & {\n \"*\": (event: Events) => void;\n};\n\nexport interface Quality {\n height: number;\n active: boolean;\n levels: Level[];\n}\n\nexport interface AudioTrack {\n id: number;\n active: boolean;\n label: string;\n track: MediaPlaylist;\n}\n\nexport interface SubtitleTrack {\n id: number;\n active: boolean;\n label: string;\n track: MediaPlaylist;\n}\n\nexport interface Asset {\n time: number;\n duration: number;\n type?: \"ad\" | \"bumper\";\n}\n\nexport interface Interstitial {\n asset: Asset | null;\n}\n","import { preciseFloat } from \"./helpers\";\nimport { Events } from \"./types\";\nimport type {\n Asset,\n AudioTrack,\n Interstitial,\n Playhead,\n Quality,\n SubtitleTrack,\n} from \"./types\";\n\ninterface MediaShim {\n currentTime: number;\n duration: number;\n}\n\ninterface StateParams {\n onEvent(event: Events): void;\n getTiming(): {\n primary?: MediaShim | null;\n asset?: MediaShim | null;\n };\n}\n\ninterface StateProperties {\n ready: boolean;\n playhead: Playhead;\n started: boolean;\n time: number;\n duration: number;\n interstitial: Interstitial | null;\n qualities: Quality[];\n autoQuality: boolean;\n audioTracks: AudioTrack[];\n subtitleTracks: SubtitleTrack[];\n volume: number;\n seeking: boolean;\n cuePoints: number[];\n}\n\nconst noState: StateProperties = {\n playhead: \"idle\",\n ready: false,\n started: false,\n time: 0,\n duration: NaN,\n interstitial: null,\n qualities: [],\n autoQuality: false,\n audioTracks: [],\n subtitleTracks: [],\n volume: 1,\n seeking: false,\n cuePoints: [],\n};\n\nexport class State implements StateProperties {\n private timerId_: number | undefined;\n\n constructor(private params_: StateParams) {\n this.requestTimingSync();\n }\n\n setReady() {\n if (this.ready) {\n return;\n }\n this.ready = true;\n this.requestTimingSync();\n this.params_.onEvent(Events.READY);\n }\n\n setPlayhead(playhead: Playhead) {\n if (playhead === this.playhead) {\n return;\n }\n\n this.playhead = playhead;\n\n if (playhead === \"pause\") {\n this.requestTimingSync();\n }\n\n this.params_.onEvent(Events.PLAYHEAD_CHANGE);\n }\n\n setStarted() {\n if (this.started) {\n return;\n }\n this.started = true;\n this.params_.onEvent(Events.STARTED);\n }\n\n setInterstitial(interstitial: Interstitial | null) {\n this.interstitial = interstitial;\n this.setSeeking(false);\n this.params_.onEvent(Events.INTERSTITIAL_CHANGE);\n }\n\n setAsset(asset: Omit<Asset, \"time\" | \"duration\"> | null) {\n if (!this.interstitial) {\n return;\n }\n if (asset) {\n this.interstitial.asset = {\n time: 0,\n duration: NaN,\n ...asset,\n };\n this.requestTimingSync();\n } else {\n this.interstitial.asset = null;\n }\n }\n\n setQualities(qualities: Quality[], autoQuality: boolean) {\n const diff = (items: Quality[]) =>\n items.find((item) => item.active)?.height;\n\n if (diff(this.qualities) !== diff(qualities)) {\n this.qualities = qualities;\n this.params_.onEvent(Events.QUALITIES_CHANGE);\n }\n\n if (autoQuality !== this.autoQuality) {\n this.autoQuality = autoQuality;\n this.params_.onEvent(Events.AUTO_QUALITY_CHANGE);\n }\n }\n\n setAudioTracks(audioTracks: AudioTrack[]) {\n const diff = (items: AudioTrack[]) => items.find((item) => item.active)?.id;\n\n if (diff(this.audioTracks) !== diff(audioTracks)) {\n this.audioTracks = audioTracks;\n this.params_.onEvent(Events.AUDIO_TRACKS_CHANGE);\n }\n }\n\n setSubtitleTracks(subtitleTracks: SubtitleTrack[]) {\n const diff = (items: AudioTrack[]) => items.find((item) => item.active)?.id;\n\n if (\n // TODO: Come up with a generic logical check.\n (!this.subtitleTracks.length && subtitleTracks.length) ||\n diff(this.subtitleTracks) !== diff(subtitleTracks)\n ) {\n this.subtitleTracks = subtitleTracks;\n this.params_.onEvent(Events.SUBTITLE_TRACKS_CHANGE);\n }\n }\n\n setVolume(volume: number) {\n if (volume === this.volume) {\n return;\n }\n this.volume = volume;\n this.params_.onEvent(Events.VOLUME_CHANGE);\n }\n\n setSeeking(seeking: boolean) {\n if (seeking === this.seeking) {\n return;\n }\n this.seeking = seeking;\n this.requestTimingSync();\n this.params_.onEvent(Events.SEEKING_CHANGE);\n }\n\n setCuePoints(cuePoints: number[]) {\n this.cuePoints = cuePoints;\n this.requestTimingSync();\n this.params_.onEvent(Events.CUEPOINTS_CHANGE);\n }\n\n requestTimingSync() {\n clearTimeout(this.timerId_);\n this.timerId_ = window.setTimeout(() => {\n this.requestTimingSync();\n }, 250);\n\n const timing = this.params_.getTiming();\n\n let shouldEmit = false;\n\n if (this.updateTimeDuration_(this, timing.primary)) {\n shouldEmit = true;\n }\n\n if (\n this.interstitial?.asset &&\n this.updateTimeDuration_(this.interstitial.asset, timing.asset)\n ) {\n shouldEmit = true;\n }\n\n if (shouldEmit) {\n this.params_.onEvent(Events.TIME_CHANGE);\n }\n }\n\n private updateTimeDuration_(\n target: {\n time: number;\n duration: number;\n seekableStart?: number;\n },\n shim?: MediaShim | null,\n ) {\n if (!shim) {\n return false;\n }\n if (!Number.isFinite(shim.duration)) {\n return false;\n }\n\n const oldTime = target.time;\n target.time = preciseFloat(shim.currentTime);\n\n const oldDuration = target.duration;\n target.duration = preciseFloat(shim.duration);\n\n if (target.time > target.duration) {\n target.time = target.duration;\n }\n\n return oldTime !== target.time || oldDuration !== target.duration;\n }\n\n ready = noState.ready;\n playhead = noState.playhead;\n started = noState.started;\n time = noState.time;\n duration = noState.duration;\n interstitial = noState.interstitial;\n qualities = noState.qualities;\n autoQuality = noState.autoQuality;\n audioTracks = noState.audioTracks;\n subtitleTracks = noState.subtitleTracks;\n volume = noState.volume;\n seeking = noState.seeking;\n cuePoints = noState.cuePoints;\n}\n\nexport function getState<N extends keyof StateProperties>(\n state: State | null,\n name: N,\n) {\n return state?.[name] ?? noState[name];\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA,0CAAAA,UAAA;AAAA;AACA,WAAO,eAAeA,UAAS,cAAc,EAAE,OAAO,KAAK,CAAC;AAAA;AAAA;;;;;;;;ACG5D,aAAgB,oBAAoB,KAAY,OAAa;AACzD,UAAI,UAAU;AAAI;AAClB,UAAI,UAAU;AAAG,YAAI,MAAK;eACjB,UAAU,IAAI,SAAS;AAAG,YAAI,SAAS,IAAI,SAAS;;AACxD,YAAI,OAAO,OAAO,CAAC;IAC5B;AALA,IAAAC,SAAA,sBAAA;;;;;;;;;;ACFa,YAAA,mBAAoB,WAAA;IAAW;AAE5C,QAAI,mBAAmB;AAEvB,aAAS,oBAAoB,SAAe;AACxC,UAAIC,eAAc;AAClB,UAAI,YAAY;AAAG,eAAOA;AAC1B,eAAS,IAAI,GAAG,IAAI,UAAU,GAAG,EAAE,GAAG;AAClC,QAAAA,gBAAgB,QAAQ,OAAO,CAAC,IAAI;MACxC;AACA,MAAAA,gBAAgB,QAAQ,OAAO,UAAU,CAAC;AAC1C,aAAOA;IACX;AAEA,aAAS,sBAAsBA,cAAqB,kBAAwB;AACxE,UAAIC,eAAc,IAAIC,gBAAe;AACrC,eAAS,IAAI,GAAG,IAAI,kBAAkB,EAAE,GAAG;AACvC,QAAAD,gBAAe,QAAA,OAAQ,GAAC,gBAAA,EAAA,OAAiB,GAAC,MAAA;AAC1C,QAAAC,iBAAgB,IAAA,OAAI,GAAC,GAAA,EAAA,OAAIF,cAAW,KAAA;MACxC;AACA,aAAO,EAAE,aAAWC,cAAE,cAAYC,cAAA;IACtC;AAEA,aAAS,8BAA8B,kBAAwB;AAC3D,UAAID,eAAc,IAAIC,gBAAe;AACrC,eAAS,IAAI,GAAG,IAAI,kBAAkB,EAAE,GAAG;AACvC,QAAAD,gBAAe,QAAA,OAAQ,GAAC,gBAAA,EAAA,OAAiB,GAAC,MAAA;AAC1C,QAAAC,iBAAgB,IAAA,OAAI,GAAC,gCAAA;MACzB;AACA,aAAO,EAAE,aAAWD,cAAE,cAAYC,cAAA;IACtC;AAEA,aAAgB,eACZ,YACA,cAA2B;AAE3B,UAAI,WAAW,WAAW;AAAG,eAAO,QAAA;eAC3B,WAAW,WAAW;AAAG,eAAO,WAAW,CAAC;AAErD,UAAI;AAEJ,UAAI,WAAW,SAAS,kBAAkB;AACtC,YAAM,cAAc,oBAAoB,YAAY;AAC9C,YAAA,KAAgC,sBAAsB,aAAa,WAAW,MAAM,GAAlF,cAAW,GAAA,aAAE,eAAY,GAAA;AAEjC,0BAAkB,wCAAA,OACZ,aAAW,sEAAA,EAAA,OAEM,aAAW,uBAAA,EAAA,OACxB,cAAY,+BAAA;MAG1B,OAAO;AACH,YAAM,cAAc,oBAAoB,YAAY;AAIpD,YAAI,WAAW,SAAS,OAAO,GAAG;AAC9B,4BAAkB,6DAAA,OACK,aAAW,oHAAA,EAAA,OAEN,aAAW,8CAAA,EAAA,OACT,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,gEAAA;QAI7C,WAAW,WAAW,SAAS,MAAM,GAAG;AACpC,4BAAkB,6DAAA,OACK,aAAW,mHAAA,EAAA,OAEN,aAAW,8CAAA,EAAA,OACT,aAAW,8CAAA,EAAA,OACX,aAAW,8CAAA,EAAA,OACX,aAAW,gEAAA;QAI7C,WAAW,WAAW,SAAS,MAAM,GAAG;AACpC,4BAAkB,6DAAA,OACK,aAAW,mHAAA,EAAA,OAEN,aAAW,8CAAA,EAAA,OACT,aAAW,8CAAA,EAAA,OACX,aAAW,gEAAA;QAI7C,OAAO;AACH,4BAAkB,6DAAA,OACK,aAAW,gHAAA,EAAA,OAEN,aAAW,gEAAA;QAI3C;MACJ;AAEA;AAEI,YAAM,mBAAiB;AACvB,YAAM,iBAAe;AACrB,YAAM,2BAAyB;AAC/B,YAAM,wBAAsB;AAE5B,YAAM,cAAc,KAAK,eAAe;AACxC,eAAO,YAAY,UAAU;MACjC;IACJ;AApFA,YAAA,iBAAA;AAsFA,aAAgB,oBACZ,YACA,cAA2B;AAE3B,UAAI,WAAW,WAAW;AAAG,eAAO,QAAA;eAC3B,WAAW,WAAW;AAAG,eAAO,WAAW,CAAC;AAErD,UAAI;AAEJ,UAAI,WAAW,SAAS,kBAAkB;AACtC,YAAM,cAAc,oBAAoB,YAAY;AAC9C,YAAA,KAAgC,sBAAsB,aAAa,WAAW,MAAM,GAAlF,cAAW,GAAA,aAAE,eAAY,GAAA;AAEjC,0BAAkB,wCAAA,OACZ,aAAW,sEAAA,EAAA,OAEM,aAAW,4CAAA,EAAA,OACH,cAAY,mCAAA;MAG/C,OAAO;AACH,YAAM,cAAc,oBAAoB,YAAY;AACpD,0BAAkB,yDAAA,OACK,aAAW,gLAAA,EAAA,OAGQ,aAAW,mGAAA;MAKzD;AAEA;AAEI,YAAM,mBAAiB;AACvB,YAAM,iBAAe;AACrB,YAAM,2BAAyB;AAC/B,YAAM,wBAAsB;AAE5B,YAAM,cAAc,KAAK,eAAe;AACxC,eAAO,YAAY,UAAU;MACjC;IACJ;AA3CA,YAAA,sBAAA;AA6CA,aAAgB,uBACZ,YAAkB;AAElB,UAAI,WAAW,WAAW;AAAG,eAAO,QAAA;eAC3B,WAAW,WAAW;AAAG,eAAO,WAAW,CAAC;AAErD,UAAI;AAEJ,UAAI,WAAW,SAAS,kBAAkB;AAChC,YAAA,KAAgC,8BAA8B,WAAW,MAAM,GAA7E,cAAW,GAAA,aAAE,eAAY,GAAA;AAEjC,0BAAkB,wCAAA,OACZ,aAAW,2FAAA,EAAA,OAGP,cAAY,+BAAA;MAG1B,OAAO;AACH,0BAAkB;MAOtB;AAEA;AAEI,YAAM,mBAAiB;AACvB,YAAM,eAAe;AACrB,YAAM,2BAAyB;AAC/B,YAAM,wBAAsB;AAE5B,YAAM,cAAc,KAAK,eAAe;AACxC,eAAO,YAAY,UAAU;MACjC;IACJ;AAtCA,YAAA,yBAAA;;;;;;;;;;;;;;;;;;;ACrKA,QAAA,UAAA;AACA,QAAA,oBAAA;AAGA,aAAS,eAAgF,GAAS,GAA+B;AAC7H,UAAM,MAAM,KAAK;AACjB,UAAI,MAAM,GAAG;AACT,YAAI,GAAG;AACH,cAAIC;AACJ,WAACA,MAAK,KAAK,QAAkB,KAAK,MAAMA,KAAI,SAAS;AACrD,eAAK,UAAU,UAAU;QAC7B,OAAO;AACF,eAAK,OAAkB,KAAK,CAAC;AAC9B,eAAK;QACT;MACJ,OAAO;AACH,YAAI,GAAG;AACH,cAAI,QAAQ,GAAG;AACX,gBAAM,QAAQ,MAAM,IAAI,UAAU,MAAM;AACxC,kBAAM,KAAK,KAAK;AAChB,kBAAM,KAAK,MAAM,OAAO,SAAS;AACjC,iBAAK,SAAS;UAClB,OAAO;AACH,gBAAM,QAAQ,MAAM,UAAU,MAAM;AACpC,kBAAM,KAAK,MAAM,OAAO,SAAS;AACjC,iBAAK,SAAS;UAClB;AACA,eAAK,UAAU,UAAU;QAC7B,OAAO;AACH,cAAI,QAAQ;AAAG,iBAAK,SAAS,CAAE,KAAK,QAAgB,CAAC;;AAChD,iBAAK,SAAS;AACnB,eAAK;QACT;MACJ;IACJ;AAEA,aAAS,aAA8E,GAAS,GAA+B;AAC3H,UAAM,MAAM,KAAK;AACjB,UAAI,MAAM,GAAG;AACT,YAAI,GAAG;AACH,cAAIA;AACJ,WAACA,MAAK,KAAK,QAAkB,KAAK,MAAMA,KAAI,SAAS;AACrD,eAAK,UAAU,UAAU;QAC7B,OAAO;AACF,eAAK,OAAkB,KAAK,CAAC;AAC9B,eAAK;QACT;MACJ,OAAO;AACH,YAAI,GAAG;AACH,cAAI,QAAQ,GAAG;AACX,gBAAM,QAAQ,MAAM,IAAI,UAAU,MAAM;AACxC,kBAAM,KAAK,KAAK;AAChB,kBAAM,KAAK,MAAM,OAAO,SAAS;AACjC,iBAAK,SAAS;UAClB,OAAO;AACH,gBAAM,QAAQ,MAAM,UAAU,MAAM;AACpC,kBAAM,KAAK,MAAM,OAAO,SAAS;AACjC,iBAAK,SAAS;UAClB;AACA,eAAK,UAAU,UAAU;QAC7B,OAAO;AACH,cAAI,QAAQ;AAAG,iBAAK,SAAS,CAAE,KAAK,QAAgB,CAAC;;AAChD,iBAAK,SAAS;AACnB,eAAK;QACT;MACJ;AAEA,UAAI,KAAK;AAAwB,aAAK,OAAO;;AACxC,aAAK,QAAO;IACrB;AAEA,aAAS,qBAAsF,GAAO;AAClG,UAAI,KAAK,WAAW;AAAG;AACvB,UAAI,KAAK,WAAW,GAAG;AACnB,YAAI,KAAK,WAAW,GAAG;AACnB,eAAK,SAAS;QAClB;MACJ,OAAO;AACH,SAAA,GAAA,QAAA,qBAAoB,KAAK,QAAmB,KAAK,OAAkB,YAAY,CAAC,CAAC;AACjF,YAAI,KAAK,OAAO,WAAW,GAAG;AAC1B,eAAK,SAAS,KAAK,OAAO,CAAC;AAC3B,eAAK,SAAS;QAClB;AACK,eAAK,SAAS,KAAK,OAAO;MACnC;IACJ;AAEA,aAAS,mBAAoF,GAAO;AAChG,UAAI,KAAK,WAAW;AAAG;AACvB,UAAI,KAAK,WAAW,GAAG;AACnB,YAAI,KAAK,WAAW,GAAG;AACnB,eAAK,SAAS;QAClB;AACA,YAAI,KAAK,wBAAwB;AAC7B,eAAK,OAAO,kBAAA;AACZ;QACJ,OAAO;AACH,eAAK,QAAO;AACZ;QACJ;MACJ,OAAO;AACH,SAAA,GAAA,QAAA,qBAAoB,KAAK,QAAmB,KAAK,OAAkB,YAAY,CAAC,CAAC;AACjF,YAAI,KAAK,OAAO,WAAW,GAAG;AAC1B,eAAK,SAAS,KAAK,OAAO,CAAC;AAC3B,eAAK,SAAS;QAClB;AACK,eAAK,SAAS,KAAK,OAAO;MACnC;AAEA,UAAI,KAAK;AAAwB,aAAK,OAAO;;AACxC,aAAK,QAAO;IACrB;AAEA,aAAS,iBAAkF,OAAa;;AAAE,UAAA,OAAA,CAAA;eAAA,KAAA,GAAA,KAAA,UAAA,QAAA,MAAe;AAAf,aAAA,KAAA,CAAA,IAAA,UAAA,EAAA;;AACtG,UAAI,KAAK,WAAW,GAAG;AACnB,aAAK,SAAS;AACd,aAAK,SAAS;MAClB,WACS,KAAK,WAAW,GAAG;AACxB,aAAK,QAAQ,KAAK,MAAc;AAChC,aAAK,SAAS;AACd,aAAK,SAAS,KAAK,OAAO;MAC9B,OACK;AACD,SAAA,KAAC,KAAK,QAAkB,OAAM,MAAA,IAAA,cAAA,CAAC,OAAO,CAAC,GAAK,MAAI,KAAA,CAAA;AAChD,aAAK,SAAS,KAAK,OAAO;MAC9B;IACJ;AAEA,aAAS,eAAgF,OAAa;;AAAE,UAAA,OAAA,CAAA;eAAA,KAAA,GAAA,KAAA,UAAA,QAAA,MAAe;AAAf,aAAA,KAAA,CAAA,IAAA,UAAA,EAAA;;AACpG,UAAI,KAAK,WAAW,GAAG;AACnB,aAAK,SAAS;AACd,aAAK,SAAS;MAClB,WACS,KAAK,WAAW,GAAG;AACxB,aAAK,QAAQ,KAAK,MAAc;AAChC,aAAK,SAAS;AACd,aAAK,SAAS,KAAK,OAAO;MAC9B,OACK;AACD,SAAA,KAAC,KAAK,QAAkB,OAAM,MAAA,IAAA,cAAA,CAAC,OAAO,CAAC,GAAK,MAAI,KAAA,CAAA;AAChD,aAAK,SAAS,KAAK,OAAO;MAC9B;AAEA,UAAI,KAAK;AAAwB,aAAK,OAAO;;AACxC,aAAK,QAAO;IACrB;AAEA,aAAS,kBAAe;AACpB,UAAI,KAAK,WAAW;AAAG,aAAK,OAAO,kBAAA;eAC1B,KAAK,WAAW;AAAG,aAAK,OAAO,KAAK;;AACxC,aAAK,QAAO,GAAA,kBAAA,gBAAe,KAAK,QAAkB,KAAK,OAAO;IACvE;AAEA,aAAS,gBAAa;AAClB,UAAI,KAAK,WAAW;AAAG,aAAK,OAAO,kBAAA;eAC1B,KAAK,WAAW;AAAG,aAAK,OAAO,KAAK;;AACxC,aAAK,QAAO,GAAA,kBAAA,qBAAoB,KAAK,QAAkB,KAAK,OAAO;IAC5E;AAEA,aAAS,wBAAqB;AAC1B,WAAK,QAAO;AACZ,WAAK,KAAK,MAAM,QAAW,SAAS;IACxC;AAEA,QAAA;;MAAA,2BAAA;AAII,iBAAAC,gBACI,SACA,aACA,cACgB,YAA4C;AAF5D,cAAA,gBAAA,QAAA;AAAA,0BAAA;UAA2B;AAC3B,cAAA,iBAAA,QAAA;AAAA,2BAAA;UAAuC;AACvB,cAAA,eAAA,QAAA;AAAA,yBAAyB;UAAmB;AAA5C,eAAA,aAAA;AAyCpB,eAAA,OAAwF,kBAAA;AAvCpF,eAAK,UAAU;AACf,eAAK,yBAAyB;AAE9B,cAAI;AAAY,iBAAK,UAAU,cAAc,KAAK,IAAI;;AACjD,iBAAK,UAAU,gBAAgB,KAAK,IAAI;AAE7C,eAAK,eAAe,WAAW;AAE/B,cAAI,cAAc;AACd,gBAAI,OAAO,iBAAiB,YAAY;AACpC,mBAAK,SAAS;AACd,mBAAK,SAAS;YAClB,OAAO;AACH,mBAAK,SAAS;AACd,mBAAK,SAAS,aAAa;YAC/B;UACJ,OAAO;AACH,iBAAK,SAAS;AACd,iBAAK,SAAS;UAClB;AAEA,cAAI;AAAa,iBAAK,QAAO;QACjC;AAkCJ,eAAAA;MAAA,EAlEA;;AAAa,IAAAC,SAAA,iBAAA;AAoEb,aAAS,YAAS;AAId,WAAK,SAAS;AACd,WAAK,SAAS;AACd,WAAK,OAAO,kBAAA;IAChB;AAEA,aAAS,QAAK;AAIV,WAAK,SAAS;AACd,WAAK,SAAS;AACd,WAAK,OAAO,kBAAA;IAChB;AAEA,aAAS,YAGiC,SAAe;AACrD,UAAI,KAAK,UAAU,SAAS;AACvB,aAAa,UAAU;AAExB,YAAI,KAAK;AAAwB,eAAK,OAAO;;AACxC,eAAK,QAAO;MACrB;IACJ;AAEA,aAAS,eAGiC,QAAe;AACrD,UAAI,QAAQ;AACR,aAAK,OAAO,aAAa,KAAK,IAAI;AAClC,aAAK,SAAS,eAAe,KAAK,IAAI;AACtC,aAAK,aAAa,mBAAmB,KAAK,IAAI;MAClD,OAAO;AACH,aAAK,OAAO,eAAe,KAAK,IAAI;AACpC,aAAK,SAAS,iBAAiB,KAAK,IAAI;AACxC,aAAK,aAAa,qBAAqB,KAAK,IAAI;MACpD;IACJ;AAEA,aAAS,eAAY;AAIjB,UAAI,KAAK,WAAW;AAAG,eAAO,CAAA;AAC9B,UAAI,KAAK,WAAW;AAAG,eAAO,CAAE,KAAK,MAAc;AACnD,aAAO,KAAK;IAChB;AAEA,aAAS,SAGiC,OAAa;AACnD,UAAI,MAAM,WAAW,GAAG;AACpB,aAAK,SAAS;AACd,aAAK,OAAO,kBAAA;MAChB,WAAW,MAAM,WAAW,GAAG;AAC3B,aAAK,SAAS;AACd,aAAK,OAAO,MAAM,CAAC;AACnB,aAAK,SAAS,MAAM,CAAC;MACzB,OAAO;AACH,aAAK,SAAS,MAAM;AACpB,aAAK,SAAS;AAEd,YAAI,KAAK;AAAwB,eAAK,OAAO;;AACxC,eAAK,QAAO;MACrB;IACJ;AAEC,mBAAe,UAAmD,YAAY;AAC9E,mBAAe,UAAmD,QAAQ;AAC1E,mBAAe,UAAmD,cAAc;AAChF,mBAAe,UAAmD,iBAAiB;AACnF,mBAAe,UAAmD,eAAe;AACjF,mBAAe,UAAmD,WAAW;;;;;;;;;;;;;;;;;;;;;;;;;ACxT9E,iBAAA,2BAAAC,QAAA;;;;;;;;;;ACCA,aAAgB,UAAO;AACnB,UAAM,IAAI,CAAA;AACT,QAAU,YAAY;AACvB,aAAO;IACX;AAJA,IAAAC,SAAA,UAAA;;;;;;;;;;;;;;;;;;;ACAA,QAAA,oBAAA;AACA,QAAA,UAAA;AACA,QAAA,UAAA;AAEA,aAAS,KAAyB,OAAe,GAAQ,GAAQ,GAAQ,GAAQ,GAAM;AACnF,UAAM,KAAK,KAAK,OAAO,KAAK;AAC5B,UAAI,IAAI;AACJ,YAAI,GAAG,WAAW;AAAG,iBAAO;AAE5B,YAAI,GAAG,UAAU,GAAG;AAChB,aAAG,KAAK,GAAG,GAAG,GAAG,GAAG,CAAC;QACzB,OAAO;AACH,cAAM,MAAM,IAAI,MAAM,GAAG,OAAO;AAChC,mBAAS,IAAI,GAAG,MAAM,IAAI,QAAQ,IAAI,KAAK,EAAE,GAAG;AAC5C,gBAAI,CAAC,IAAI,UAAU,IAAI,CAAC;UAC5B;AACA,aAAG,KAAK,MAAM,QAAW,GAAG;QAChC;AACA,eAAO;MACX;AACA,aAAO;IACX;AAEA,aAAS,YAAgC,OAAe,GAAQ,GAAQ,GAAQ,GAAQ,GAAM;AAC1F,UAAM,KAAK,KAAK,OAAO,KAAK;AAC5B,UAAI;AAEJ,UAAI,OAAO,QAAW;AAClB,YAAI,GAAG,WAAW;AAAG,iBAAO;AAE5B,YAAI,GAAG,UAAU,GAAG;AAChB,aAAG,KAAK,GAAG,GAAG,GAAG,GAAG,CAAC;QACzB,OAAO;AACH,oBAAU,IAAI,MAAM,GAAG,OAAO;AAC9B,mBAAS,IAAI,GAAG,MAAM,QAAQ,QAAQ,IAAI,KAAK,EAAE,GAAG;AAChD,oBAAQ,CAAC,IAAI,UAAU,IAAI,CAAC;UAChC;AACA,aAAG,KAAK,MAAM,QAAW,OAAO;QACpC;MACJ;AACA,UAAM,MAAM,KAAK,WAAW,KAAK;AACjC,UAAI,KAAK;AACL,YAAI,OAAO,QAAQ,YAAY;AAC3B,eAAK,WAAW,KAAK,IAAI;AAEzB,cAAI,UAAU,SAAS,GAAG;AACtB,gBAAI,GAAG,GAAG,GAAG,GAAG,CAAC;UACrB,OAAO;AACH,gBAAI,YAAY,QAAW;AACvB,wBAAU,IAAI,MAAM,UAAU,SAAS,CAAC;AACxC,uBAAS,IAAI,GAAG,MAAM,QAAQ,QAAQ,IAAI,KAAK,EAAE,GAAG;AAChD,wBAAQ,CAAC,IAAI,UAAU,IAAI,CAAC;cAChC;YACJ;AACA,gBAAI,MAAM,QAAW,OAAO;UAChC;QACJ,OAAO;AACH,cAAM,OAAO;AACb,eAAK,WAAW,KAAK,IAAI;AAEzB,cAAI,UAAU,SAAS,GAAG;AACtB,qBAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,EAAE,GAAG;AAClC,mBAAK,CAAC,EAAE,GAAG,GAAG,GAAG,GAAG,CAAC;YACzB;UACJ,OAAO;AACH,gBAAI,YAAY,QAAW;AACvB,wBAAU,IAAI,MAAM,UAAU,SAAS,CAAC;AACxC,uBAAS,IAAI,GAAG,MAAM,QAAQ,QAAQ,IAAI,KAAK,EAAE,GAAG;AAChD,wBAAQ,CAAC,IAAI,UAAU,IAAI,CAAC;cAChC;YACJ;AACA,qBAAS,IAAI,GAAG,IAAI,KAAK,QAAQ,EAAE,GAAG;AAClC,mBAAK,CAAC,EAAE,MAAM,QAAW,OAAO;YACpC;UACJ;QACJ;AAEA,eAAO;MACX;AACA,aAAO,OAAO;IAClB;AAGA,QAAAC;;MAAA,WAAA;AAAA,iBAAAA,gBAAA;AACI,eAAA,UAEI,GAAA,QAAA,SAAO;AAEX,eAAA,cAEI,GAAA,QAAA,SAAO;AAIX,eAAA,cAA2B,oBAAI;AAE/B,eAAA,eAAuB;QAyB3B;AAvBI,eAAA,eAAIA,cAAA,WAAA,gBAAY;eAAhB,WAAA;AACI,mBAAO,KAAK,WAAU,EAAG;UAC7B;;;;AAqBJ,eAAAA;MAAA,EAtCA;;AAAa,IAAAC,SAAA,eAAAD;AAyCb,aAAS,KAEL,OACA,UAA4B;AAE5B,UAAI,KAAK,SAAgB,MAAM;AAC3B,aAAK,OAAO;MAChB;AAEA,cAAQ,OAAO,KAAK,WAAW,KAAK,GAAG;QACnC,KAAK;AACD,eAAK,WAAW,KAAK,IAAI;AACzB,cAAI,OAAO,UAAU;AAAU,iBAAK,YAAY,IAAI,KAAK;AACzD;QACJ,KAAK;AACD,eAAK,WAAW,KAAK,IAAI,CAAE,KAAK,WAAW,KAAK,GAAU,QAAQ;AAClE;QACJ,KAAK;AACA,eAAK,WAAW,KAAK,EAAY,KAAK,QAAQ;MACvD;AAEA,aAAO;IACX;AAEA,aAAS,YAEL,OACA,UACA,SAA6D;AAA7D,UAAA,YAAA,QAAA;AAAA,kBAAuC,SAAS;MAAa;AAE7D,UAAI,OAAO,aAAa;AAAY,cAAM,IAAI,UAAU,iCAAiC;AACzF,UAAI,SAAuC,KAAK,OAAO,KAAK;AAC5D,UAAI,CAAC,QAAQ;AACT,aAAK,OAAO,KAAK,IAAI,IAAI,kBAAA,eAAe,SAAS,MAAM,UAAU,KAAK;AACtE,YAAI,OAAO,UAAU;AAAU,eAAK,YAAY,IAAI,KAAK;MAC7D,OAAO;AACH,eAAO,KAAK,QAAQ;AACpB,eAAO,YAAY,OAAO;AAC1B,YAAI,KAAK,iBAAiB,YAAY,KAAK,gBAAgB,OAAO;AAAQ,kBAAQ,KAAK,gCAAA,OAAgC,OAAO,KAAK,GAAC,UAAA,CAAU;MAClJ;AACA,aAAO;IACX;AAEA,aAAS,eAA0I,OAAiB,UAA4B;AAC5L,UAAM,MAAM,KAAK,OAAO,KAAK;AAC7B,UAAI,KAAK;AACL,YAAI,WAAW,QAAQ;MAC3B;AACA,UAAM,OAAO,KAAK,WAAW,KAAK;AAClC,UAAI,MAAM;AACN,YAAI,OAAO,SAAS,YAAY;AAC5B,eAAK,WAAW,KAAK,IAAI;QAC7B,WACS,OAAO,SAAS,UAAU;AAC/B,cAAI,KAAK,WAAW,KAAK,KAAK,CAAC,MAAM,UAAU;AAC3C,iBAAK,WAAW,KAAK,IAAI;UAC7B,OAAO;AACH,aAAA,GAAA,QAAA,qBAAoB,MAAgB,KAAe,YAAY,QAAQ,CAAC;UAC5E;QACJ;MACJ;AACA,aAAO;IACX;AAEA,aAAS,iBAEL,OACA,UACA,QACA,SAA6D;AAD7D,UAAA,WAAA,QAAA;AAAA,iBAAA;MAAa;AACb,UAAA,YAAA,QAAA;AAAA,kBAAuC,SAAS;MAAa;AAE7D,UAAI,CAAC,KAAK;AAAY,aAAK,aAAa,oBAAI;AAC5C,UAAM,QAAQ,SAAS,KAAK,MAAM;AAClC,WAAK,WAAW,IAAI,UAAU,KAAK;AACnC,aAAO,KAAK,YAAY,OAAO,OAAO,OAAO;IACjD;AAEA,aAAS,oBAA+I,OAAiB,UAA4B;;AACjM,UAAM,SAAQE,MAAA,KAAK,gBAAU,QAAAA,QAAA,SAAA,SAAAA,IAAE,IAAI,QAAQ;AAC3C,OAAA,KAAA,KAAK,gBAAU,QAAA,OAAA,SAAA,SAAA,GAAE,OAAO,QAAQ;AAChC,aAAO,KAAK,eAAe,OAAO,KAAY;IAClD;AAEA,aAAS,aAAwI,OAAe;AAC5J,aAAO,KAAK,OAAO,KAAK,KAAK,CAAC,CAAC,KAAK,OAAO,KAAK,EAAE;IACtD;AAEA,aAAS,gBAEL,OACA,UACA,SAA6D;AAA7D,UAAA,YAAA,QAAA;AAAA,kBAAuC,SAAS;MAAa;AAE7D,UAAI,OAAO,aAAa;AAAY,cAAM,IAAI,UAAU,iCAAiC;AACzF,UAAI,SAAuC,KAAK,OAAO,KAAK;AAC5D,UAAI,CAAC,UAAU,EAAE,kBAAkB,kBAAA,iBAAiB;AAChD,iBAAS,KAAK,OAAO,KAAK,IAAI,IAAI,kBAAA,eAAe,SAAS,MAAM,UAAU,KAAK;AAC/E,YAAI,OAAO,UAAU;AAAU,eAAK,YAAY,IAAI,KAAK;MAC7D,OAAO;AACH,eAAO,OAAO,GAAG,QAAQ;AACzB,eAAO,YAAY,OAAO;AAC1B,YAAI,KAAK,iBAAiB,YAAY,KAAK,gBAAgB,OAAO;AAAQ,kBAAQ,KAAK,gCAAA,OAAgC,OAAO,KAAK,GAAC,UAAA,CAAU;MAClJ;AACA,aAAO;IACX;AAEA,aAAS,oBAA+I,OAAiB,UAA4B;AACjM,UAAI,KAAK,SAAgB,MAAM;AAC3B,aAAK,OAAO;MAChB;AAEA,UAAM,SAAS,KAAK,WAAW,KAAK;AACpC,UAAI,CAAC,QAAQ;AACT,aAAK,WAAW,KAAK,IAAI,CAAE,QAAQ;AACnC,YAAI,OAAO,UAAU;AAAU,eAAK,YAAY,IAAI,KAAK;MAC7D,WAAW,OAAO,WAAW,UAAU;AACnC,aAAK,WAAW,KAAK,IAAI,CAAE,UAAU,MAAa;AAClD,YAAI,OAAO,UAAU;AAAU,eAAK,YAAY,IAAI,KAAK;MAC7D,OAAO;AACH,eAAO,QAAQ,QAAQ;AACvB,YAAI,KAAK,iBAAiB,YAAY,KAAK,gBAAgB,OAAO,QAAQ;AACtE,kBAAQ,KAAK,gCAAA,OAAgC,OAAO,KAAK,GAAC,eAAA,CAAe;QAC7E;MACJ;AAEA,aAAO;IACX;AAEA,aAAS,mBAA+I,OAAgB;AACpK,UAAI,UAAU,QAAW;AACrB,aAAK,UAAS,GAAA,QAAA,SAAO;AACrB,aAAK,cAAa,GAAA,QAAA,SAAO;AACzB,aAAK,cAAc,oBAAI;MAC3B,OAAO;AACH,aAAK,OAAO,KAAK,IAAI;AACrB,aAAK,WAAW,KAAK,IAAI;AACzB,YAAI,OAAO,UAAU;AAAU,eAAK,YAAY,OAAO,KAAK;MAChE;AACA,aAAO;IACX;AAEA,aAAS,gBAAiG,GAAS;AAC/G,WAAK,eAAe;AACpB,aAAO;IACX;AAEA,aAAS,kBAAe;AACpB,aAAO,KAAK;IAChB;AAEA,aAAS,UAAsI,OAAe;AAC1J,UAAI,KAAK,SAAU;AAAc,eAAO,KAAK,OAAO,KAAK,IAAK,KAAK,OAAO,KAAK,EAAE,aAAY,EAAG,MAAK,IAAe,CAAA;WAC/G;AACD,YAAI,KAAK,OAAO,KAAK,KAAK,KAAK,WAAW,KAAK,GAAG;AAC9C,iBAAA,cAAA,cAAA,CAAA,GACO,KAAK,OAAO,KAAK,EAAE,aAAY,GAAE,IAAA,GAChC,OAAO,KAAK,WAAW,KAAK,MAAM,aAAa,CAAE,KAAK,WAAW,KAAK,CAAC,IAAK,KAAK,WAAW,KAAK,GAAS,IAAA;QAEtH,WACS,KAAK,OAAO,KAAK;AAAG,iBAAO,KAAK,OAAO,KAAK,EAAE,aAAY;iBAC1D,KAAK,WAAW,KAAK;AAAG,iBAAQ,OAAO,KAAK,WAAW,KAAK,MAAM,aAAa,CAAE,KAAK,WAAW,KAAK,CAAC,IAAK,KAAK,WAAW,KAAK;;AACrI,iBAAO,CAAA;MAChB;IACJ;AAEA,aAAS,aAAU;AAAnB,UAAA,QAAA;AACI,UAAI,KAAK,SAAU,MAAc;AAC7B,YAAM,OAAO,OAAO,KAAK,KAAK,MAAM;AACpC,eAAO,cAAA,cAAA,CAAA,GAAK,MAAI,IAAA,GAAK,MAAM,KAAK,KAAK,WAAW,GAAC,IAAA,EAAG,OAAO,SAAC,GAAM;AAAK,iBAAC,KAAK,MAAK,UAAW,MAAK,OAAO,CAAC,KAAK,MAAK,OAAO,CAAC,EAAE;QAAvD,CAA6D;MACxI,OACK;AACD,YAAM,OAAO,OAAO,KAAK,KAAK,MAAM,EAAE,OAAO,SAAC,GAAM;AAAK,iBAAA,MAAK,OAAO,CAAC,KAAK,MAAK,OAAO,CAAC,EAAE;QAAjC,CAAuC;AAChG,YAAM,QAAQ,OAAO,KAAK,KAAK,UAAU,EAAE,OAAO,SAAC,GAAM;AAAK,iBAAA,MAAK,WAAW,CAAC,KAAK,MAAK,WAAW,CAAC,EAAE;QAAzC,CAA+C;AAC7G,eAAA,cAAA,cAAA,cAAA,CAAA,GAAY,MAAI,IAAA,GAAK,OAAK,IAAA,GAAK,MAAM,KAAK,KAAK,WAAW,EAAE,OAAO,SAAC,GAAM;AAAK,iBACzE,KAAK,MAAK,UAAW,MAAK,OAAO,CAAC,KAAK,MAAK,OAAO,CAAC,EAAE,UACtD,KAAK,MAAK,cAAe,MAAK,WAAW,CAAC,KAAK,MAAK,WAAW,CAAC,EAAE;QAFO,CAG9E,GAAC,IAAA;MACN;IACJ;AAEA,aAAS,cAA0I,MAAc;AAC7J,UAAI,KAAK,SAAU;AAAc,eAAO,KAAK,OAAO,IAAI,KAAK,KAAK,OAAO,IAAI,EAAE,UAAU;;AACpF,gBAAQ,KAAK,OAAO,IAAI,KAAK,KAAK,OAAO,IAAI,EAAE,UAAU,MAAM,KAAK,WAAW,IAAI,KAAK,KAAK,WAAW,IAAI,EAAE,UAAU;IACjI;AAEA,IAAAF,cAAa,UAAU,OAAO;AAC9B,IAAAA,cAAa,UAAU,KAAK;AAC5B,IAAAA,cAAa,UAAU,OAAO;AAC9B,IAAAA,cAAa,UAAU,cAAc;AACrC,IAAAA,cAAa,UAAU,iBAAiB;AACxC,IAAAA,cAAa,UAAU,mBAAmB;AAC1C,IAAAA,cAAa,UAAU,sBAAsB;AAC7C,IAAAA,cAAa,UAAU,eAAe;AACtC,IAAAA,cAAa,UAAU,kBAAkB;AACzC,IAAAA,cAAa,UAAU,sBAAsB;AAC7C,IAAAA,cAAa,UAAU,MAAM;AAC7B,IAAAA,cAAa,UAAU,qBAAqB;AAC5C,IAAAA,cAAa,UAAU,kBAAkB;AACzC,IAAAA,cAAa,UAAU,kBAAkB;AACzC,IAAAA,cAAa,UAAU,YAAY;AACnC,IAAAA,cAAa,UAAU,aAAa;AACpC,IAAAA,cAAa,UAAU,gBAAgB;;;;;;;;;;;;;;;;;;;;;;;;;ACtUvC,iBAAA,iBAAAG,QAAA;AACA,iBAAA,cAAAA,QAAA;;;;;ACDA,OAAO,SAAS;;;ACAT,SAAS,OACd,OACA,UAAU,iBACuB;AACjC,MAAI,UAAU,QAAQ,UAAU,QAAW;AACzC,UAAM,MAAM,OAAO;AAAA,EACrB;AACF;;;ADLA,mBAA6B;;;AEmBtB,IAAM,eAAN,MAAmB;AAAA,EAAnB;AACL,wBAAQ,aAAY,oBAAI,IAAa;AAErC,kCAAS,CAAmB,WACzB,CAAC,MAAM,UAAU,YAAY;AAC5B,YAAM,UAAU,cAAc,QAAQ,MAAM,UAAU,OAAO;AAC7D,WAAK,UAAU,IAAI,OAAO;AAAA,IAC5B;AAEF,sCAAa,CAAmB,WAC7B,CAAC,MAAM,UAAU,YAAY;AAC5B,YAAM,UAAU,cAAc,QAAQ,MAAM,UAAU,SAAS,IAAI;AACnE,WAAK,UAAU,IAAI,OAAO;AAAA,IAC5B;AAEF,oCAAW,CAAmB,WAC3B,CAAC,MAAM,aAAa;AACnB,YAAM,UAAU,MAAM,KAAK,KAAK,SAAS,EAAE;AAAA,QACzC,CAACC,aACCA,SAAQ,WAAW,UACnBA,SAAQ,SAAS,QACjBA,SAAQ,aAAa;AAAA,MACzB;AACA,UAAI,SAAS;AACX,gBAAQ,OAAO;AACf,aAAK,UAAU,OAAO,OAAO;AAAA,MAC/B;AAAA,IACF;AAAA;AAAA,EAEF,YAAY;AACV,SAAK,UAAU,QAAQ,CAAC,YAAY;AAClC,cAAQ,OAAO;AAAA,IACjB,CAAC;AACD,SAAK,UAAU,MAAM;AAAA,EACvB;AACF;AAWA,SAAS,cACP,QACA,MACA,UACA,SACA,MACA;AACA,QAAM,YAAY;AAAA,IAChB,KAAK,OAAO,kBAAkB,KAAK,MAAM,KAAK,OAAO,IAAI,KAAK,MAAM;AAAA,IACpE,QACE,OAAO,qBAAqB,KAAK,MAAM,KAAK,OAAO,KAAK,KAAK,MAAM;AAAA,EACvE;AAEA,QAAM,SAAS,MAAM;AACnB,cAAU,SAAS,MAAM,QAAQ;AAAA,EACnC;AAEA,QAAM,WAAW,UAAU,SAAoB;AAC7C,QAAI;AACF,YAAM,SAAS,MAAM,SAAS,IAAI;AAClC,UAAI,MAAM;AACR,eAAO;AAAA,MACT;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,KAAK;AAAA,IACrB;AAAA,EACF;AAEA,YAAU,MAAM,MAAM,QAAQ;AAE9B,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,IACA;AAAA,EACF;AACF;;;ACzGO,SAAS,aAAa,OAAe;AAC1C,SAAO,KAAK,OAAO,QAAQ,OAAO,WAAW,GAAG,IAAI;AACtD;AAEO,SAAS,YAAY,KAAc;AACxC,QAAM,QAAQ,MAAM,UAAU,GAAG,GAAG,MAAM,GAAG,EAAE,CAAC,IAAI;AACpD,MAAI,CAAC,OAAO;AACV,WAAO;AAAA,EACT;AACA,SAAO,GAAG,MAAM,CAAC,EAAE,YAAY,CAAC,GAAG,MAAM,MAAM,CAAC,CAAC;AACnD;AAIA,IAAM,YAAoC;AAAA,EACxC,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AAAA,EACJ,IAAI;AACN;;;ACnMO,IAAK,SAAL,kBAAKC,YAAL;AACL,EAAAA,QAAA,WAAQ;AACR,EAAAA,QAAA,WAAQ;AACR,EAAAA,QAAA,aAAU;AACV,EAAAA,QAAA,qBAAkB;AAClB,EAAAA,QAAA,iBAAc;AACd,EAAAA,QAAA,mBAAgB;AAChB,EAAAA,QAAA,sBAAmB;AACnB,EAAAA,QAAA,yBAAsB;AACtB,EAAAA,QAAA,4BAAyB;AACzB,EAAAA,QAAA,yBAAsB;AACtB,EAAAA,QAAA,yBAAsB;AACtB,EAAAA,QAAA,oBAAiB;AACjB,EAAAA,QAAA,sBAAmB;AAbT,SAAAA;AAAA,GAAA;;;ACoCZ,IAAM,UAA2B;AAAA,EAC/B,UAAU;AAAA,EACV,OAAO;AAAA,EACP,SAAS;AAAA,EACT,MAAM;AAAA,EACN,UAAU;AAAA,EACV,cAAc;AAAA,EACd,WAAW,CAAC;AAAA,EACZ,aAAa;AAAA,EACb,aAAa,CAAC;AAAA,EACd,gBAAgB,CAAC;AAAA,EACjB,QAAQ;AAAA,EACR,SAAS;AAAA,EACT,WAAW,CAAC;AACd;AAEO,IAAM,QAAN,MAAuC;AAAA,EAG5C,YAAoB,SAAsB;AAAtB;AAFpB,wBAAQ;AA6KR,iCAAQ,QAAQ;AAChB,oCAAW,QAAQ;AACnB,mCAAU,QAAQ;AAClB,gCAAO,QAAQ;AACf,oCAAW,QAAQ;AACnB,wCAAe,QAAQ;AACvB,qCAAY,QAAQ;AACpB,uCAAc,QAAQ;AACtB,uCAAc,QAAQ;AACtB,0CAAiB,QAAQ;AACzB,kCAAS,QAAQ;AACjB,mCAAU,QAAQ;AAClB,qCAAY,QAAQ;AAtLlB,SAAK,kBAAkB;AAAA,EACzB;AAAA,EAEA,WAAW;AACT,QAAI,KAAK,OAAO;AACd;AAAA,IACF;AACA,SAAK,QAAQ;AACb,SAAK,kBAAkB;AACvB,SAAK,QAAQ,2BAAoB;AAAA,EACnC;AAAA,EAEA,YAAY,UAAoB;AAC9B,QAAI,aAAa,KAAK,UAAU;AAC9B;AAAA,IACF;AAEA,SAAK,WAAW;AAEhB,QAAI,aAAa,SAAS;AACxB,WAAK,kBAAkB;AAAA,IACzB;AAEA,SAAK,QAAQ,8CAA8B;AAAA,EAC7C;AAAA,EAEA,aAAa;AACX,QAAI,KAAK,SAAS;AAChB;AAAA,IACF;AACA,SAAK,UAAU;AACf,SAAK,QAAQ,+BAAsB;AAAA,EACrC;AAAA,EAEA,gBAAgB,cAAmC;AACjD,SAAK,eAAe;AACpB,SAAK,WAAW,KAAK;AACrB,SAAK,QAAQ,sDAAkC;AAAA,EACjD;AAAA,EAEA,SAAS,OAAgD;AACvD,QAAI,CAAC,KAAK,cAAc;AACtB;AAAA,IACF;AACA,QAAI,OAAO;AACT,WAAK,aAAa,QAAQ;AAAA,QACxB,MAAM;AAAA,QACN,UAAU;AAAA,QACV,GAAG;AAAA,MACL;AACA,WAAK,kBAAkB;AAAA,IACzB,OAAO;AACL,WAAK,aAAa,QAAQ;AAAA,IAC5B;AAAA,EACF;AAAA,EAEA,aAAa,WAAsB,aAAsB;AACvD,UAAM,OAAO,CAAC,UACZ,MAAM,KAAK,CAAC,SAAS,KAAK,MAAM,GAAG;AAErC,QAAI,KAAK,KAAK,SAAS,MAAM,KAAK,SAAS,GAAG;AAC5C,WAAK,YAAY;AACjB,WAAK,QAAQ,gDAA+B;AAAA,IAC9C;AAEA,QAAI,gBAAgB,KAAK,aAAa;AACpC,WAAK,cAAc;AACnB,WAAK,QAAQ,qDAAkC;AAAA,IACjD;AAAA,EACF;AAAA,EAEA,eAAe,aAA2B;AACxC,UAAM,OAAO,CAAC,UAAwB,MAAM,KAAK,CAAC,SAAS,KAAK,MAAM,GAAG;AAEzE,QAAI,KAAK,KAAK,WAAW,MAAM,KAAK,WAAW,GAAG;AAChD,WAAK,cAAc;AACnB,WAAK,QAAQ,qDAAkC;AAAA,IACjD;AAAA,EACF;AAAA,EAEA,kBAAkB,gBAAiC;AACjD,UAAM,OAAO,CAAC,UAAwB,MAAM,KAAK,CAAC,SAAS,KAAK,MAAM,GAAG;AAEzE;AAAA;AAAA,MAEG,CAAC,KAAK,eAAe,UAAU,eAAe,UAC/C,KAAK,KAAK,cAAc,MAAM,KAAK,cAAc;AAAA,MACjD;AACA,WAAK,iBAAiB;AACtB,WAAK,QAAQ,2DAAqC;AAAA,IACpD;AAAA,EACF;AAAA,EAEA,UAAU,QAAgB;AACxB,QAAI,WAAW,KAAK,QAAQ;AAC1B;AAAA,IACF;AACA,SAAK,SAAS;AACd,SAAK,QAAQ,0CAA4B;AAAA,EAC3C;AAAA,EAEA,WAAW,SAAkB;AAC3B,QAAI,YAAY,KAAK,SAAS;AAC5B;AAAA,IACF;AACA,SAAK,UAAU;AACf,SAAK,kBAAkB;AACvB,SAAK,QAAQ,4CAA6B;AAAA,EAC5C;AAAA,EAEA,aAAa,WAAqB;AAChC,SAAK,YAAY;AACjB,SAAK,kBAAkB;AACvB,SAAK,QAAQ,gDAA+B;AAAA,EAC9C;AAAA,EAEA,oBAAoB;AAClB,iBAAa,KAAK,QAAQ;AAC1B,SAAK,WAAW,OAAO,WAAW,MAAM;AACtC,WAAK,kBAAkB;AAAA,IACzB,GAAG,GAAG;AAEN,UAAM,SAAS,KAAK,QAAQ,UAAU;AAEtC,QAAI,aAAa;AAEjB,QAAI,KAAK,oBAAoB,MAAM,OAAO,OAAO,GAAG;AAClD,mBAAa;AAAA,IACf;AAEA,QACE,KAAK,cAAc,SACnB,KAAK,oBAAoB,KAAK,aAAa,OAAO,OAAO,KAAK,GAC9D;AACA,mBAAa;AAAA,IACf;AAEA,QAAI,YAAY;AACd,WAAK,QAAQ,sCAA0B;AAAA,IACzC;AAAA,EACF;AAAA,EAEQ,oBACN,QAKA,MACA;AACA,QAAI,CAAC,MAAM;AACT,aAAO;AAAA,IACT;AACA,QAAI,CAAC,OAAO,SAAS,KAAK,QAAQ,GAAG;AACnC,aAAO;AAAA,IACT;AAEA,UAAM,UAAU,OAAO;AACvB,WAAO,OAAO,aAAa,KAAK,WAAW;AAE3C,UAAM,cAAc,OAAO;AAC3B,WAAO,WAAW,aAAa,KAAK,QAAQ;AAE5C,QAAI,OAAO,OAAO,OAAO,UAAU;AACjC,aAAO,OAAO,OAAO;AAAA,IACvB;AAEA,WAAO,YAAY,OAAO,QAAQ,gBAAgB,OAAO;AAAA,EAC3D;AAeF;AAEO,SAAS,SACd,OACA,MACA;AACA,SAAO,QAAQ,IAAI,KAAK,QAAQ,IAAI;AACtC;;;AL3OO,IAAM,YAAN,MAAgB;AAAA,EAWrB,YAAmB,WAA2B;AAA3B;AAVnB,wBAAQ;AAER,wBAAQ,iBAAgB,IAAI,aAAa;AAEzC,wBAAQ,QAAmB;AAE3B,wBAAQ,UAAuB;AAE/B,wBAAQ,YAAW,IAAI,0BAAgC;AA0DvD,8BAAK,KAAK,SAAS,GAAG,KAAK,KAAK,QAAQ;AACxC,+BAAM,KAAK,SAAS,IAAI,KAAK,KAAK,QAAQ;AAC1C,gCAAO,KAAK,SAAS,KAAK,KAAK,KAAK,QAAQ;AAzD1C,SAAK,SAAS,KAAK,aAAa;AAAA,EAClC;AAAA,EAEQ,eAAe;AACrB,UAAM,QAAQ,SAAS,cAAc,OAAO;AAC5C,SAAK,UAAU,YAAY,KAAK;AAEhC,UAAM,MAAM,WAAW;AACvB,UAAM,MAAM,QAAQ;AACpB,UAAM,MAAM,QAAQ;AACpB,UAAM,MAAM,SAAS;AAErB,WAAO;AAAA,EACT;AAAA,EAEA,KAAK,KAAa;AAChB,SAAK,OAAO;AAEZ,SAAK,oBAAoB;AACzB,UAAM,MAAM,KAAK,WAAW;AAE5B,SAAK,SAAS,IAAI,MAAM;AAAA,MACtB,SAAS,CAAC,UAAkB,KAAK,MAAM,KAAK;AAAA,MAC5C,WAAW,OAAO;AAAA,QAChB,SAAS,IAAI,sBAAsB,WAAW,IAAI;AAAA,QAClD,OAAO,IAAI,sBAAsB,YAAY;AAAA,UAC3C,CAAC,WACC,OAAO,cAAc,IAAI,sBAAsB;AAAA,QACnD;AAAA,MACF;AAAA,IACF,CAAC;AAED,QAAI,YAAY,KAAK,MAAM;AAC3B,QAAI,WAAW,GAAG;AAElB,SAAK,OAAO;AAAA,EACd;AAAA,EAEA,SAAS;AACP,SAAK,cAAc,UAAU;AAC7B,SAAK,SAAS;AAEd,QAAI,KAAK,MAAM;AACb,WAAK,KAAK,QAAQ;AAClB,WAAK,OAAO;AAAA,IACd;AAEA,SAAK,yBAAkB;AAAA,EACzB;AAAA,EAEA,UAAU;AACR,SAAK,SAAS,mBAAmB;AACjC,SAAK,OAAO;AAAA,EACd;AAAA,EAMA,cAAc;AACZ,QAAI,CAAC,KAAK,QAAQ;AAChB;AAAA,IACF;AACA,UAAM,cACJ,KAAK,OAAO,aAAa,UAAU,KAAK,OAAO,aAAa;AAC9D,QAAI,aAAa;AACf,WAAK,OAAO,MAAM;AAAA,IACpB,OAAO;AACL,WAAK,OAAO,KAAK;AAAA,IACnB;AAAA,EACF;AAAA,EAEA,OAAO,MAAc;AACnB,WAAO,KAAK,IAAI;AAEhB,QAAI,KAAK,QAAQ,cAAc;AAC7B,aAAO;AAAA,IACT;AAEA,QAAI,KAAK,KAAK,sBAAsB;AAClC,WAAK,KAAK,qBAAqB,QAAQ,OAAO,IAAI;AAAA,IACpD,OAAO;AACL,WAAK,OAAO,cAAc;AAAA,IAC5B;AAEA,WAAO;AAAA,EACT;AAAA,EAEA,WAAW,QAAuB;AAChC,WAAO,KAAK,IAAI;AAEhB,QAAI,WAAW,MAAM;AACnB,WAAK,KAAK,YAAY;AAAA,IACxB,OAAO;AACL,YAAM,YAAY,KAAK,KAAK,OAAO,KAAK,KAAK,SAAS;AACtD,aAAO,WAAW,oCAAoC;AAEtD,YAAM,MAAM,KAAK,KAAK,OAAO,UAAU,CAAC,UAAU;AAChD,eACE,MAAM,WAAW,UACjB,MAAM,YAAY,UAAU,GAAG,CAAC,MAC9B,UAAU,YAAY,UAAU,GAAG,CAAC;AAAA,MAE1C,CAAC;AAED,UAAI,MAAM,GAAG;AACX,cAAM,IAAI,MAAM,+BAA+B;AAAA,MACjD;AAEA,WAAK,KAAK,YAAY;AAAA,IACxB;AAEA,SAAK,iBAAiB;AAAA,EACxB;AAAA,EAEA,cAAc,IAAY;AACxB,WAAO,KAAK,IAAI;AAEhB,UAAM,aAAa,KAAK,QAAQ,YAAY;AAAA,MAC1C,CAAC,UAAU,MAAM,OAAO;AAAA,IAC1B;AACA,WAAO,UAAU;AAEjB,SAAK,KAAK,eAAe;AAAA,MACvB,MAAM,WAAW,MAAM;AAAA,MACvB,UAAU,WAAW,MAAM;AAAA,MAC3B,MAAM,WAAW,MAAM;AAAA,IACzB,CAAC;AAAA,EACH;AAAA,EAEA,iBAAiB,IAAmB;AAClC,WAAO,KAAK,IAAI;AAEhB,QAAI,OAAO,MAAM;AACf,WAAK,KAAK,gBAAgB;AAC1B;AAAA,IACF;AAEA,UAAM,gBAAgB,KAAK,QAAQ,eAAe;AAAA,MAChD,CAAC,UAAU,MAAM,OAAO;AAAA,IAC1B;AACA,WAAO,aAAa;AAEpB,SAAK,KAAK,kBAAkB;AAAA,MAC1B,MAAM,cAAc,MAAM;AAAA,MAC1B,MAAM,cAAc,MAAM;AAAA,IAC5B,CAAC;AAAA,EACH;AAAA,EAEA,UAAU,QAAgB;AACxB,SAAK,OAAO,SAAS;AACrB,SAAK,OAAO,QAAQ,WAAW;AAC/B,SAAK,QAAQ,UAAU,MAAM;AAAA,EAC/B;AAAA,EAEA,IAAI,QAAQ;AACV,WAAO,SAAS,KAAK,QAAQ,OAAO;AAAA,EACtC;AAAA,EAEA,IAAI,WAAW;AACb,WAAO,SAAS,KAAK,QAAQ,UAAU;AAAA,EACzC;AAAA,EAEA,IAAI,UAAU;AACZ,WAAO,SAAS,KAAK,QAAQ,SAAS;AAAA,EACxC;AAAA,EAEA,IAAI,OAAO;AACT,WAAO,SAAS,KAAK,QAAQ,MAAM;AAAA,EACrC;AAAA,EAEA,IAAI,WAAW;AACb,WAAO,SAAS,KAAK,QAAQ,UAAU;AAAA,EACzC;AAAA,EAEA,IAAI,UAAU;AACZ,WAAO,SAAS,KAAK,QAAQ,SAAS;AAAA,EACxC;AAAA,EAEA,IAAI,eAAe;AACjB,WAAO,SAAS,KAAK,QAAQ,cAAc;AAAA,EAC7C;AAAA,EAEA,IAAI,YAAY;AACd,WAAO,SAAS,KAAK,QAAQ,WAAW;AAAA,EAC1C;AAAA,EAEA,IAAI,cAAc;AAChB,WAAO,SAAS,KAAK,QAAQ,aAAa;AAAA,EAC5C;AAAA,EAEA,IAAI,cAAc;AAChB,WAAO,SAAS,KAAK,QAAQ,aAAa;AAAA,EAC5C;AAAA,EAEA,IAAI,iBAAiB;AACnB,WAAO,SAAS,KAAK,QAAQ,gBAAgB;AAAA,EAC/C;AAAA,EAEA,IAAI,SAAS;AACX,WAAO,SAAS,KAAK,QAAQ,QAAQ;AAAA,EACvC;AAAA,EAEA,IAAI,gBAAgB;AAClB,QAAI,KAAK,MAAM;AACb,aAAO,KAAK,KAAK,sBAAsB,SAAS,iBAAiB;AAAA,IACnE;AACA,WAAO;AAAA,EACT;AAAA,EAEA,IAAI,OAAO;AACT,WAAO,KAAK,MAAM,OAAO,KAAK,KAAK,YAAY,GAAG,SAAS,QAAQ;AAAA,EACrE;AAAA,EAEA,IAAI,YAAY;AACd,WAAO,SAAS,KAAK,QAAQ,WAAW;AAAA,EAC1C;AAAA,EAEQ,aAAa;AACnB,UAAM,MAAM,IAAI,IAAI;AAEpB,UAAM,SAAS,KAAK,cAAc,OAAO,GAAG;AAE5C,WAAO,IAAI,OAAO,iBAAiB,MAAM;AACvC,WAAK,iBAAiB;AACtB,WAAK,mBAAmB;AACxB,WAAK,sBAAsB;AAAA,IAC7B,CAAC;AAED,WAAO,IAAI,OAAO,sBAAsB,MAAM;AAC5C,WAAK,QAAQ,gBAAgB;AAAA,QAC3B,OAAO;AAAA,MACT,CAAC;AAAA,IACH,CAAC;AAED,WAAO,IAAI,OAAO,4BAA4B,CAAC,GAAG,SAAS;AACzD,YAAM,oBAAoB,KAAK,MAAM,mBAAmB,OACtD,KAAK,cACP;AAIA,WAAK,QAAQ,SAAS;AAAA,QACpB,MAAM,kBAAkB,WAAW;AAAA,MACrC,CAAC;AAAA,IACH,CAAC;AAED,WAAO,IAAI,OAAO,0BAA0B,MAAM;AAChD,WAAK,QAAQ,SAAS,IAAI;AAAA,IAC5B,CAAC;AAED,WAAO,IAAI,OAAO,oBAAoB,MAAM;AAC1C,WAAK,QAAQ,gBAAgB,IAAI;AAAA,IACnC,CAAC;AAED,WAAO,IAAI,OAAO,gBAAgB,MAAM;AACtC,WAAK,iBAAiB;AAAA,IACxB,CAAC;AAED,WAAO,IAAI,OAAO,iBAAiB,MAAM;AACvC,WAAK,iBAAiB;AAAA,IACxB,CAAC;AAED,WAAO,IAAI,OAAO,sBAAsB,MAAM;AAC5C,WAAK,mBAAmB;AAAA,IAC1B,CAAC;AAED,WAAO,IAAI,OAAO,uBAAuB,MAAM;AAC7C,WAAK,mBAAmB;AAAA,IAC1B,CAAC;AAED,WAAO,IAAI,OAAO,yBAAyB,MAAM;AAC/C,WAAK,sBAAsB;AAAA,IAC7B,CAAC;AAED,WAAO,IAAI,OAAO,uBAAuB,MAAM;AAC7C,WAAK,sBAAsB;AAAA,IAC7B,CAAC;AAED,WAAO,IAAI,OAAO,uBAAuB,CAAC,GAAG,SAAS;AACpD,YAAM,YAAY,KAAK,SAAS,OAAiB,CAAC,KAAK,SAAS;AAC9D,YAAI,KAAK,OAAO;AACd,cAAI,KAAK,KAAK,KAAK;AAAA,QACrB;AACA,eAAO;AAAA,MACT,GAAG,CAAC,CAAC;AACL,WAAK,QAAQ,aAAa,SAAS;AAAA,IACrC,CAAC;AAED,WAAO;AAAA,EACT;AAAA,EAEQ,mBAAmB;AACzB,WAAO,KAAK,IAAI;AAEhB,UAAM,QAGA,CAAC;AAEP,eAAWC,UAAS,KAAK,KAAK,QAAQ;AACpC,UAAI,OAAO,MAAM,KAAK,CAACC,UAASA,MAAK,WAAWD,OAAM,MAAM;AAC5D,UAAI,CAAC,MAAM;AACT,eAAO;AAAA,UACL,QAAQA,OAAM;AAAA,UACd,QAAQ,CAAC;AAAA,QACX;AACA,cAAM,KAAK,IAAI;AAAA,MACjB;AACA,WAAK,OAAO,KAAKA,MAAK;AAAA,IACxB;AAEA,UAAM,QAAQ,KAAK,KAAK,OAAO,KAAK,KAAK,aAAa;AAEtD,UAAM,YAAY,MAAM,IAAa,CAAC,SAAS;AAC7C,aAAO;AAAA,QACL,GAAG;AAAA,QACH,QAAQ,KAAK,WAAW,MAAM;AAAA,MAChC;AAAA,IACF,CAAC;AAED,cAAU,KAAK,CAAC,GAAG,MAAM,EAAE,SAAS,EAAE,MAAM;AAE5C,UAAM,cAAc,KAAK,KAAK;AAC9B,SAAK,QAAQ,aAAa,WAAW,WAAW;AAAA,EAClD;AAAA,EAEQ,qBAAqB;AAC3B,WAAO,KAAK,IAAI;AAEhB,UAAM,SAAS,KAAK,KAAK,eAAe,IAAgB,CAAC,OAAO,UAAU;AACxE,UAAI,QAAQ,YAAY,MAAM,IAAI;AAClC,UAAI,MAAM,aAAa,KAAK;AAC1B,iBAAS;AAAA,MACX;AACA,aAAO;AAAA,QACL,IAAI;AAAA,QACJ,QAAQ,KAAK,MAAM,YAAY,SAAS,KAAK,IACzC,MAAM,OAAO,KAAK,KAAK,aACvB;AAAA,QACJ;AAAA,QACA;AAAA,MACF;AAAA,IACF,CAAC;AAED,SAAK,QAAQ,eAAe,MAAM;AAAA,EACpC;AAAA,EAEQ,wBAAwB;AAC9B,WAAO,KAAK,IAAI;AAEhB,UAAM,SAAS,KAAK,KAAK,kBAAkB;AAAA,MACzC,CAAC,OAAO,UAAU;AAChB,eAAO;AAAA,UACL,IAAI;AAAA,UACJ,QAAQ,KAAK,MAAM,eAAe,SAAS,KAAK,IAC5C,MAAM,OAAO,KAAK,KAAK,gBACvB;AAAA,UACJ,OAAO,YAAY,MAAM,IAAI;AAAA,UAC7B;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,SAAK,QAAQ,kBAAkB,MAAM;AAAA,EACvC;AAAA,EAEQ,sBAAsB;AAC5B,UAAM,SAAS,KAAK,cAAc,OAAO,KAAK,MAAM;AAEpD,WAAO,WAAW,MAAM;AACtB,WAAK,QAAQ,SAAS;AAAA,IACxB,CAAC;AAED,WAAO,QAAQ,MAAM;AACnB,WAAK,QAAQ,YAAY,MAAM;AAAA,IACjC,CAAC;AAED,WAAO,WAAW,MAAM;AACtB,WAAK,QAAQ,WAAW;AAExB,WAAK,QAAQ,YAAY,SAAS;AAAA,IACpC,CAAC;AAED,WAAO,SAAS,MAAM;AACpB,WAAK,QAAQ,YAAY,OAAO;AAAA,IAClC,CAAC;AAED,WAAO,gBAAgB,MAAM;AAC3B,WAAK,QAAQ,UAAU,KAAK,OAAO,MAAM;AAAA,IAC3C,CAAC;AAED,WAAO,WAAW,MAAM;AACtB,WAAK,QAAQ,WAAW,IAAI;AAAA,IAC9B,CAAC;AAED,WAAO,UAAU,MAAM;AACrB,WAAK,QAAQ,WAAW,KAAK;AAAA,IAC/B,CAAC;AAAA,EACH;AAAA,EAEQ,MAAM,OAAe;AAC3B,SAAK,SAAS,KAAK,KAAK;AACxB,SAAK,SAAS,KAAK,KAAK,KAAK;AAAA,EAC/B;AACF;","names":["exports","exports","argsDefCode","funcDefCode","funcCallCode","_a","TaskCollection","exports","exports","exports","EventEmitter","exports","_a","exports","binding","Events","level","item"]} \ No newline at end of file diff --git a/services/bright/config/config.exs b/services/bright/config/config.exs index f1d068c..e52d3ac 100644 --- a/services/bright/config/config.exs +++ b/services/bright/config/config.exs @@ -23,7 +23,14 @@ config :bright, BrightWeb.Endpoint, live_view: [signing_salt: "JGNufzrG"] - +config :bright, Oban, + engine: Oban.Engines.Basic, + queues: [default: 10], + repo: Bright.Repo, + plugins: [ + {Oban.Plugins.Pruner, max_age: 60 * 60 * 24 * 7}, + {Oban.Plugins.Lifeline, rescue_after: :timer.minutes(30)} + ] # Configures the mailer @@ -46,9 +53,9 @@ config :esbuild, ] # Configure dart_sass, used for bulma - config :dart_sass, +config :dart_sass, version: "1.61.0", - default: [ + bright: [ args: ~w(--load-path=../deps/bulma css:../priv/static/assets), cd: Path.expand("../assets", __DIR__) ] diff --git a/services/bright/config/dev.exs b/services/bright/config/dev.exs index 5585617..866fd54 100644 --- a/services/bright/config/dev.exs +++ b/services/bright/config/dev.exs @@ -27,7 +27,7 @@ config :bright, BrightWeb.Endpoint, sass: { DartSass, :install_and_run, - [:default, ~w(--embed-source-map --source-map-urls=absolute --watch)] + [:bright, ~w(--embed-source-map --source-map-urls=absolute --watch)] } ] @@ -66,6 +66,7 @@ config :bright, BrightWeb.Endpoint, # Enable dev routes for dashboard and mailbox config :bright, dev_routes: true +config :bright, superstreamer_api_client: Bright.Superstreamer.Client # Do not include metadata nor timestamps in development logs config :logger, :console, format: "[$level] $message\n" diff --git a/services/bright/config/test.exs b/services/bright/config/test.exs index 8935c25..fe9305d 100644 --- a/services/bright/config/test.exs +++ b/services/bright/config/test.exs @@ -1,5 +1,8 @@ import Config +# Only in tests, remove the complexity from the password hashing algorithm +config :bcrypt_elixir, :log_rounds, 1 + # Configure the database # # The MIX_TEST_PARTITION environment variable can be used @@ -18,6 +21,12 @@ config :bright, BrightWeb.Endpoint, secret_key_base: "#{System.get_env("SECRET_KEY_BASE")}", server: false +# Prevent Oban from running jobs and plugins during test runs +config :bright, Oban, testing: :inline + +# Have Superstreamer use mocks during testing +config :bright, superstreamer_api_client: ApiClientBehaviorMock + # In test we don't send emails config :bright, Bright.Mailer, adapter: Swoosh.Adapters.Test diff --git a/services/bright/lib/bright/application.ex b/services/bright/lib/bright/application.ex index cae4975..6678c5e 100644 --- a/services/bright/lib/bright/application.ex +++ b/services/bright/lib/bright/application.ex @@ -7,6 +7,7 @@ defmodule Bright.Application do @impl true def start(_type, _args) do + Oban.Telemetry.attach_default_logger(level: :debug) children = [ BrightWeb.Telemetry, Bright.Repo, @@ -14,10 +15,11 @@ defmodule Bright.Application do {Phoenix.PubSub, name: Bright.PubSub}, # Start the Finch HTTP client for sending emails {Finch, name: Bright.Finch}, + {Oban, Application.fetch_env!(:bright, Oban)}, # Start a worker by calling: Bright.Worker.start_link(arg) # {Bright.Worker, arg}, # Start to serve requests, typically the last entry - BrightWeb.Endpoint + BrightWeb.Endpoint, ] # See https://hexdocs.pm/elixir/Supervisor.html diff --git a/services/bright/lib/bright/jobs/create_hls_playlist.ex b/services/bright/lib/bright/jobs/create_hls_playlist.ex new file mode 100644 index 0000000..a960851 --- /dev/null +++ b/services/bright/lib/bright/jobs/create_hls_playlist.ex @@ -0,0 +1,146 @@ + + + +defmodule Bright.Jobs.CreateHlsPlaylist do + use Oban.Worker, queue: :default, max_attempts: 3 + + alias Bright.Repo + alias Bright.Streams.Vod + + require Logger + + @auth_token System.get_env("SUPERSTREAMER_AUTH_TOKEN") + @api_url System.get_env("SUPERSTREAMER_URL") + @public_s3_endpoint System.get_env("PUBLIC_S3_ENDPOINT") + + @impl Oban.Worker + def perform(%Oban.Job{args: %{"vod_id" => vod_id, "input_url" => input_url}}) do + vod = Repo.get!(Vod, vod_id) + + payload = build_payload(input_url) + + Logger.info("Starting transcoding for VOD ID #{vod_id}") + + with {:ok, transcode_job_id} <- start_transcode(payload), + {:ok, asset_id} <- poll_job_completion(transcode_job_id), + {:ok, package_job_id} <- start_package(transcode_job_id), + {:ok, asset_id} <- poll_job_completion(package_job_id) do + update_vod_with_playlist_url(vod, package_job_id) + Logger.info("HLS playlist created and updated for VOD ID #{vod_id}") + else + {:error, reason} -> + Logger.error("Failed to create HLS playlist for VOD ID #{vod_id}: #{inspect(reason)}") + {:error, reason} + end + end + + defp build_payload(input_url) do + %{ + "inputs" => [ + %{"type" => "audio", "path" => input_url, "language" => "eng"}, + %{"type" => "video", "path" => input_url} + ], + "streams" => [ + %{"type" => "video", "codec" => "h264", "height" => 720}, + %{"type" => "video", "codec" => "h264", "height" => 144}, + %{"type" => "audio", "codec" => "aac"} + ], + "tag" => "create_hls_playlist" + } + end + + defp start_transcode(payload) do + Logger.info("Starting transcode with payload: #{inspect(payload)}") + + headers = auth_headers() + + case HTTPoison.post("#{@api_url}/transcode", Jason.encode!(payload), headers) do + {:ok, %HTTPoison.Response{status_code: 200, body: body}} -> + case Jason.decode(body) do + {:ok, %{"jobId" => job_id}} -> {:ok, job_id} + {:error, _} = error -> error + end + + {:ok, %HTTPoison.Response{status_code: status, body: body}} -> + {:error, %{status: status, body: body}} + + {:error, %HTTPoison.Error{reason: reason}} -> + {:error, reason} + end + end + + defp start_package(asset_id) do + payload = %{ + "assetId" => asset_id, + "concurrency" => 5, + "public" => false + } + + Logger.info("Starting packaging for asset ID #{asset_id}") + + headers = auth_headers() + + Logger.info("@TODO @TODO @TODO") + {:error, "missing implementation."} + + # case HTTPoison.post("#{@api_url}/package", Jason.encode!(payload), headers) do + # {:ok, %HTTPoison.Response{status_code: 200, body: body}} -> + # case Jason.decode(body) do + # {:ok, %{"jobId" => job_id}} -> {:ok, job_id} + # {:error, _} = error -> error + # end + + # {:ok, %HTTPoison.Response{status_code: status, body: body}} -> + # {:error, %{status: status, body: body}} + + # {:error, %HTTPoison.Error{reason: reason}} -> + # {:error, reason} + # end + end + + defp poll_job_completion(job_id) do + Logger.info("Polling job completion for Job ID #{job_id}") + + poll_interval = 5_000 + max_retries = 999 + + Enum.reduce_while(1..max_retries, :ok, fn _, acc -> + case get_job_status(job_id) do + {:ok, "completed"} -> + Logger.info("Job ID #{job_id} completed successfully") + {:halt, :ok} + + {:ok, _state} -> + :timer.sleep(poll_interval) + {:cont, acc} + + {:error, reason} -> + Logger.error("Error polling job ID #{job_id}: #{inspect(reason)}") + {:halt, {:error, reason}} + end + end) + end + + defp get_job_status(job_id) do + headers = auth_headers() + + end + + + defp update_vod_with_playlist_url(vod, job_id) do + playlist_url = generate_playlist_url(job_id) + + vod + |> Ecto.Changeset.change(playlist_url: playlist_url) + |> Repo.update!() + end + + defp generate_playlist_url(job_id), do: "#{@public_s3_endpoint}/package/#{job_id}/hls/master.m3u8" + + defp auth_headers do + [ + {"authorization", "Bearer #{@auth_token}"}, + {"content-type", "application/json"} + ] + end +end diff --git a/services/bright/lib/bright/jobs/create_hls_playlist.ex.fuck b/services/bright/lib/bright/jobs/create_hls_playlist.ex.fuck new file mode 100644 index 0000000..f731b00 --- /dev/null +++ b/services/bright/lib/bright/jobs/create_hls_playlist.ex.fuck @@ -0,0 +1,138 @@ +defmodule Bright.Jobs.CreateHlsPlaylist do + + alias Bright.Repo + alias Bright.Streams.Vod + + use Oban.Worker, + queue: :default, + max_attempts: 3, + tags: ["video", "vod"] + + require Logger + + @auth_token System.get_env("SUPERSTREAMER_AUTH_TOKEN") + @api_url System.get_env("SUPERSTREAMER_API_URL") + @public_s3_endpoint System.get_env("PUBLIC_S3_ENDPOINT") + + @impl Oban.Worker + def perform(%Oban.Job{args: %{"vod_id" => vod_id, "input_url" => input_url}}) do + Logger.info("Starting CreateHlsPlaylist job", + job_id: job.id, + vod_id: vod_id, + input_url: input_url + ) + + with {:ok, transcode_job_id} <- start_transcode(input_url), + {:ok, asset_id} <- wait_for_job(transcode_job_id), + {:ok, package_job_id} <- start_package(asset_id), + {:ok, _} <- wait_for_job(package_job_id) do + update_vod_playlist_url(vod_id, package_job_id) + end + end + + defp start_transcode(input_url) do + payload = %{ + inputs: [ + %{type: "video", path: input_url}, + %{type: "audio", path: input_url, language: "eng"} + ], + streams: [ + %{type: "video", codec: "h264", height: 360}, + %{type: "video", codec: "h264", height: 144}, + %{type: "audio", codec: "aac"} + ], + packageAfter: false + } + + case HTTPoison.post("#{@api_url}/transcode", Jason.encode!(payload), headers()) do + {:ok, %{status_code: 200, body: body}} -> + %{"jobId" => job_id} = Jason.decode!(body) + {:ok, job_id} + + error -> + Logger.error("Failed to start transcode: #{inspect(error)}") + {:error, :transcode_failed} + end + end + + defp start_package(asset_id) do + payload = %{ + assetId: asset_id, + concurrency: 5, + public: false, + name: "vod_#{asset_id}" + } + + case HTTPoison.post("#{@api_url}/package", Jason.encode!(payload), headers()) do + {:ok, %{status_code: 200, body: body}} -> + %{"jobId" => job_id} = Jason.decode!(body) + {:ok, job_id} + + error -> + Logger.error("Failed to start package: #{inspect(error)}") + {:error, :package_failed} + end + end + + defp wait_for_job(job_id) do + case poll_job_status(job_id) do + {:ok, %{"state" => "completed", "outputData" => output_data}} -> + case Jason.decode(output_data) do + {:ok, %{"assetId" => asset_id}} -> {:ok, asset_id} + _ -> {:ok, job_id} # For package jobs, we just need the job_id + end + + {:ok, %{"state" => "failed", "stacktrace" => stacktrace}} -> + Logger.error("Job failed: #{job_id}, stacktrace: #{inspect(stacktrace)}") + {:error, :job_failed} + + error -> + Logger.error("Error polling job status: #{inspect(error)}") + {:error, :polling_failed} + end + end + + defp poll_job_status(job_id, attempts \\ 0) do + if attempts >= 360 do # 30 minutes maximum (5 seconds * 360) + {:error, :timeout} + else + case HTTPoison.get("#{@api_url}/jobs/#{job_id}", headers()) do + {:ok, %{status_code: 200, body: body}} -> + job = Jason.decode!(body) + + case job do + %{"state" => state} when state in ["completed", "failed"] -> + {:ok, job} + + _ -> + Process.sleep(5000) # Wait 5 seconds before next poll + poll_job_status(job_id, attempts + 1) + end + + error -> + Logger.error("Failed to poll job status: #{inspect(error)}") + {:error, :polling_failed} + end + end + end + + defp update_vod_playlist_url(vod_id, package_job_id) do + playlist_url = generate_playlist_url(package_job_id) + + case Vod.update_vod(vod_id, %{playlist_url: playlist_url}) do + {:ok, _vod} -> :ok + error -> + Logger.error("Failed to update VOD playlist URL: #{inspect(error)}") + {:error, :update_failed} + end + end + + defp generate_playlist_url(job_id), do: "#{@public_s3_endpoint}/package/#{job_id}/hls/master.m3u8" + + defp headers do + [ + {"Authorization", "Bearer #{@auth_token}"}, + {"Content-Type", "application/json"} + ] + end +end diff --git a/services/bright/lib/bright/jobs/process_vod.ex b/services/bright/lib/bright/jobs/process_vod.ex new file mode 100644 index 0000000..c6ae3fe --- /dev/null +++ b/services/bright/lib/bright/jobs/process_vod.ex @@ -0,0 +1,31 @@ +defmodule Bright.Jobs.ProcessVod do + use Oban.Worker, queue: :default, max_attempts: 3 + + require Logger + + alias Bright.Repo + alias Bright.Streams.Vod + alias Bright.Jobs.CreateHlsPlaylist + + @impl Oban.Worker + def perform(%Oban.Job{args: %{"id" => id}} = job) do + Logger.info("Performing job: #{inspect(job)}") + + + vod = Repo.get!(Vod, id) + + cond do + vod.playlist_url == nil and vod.origin_temp_input_url != nil -> + queue_create_hls_playlist(vod) + :ok + + true -> + :ok + end + end + + defp queue_create_hls_playlist(%Vod{id: id, origin_temp_input_url: url}) do + job_args = %{vod_id: id, input_url: url} + Oban.insert!(CreateHlsPlaylist.new(job_args)) + end +end diff --git a/services/bright/lib/bright/platforms.ex b/services/bright/lib/bright/platforms.ex deleted file mode 100644 index 0b99102..0000000 --- a/services/bright/lib/bright/platforms.ex +++ /dev/null @@ -1,104 +0,0 @@ -defmodule Bright.Platforms do - @moduledoc """ - The Platforms context. - """ - - import Ecto.Query, warn: false - alias Bright.Repo - - alias Bright.Platforms.Platform - - @doc """ - Returns the list of platforms. - - ## Examples - - iex> list_platforms() - [%Platform{}, ...] - - """ - def list_platforms do - Repo.all(Platform) - end - - @doc """ - Gets a single platform. - - Raises `Ecto.NoResultsError` if the Platform does not exist. - - ## Examples - - iex> get_platform!(123) - %Platform{} - - iex> get_platform!(456) - ** (Ecto.NoResultsError) - - """ - def get_platform!(id), do: Repo.get!(Platform, id) - - @doc """ - Creates a platform. - - ## Examples - - iex> create_platform(%{field: value}) - {:ok, %Platform{}} - - iex> create_platform(%{field: bad_value}) - {:error, %Ecto.Changeset{}} - - """ - def create_platform(attrs \\ %{}) do - %Platform{} - |> Platform.changeset(attrs) - |> Repo.insert() - end - - @doc """ - Updates a platform. - - ## Examples - - iex> update_platform(platform, %{field: new_value}) - {:ok, %Platform{}} - - iex> update_platform(platform, %{field: bad_value}) - {:error, %Ecto.Changeset{}} - - """ - def update_platform(%Platform{} = platform, attrs) do - platform - |> Platform.changeset(attrs) - |> Repo.update() - end - - @doc """ - Deletes a platform. - - ## Examples - - iex> delete_platform(platform) - {:ok, %Platform{}} - - iex> delete_platform(platform) - {:error, %Ecto.Changeset{}} - - """ - def delete_platform(%Platform{} = platform) do - Repo.delete(platform) - end - - @doc """ - Returns an `%Ecto.Changeset{}` for tracking platform changes. - - ## Examples - - iex> change_platform(platform) - %Ecto.Changeset{data: %Platform{}} - - """ - def change_platform(%Platform{} = platform, attrs \\ %{}) do - Platform.changeset(platform, attrs) - end -end diff --git a/services/bright/lib/bright/platforms/platform_notifier.ex b/services/bright/lib/bright/platforms/platform_notifier.ex new file mode 100644 index 0000000..fe0fc6b --- /dev/null +++ b/services/bright/lib/bright/platforms/platform_notifier.ex @@ -0,0 +1,79 @@ +defmodule Bright.Platforms.PlatformNotifier do + import Swoosh.Email + + alias Bright.Mailer + + # Delivers the email using the application mailer. + defp deliver(recipient, subject, body) do + email = + new() + |> to(recipient) + |> from({"Bright", "contact@example.com"}) + |> subject(subject) + |> text_body(body) + + with {:ok, _metadata} <- Mailer.deliver(email) do + {:ok, email} + end + end + + @doc """ + Deliver instructions to confirm account. + """ + def deliver_confirmation_instructions(platform, url) do + deliver(platform.email, "Confirmation instructions", """ + + ============================== + + Hi #{platform.email}, + + You can confirm your account by visiting the URL below: + + #{url} + + If you didn't create an account with us, please ignore this. + + ============================== + """) + end + + @doc """ + Deliver instructions to reset a platform password. + """ + def deliver_reset_password_instructions(platform, url) do + deliver(platform.email, "Reset password instructions", """ + + ============================== + + Hi #{platform.email}, + + You can reset your password by visiting the URL below: + + #{url} + + If you didn't request this change, please ignore this. + + ============================== + """) + end + + @doc """ + Deliver instructions to update a platform email. + """ + def deliver_update_email_instructions(platform, url) do + deliver(platform.email, "Update email instructions", """ + + ============================== + + Hi #{platform.email}, + + You can change your email by visiting the URL below: + + #{url} + + If you didn't request this change, please ignore this. + + ============================== + """) + end +end diff --git a/services/bright/lib/bright/platforms/platform_token.ex b/services/bright/lib/bright/platforms/platform_token.ex new file mode 100644 index 0000000..a8e292d --- /dev/null +++ b/services/bright/lib/bright/platforms/platform_token.ex @@ -0,0 +1,179 @@ +defmodule Bright.Platforms.PlatformToken do + use Ecto.Schema + import Ecto.Query + alias Bright.Platforms.PlatformToken + + @hash_algorithm :sha256 + @rand_size 32 + + # It is very important to keep the reset password token expiry short, + # since someone with access to the email may take over the account. + @reset_password_validity_in_days 1 + @confirm_validity_in_days 7 + @change_email_validity_in_days 7 + @session_validity_in_days 60 + + schema "platforms_tokens" do + field :token, :binary + field :context, :string + field :sent_to, :string + belongs_to :platform, Bright.Platforms.Platform + + timestamps(type: :utc_datetime, updated_at: false) + end + + @doc """ + Generates a token that will be stored in a signed place, + such as session or cookie. As they are signed, those + tokens do not need to be hashed. + + The reason why we store session tokens in the database, even + though Phoenix already provides a session cookie, is because + Phoenix' default session cookies are not persisted, they are + simply signed and potentially encrypted. This means they are + valid indefinitely, unless you change the signing/encryption + salt. + + Therefore, storing them allows individual platform + sessions to be expired. The token system can also be extended + to store additional data, such as the device used for logging in. + You could then use this information to display all valid sessions + and devices in the UI and allow users to explicitly expire any + session they deem invalid. + """ + def build_session_token(platform) do + token = :crypto.strong_rand_bytes(@rand_size) + {token, %PlatformToken{token: token, context: "session", platform_id: platform.id}} + end + + @doc """ + Checks if the token is valid and returns its underlying lookup query. + + The query returns the platform found by the token, if any. + + The token is valid if it matches the value in the database and it has + not expired (after @session_validity_in_days). + """ + def verify_session_token_query(token) do + query = + from token in by_token_and_context_query(token, "session"), + join: platform in assoc(token, :platform), + where: token.inserted_at > ago(@session_validity_in_days, "day"), + select: platform + + {:ok, query} + end + + @doc """ + Builds a token and its hash to be delivered to the platform's email. + + The non-hashed token is sent to the platform email while the + hashed part is stored in the database. The original token cannot be reconstructed, + which means anyone with read-only access to the database cannot directly use + the token in the application to gain access. Furthermore, if the user changes + their email in the system, the tokens sent to the previous email are no longer + valid. + + Users can easily adapt the existing code to provide other types of delivery methods, + for example, by phone numbers. + """ + def build_email_token(platform, context) do + build_hashed_token(platform, context, platform.email) + end + + defp build_hashed_token(platform, context, sent_to) do + token = :crypto.strong_rand_bytes(@rand_size) + hashed_token = :crypto.hash(@hash_algorithm, token) + + {Base.url_encode64(token, padding: false), + %PlatformToken{ + token: hashed_token, + context: context, + sent_to: sent_to, + platform_id: platform.id + }} + end + + @doc """ + Checks if the token is valid and returns its underlying lookup query. + + The query returns the platform found by the token, if any. + + The given token is valid if it matches its hashed counterpart in the + database and the user email has not changed. This function also checks + if the token is being used within a certain period, depending on the + context. The default contexts supported by this function are either + "confirm", for account confirmation emails, and "reset_password", + for resetting the password. For verifying requests to change the email, + see `verify_change_email_token_query/2`. + """ + def verify_email_token_query(token, context) do + case Base.url_decode64(token, padding: false) do + {:ok, decoded_token} -> + hashed_token = :crypto.hash(@hash_algorithm, decoded_token) + days = days_for_context(context) + + query = + from token in by_token_and_context_query(hashed_token, context), + join: platform in assoc(token, :platform), + where: token.inserted_at > ago(^days, "day") and token.sent_to == platform.email, + select: platform + + {:ok, query} + + :error -> + :error + end + end + + defp days_for_context("confirm"), do: @confirm_validity_in_days + defp days_for_context("reset_password"), do: @reset_password_validity_in_days + + @doc """ + Checks if the token is valid and returns its underlying lookup query. + + The query returns the platform found by the token, if any. + + This is used to validate requests to change the platform + email. It is different from `verify_email_token_query/2` precisely because + `verify_email_token_query/2` validates the email has not changed, which is + the starting point by this function. + + The given token is valid if it matches its hashed counterpart in the + database and if it has not expired (after @change_email_validity_in_days). + The context must always start with "change:". + """ + def verify_change_email_token_query(token, "change:" <> _ = context) do + case Base.url_decode64(token, padding: false) do + {:ok, decoded_token} -> + hashed_token = :crypto.hash(@hash_algorithm, decoded_token) + + query = + from token in by_token_and_context_query(hashed_token, context), + where: token.inserted_at > ago(@change_email_validity_in_days, "day") + + {:ok, query} + + :error -> + :error + end + end + + @doc """ + Returns the token struct for the given token value and context. + """ + def by_token_and_context_query(token, context) do + from PlatformToken, where: [token: ^token, context: ^context] + end + + @doc """ + Gets all tokens for the given platform for the given contexts. + """ + def by_platform_and_contexts_query(platform, :all) do + from t in PlatformToken, where: t.platform_id == ^platform.id + end + + def by_platform_and_contexts_query(platform, [_ | _] = contexts) do + from t in PlatformToken, where: t.platform_id == ^platform.id and t.context in ^contexts + end +end diff --git a/services/bright/lib/bright/streams.ex b/services/bright/lib/bright/streams.ex index b38503b..20c44a7 100644 --- a/services/bright/lib/bright/streams.ex +++ b/services/bright/lib/bright/streams.ex @@ -196,8 +196,30 @@ defmodule Bright.Streams do %Vod{} |> Vod.changeset(attrs) |> Repo.insert() + |> case do + {:ok, vod} -> + maybe_enqueue_process_vod(vod) + {:ok, vod} + + {:error, changeset} -> + {:error, changeset} + end end + + defp maybe_enqueue_process_vod(%Vod{id: id, origin_temp_input_url: origin_temp_input_url} = vod) do + if origin_temp_input_url do + + %{id: id, origin_temp_input_url: origin_temp_input_url} + |> Bright.Jobs.ProcessVod.new() + |> Oban.insert() + + end + vod + end + + + @doc """ Updates a vod. diff --git a/services/bright/lib/bright/streams/vod.ex b/services/bright/lib/bright/streams/vod.ex index 9222f66..d23e3c5 100644 --- a/services/bright/lib/bright/streams/vod.ex +++ b/services/bright/lib/bright/streams/vod.ex @@ -3,6 +3,8 @@ defmodule Bright.Streams.Vod do import Ecto.Changeset schema "vods" do + field :origin_temp_input_url, :string + field :playlist_url, :string field :s3_cdn_url, :string field :s3_upload_id, :string field :s3_key, :string @@ -21,9 +23,10 @@ defmodule Bright.Streams.Vod do @doc false def changeset(vod, attrs) do vod - |> cast(attrs, [:s3_cdn_url, :s3_upload_id, :s3_key, :s3_bucket, :mux_asset_id, :mux_playback_id, :ipfs_cid, :torrent, :stream_id]) + |> cast(attrs, [:s3_cdn_url, :s3_upload_id, :s3_key, :s3_bucket, :mux_asset_id, :mux_playback_id, :ipfs_cid, :torrent, :stream_id, :origin_temp_input_url, :playlist_url]) |> validate_required([:stream_id]) end + end diff --git a/services/bright/lib/bright/superstreamer/api_client.ex b/services/bright/lib/bright/superstreamer/api_client.ex new file mode 100644 index 0000000..d80a08b --- /dev/null +++ b/services/bright/lib/bright/superstreamer/api_client.ex @@ -0,0 +1,19 @@ +defmodule Bright.Superstreamer.ApiClient do + @behaviour Bright.Superstreamer.ApiClientBehaviour + def api_client, do: Application.get_env(:bright, :superstreamer_api_client) + + + + def create_transcode() do + + end + + def create_package() do + + end + + def create_pipeline() do + + end + +end diff --git a/services/bright/lib/bright/superstreamer/api_client_behaviour.ex b/services/bright/lib/bright/superstreamer/api_client_behaviour.ex new file mode 100644 index 0000000..c4e2b5e --- /dev/null +++ b/services/bright/lib/bright/superstreamer/api_client_behaviour.ex @@ -0,0 +1,6 @@ +defmodule Bright.Superstreamer.ApiClientBehaviour do + @moduledoc false + @callback create_transcode(String.t(), String.t()) :: tuple() + @callback create_package(String.t(), String.t()) :: tuple() + @callback create_pipeline(String.t()) :: tuple() +end diff --git a/services/bright/lib/bright/superstreamer/http_adapter.ex b/services/bright/lib/bright/superstreamer/http_adapter.ex new file mode 100644 index 0000000..5cc277c --- /dev/null +++ b/services/bright/lib/bright/superstreamer/http_adapter.ex @@ -0,0 +1,32 @@ +defmodule Bright.Superstreamer.HttpAdapter do + use HTTPoison.Base + + defp access_token, do: Application.get_env(:bright, :superstreamer_token) + def base_url, do: Application.get_env(:bright, :superstreamer_base_url) + + def process_url(url) do + base_url() <> url + end + + def post(url, params) do + post(url, Jason.encode!(params), headers()) + end + + def get(url) do + get(url, headers()) + end + + defp headers do + [ + {"Authorization", "token #{access_token()}"}, + {"Accept", " application/json"}, + {"Content-Type", "application/json"} + ] + end + + def process_response_body(""), do: "" + def process_response_body(body) do + body + |> Jason.decode! + end +end diff --git a/services/bright/lib/bright_web/components/core_components.ex b/services/bright/lib/bright_web/components/core_components.ex index b047d8a..7f11275 100644 --- a/services/bright/lib/bright_web/components/core_components.ex +++ b/services/bright/lib/bright_web/components/core_components.ex @@ -330,7 +330,7 @@ end def input(%{type: "select"} = assigns) do ~H""" - <div class="field mb-5"> + <div class="field mb-5 mt-2"> <.label for={@id}>{@label}</.label> <div class="control"> <div class={[ @@ -361,7 +361,7 @@ end id={@id} name={@name} class={[ - "mt-2 block w-full rounded-lg text-zinc-900 focus:ring-0 sm:text-sm sm:leading-6 min-h-[6rem]", + "textarea mb-5", @errors == [] && "", @errors != [] && "is-danger" ]} diff --git a/services/bright/lib/bright_web/components/layouts/root.html.heex b/services/bright/lib/bright_web/components/layouts/root.html.heex index 26f6807..72c95c8 100644 --- a/services/bright/lib/bright_web/components/layouts/root.html.heex +++ b/services/bright/lib/bright_web/components/layouts/root.html.heex @@ -4,14 +4,66 @@ <meta charset="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1" /> <meta name="csrf-token" content={get_csrf_token()} /> - <.live_title suffix=" · Phoenix Framework"> + <.live_title suffix=" · Futureporn"> <%= assigns[:page_title] || "Bright" %> </.live_title> <link phx-track-static rel="stylesheet" href={~p"/assets/app.css"} /> - <script defer phx-track-static type="text/javascript" src={~p"/assets/app.js"}> - </script> + <%# <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/video.js/7.0.0/video-js.css" integrity="sha512-1DrIT2i++3/MY2BErpZjLtuvCBF+nmcqS1EJGqoHpjVWTfrCmoMlaokG88q2KiJVp7TTIjAyCGW5PU475xkKOg==" crossorigin="anonymous" referrerpolicy="no-referrer" /> + + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/silvermine-videojs-quality-selector@1.1.2/dist/css/quality-selector.min.css"> %> + + <script defer phx-track-static type="text/javascript" src={~p"/assets/app.js"}></script> + + <%# <script src="https://cdnjs.cloudflare.com/ajax/libs/video.js/7.0.0/video.min.js" integrity="sha512-LiILFcpZ9QKSH41UkK59Zag/7enHzqjr5lO2M0wGqGn8W19A/x2rV3iufAHkEtrln+Bt+Zv1U6NlLIp+lEqeWQ==" crossorigin="anonymous" referrerpolicy="no-referrer"></script> + + + <script src="https://cdn.jsdelivr.net/npm/silvermine-videojs-quality-selector@1.1.2/dist/js/silvermine-videojs-quality-selector.min.js"></script> %> + + + </head> <body class=""> + <ul class="relative z-10 flex items-center gap-4 px-4 sm:px-6 lg:px-8 justify-end"> + <%= if @current_platform do %> + <li class="text-[0.8125rem] leading-6 text-zinc-900"> + {@current_platform.email} + </li> + <li> + <.link + href={~p"/platforms/settings"} + class="text-[0.8125rem] leading-6 text-zinc-900 font-semibold hover:text-zinc-700" + > + Settings + </.link> + </li> + <li> + <.link + href={~p"/platforms/log_out"} + method="delete" + class="text-[0.8125rem] leading-6 text-zinc-900 font-semibold hover:text-zinc-700" + > + Log out + </.link> + </li> + <% else %> + <li> + <.link + href={~p"/platforms/register"} + class="text-[0.8125rem] leading-6 text-zinc-900 font-semibold hover:text-zinc-700" + > + Register + </.link> + </li> + <li> + <.link + href={~p"/platforms/log_in"} + class="text-[0.8125rem] leading-6 text-zinc-900 font-semibold hover:text-zinc-700" + > + Log in + </.link> + </li> + <% end %> + </ul> <%= @inner_content %> </body> </html> diff --git a/services/bright/lib/bright_web/controllers/page_html/about.html.heex b/services/bright/lib/bright_web/controllers/page_html/about.html.heex index 7bfe4eb..b3884c3 100644 --- a/services/bright/lib/bright_web/controllers/page_html/about.html.heex +++ b/services/bright/lib/bright_web/controllers/page_html/about.html.heex @@ -4,4 +4,5 @@ <main class="section"> <h2 class="title is-2">About</h2> + <p>@todo</p> </main> diff --git a/services/bright/lib/bright_web/controllers/page_html/home.html.heex b/services/bright/lib/bright_web/controllers/page_html/home.html.heex index 9735504..5af5234 100644 --- a/services/bright/lib/bright_web/controllers/page_html/home.html.heex +++ b/services/bright/lib/bright_web/controllers/page_html/home.html.heex @@ -15,7 +15,7 @@ <div class="section"> - <h2 class="is-2 title">Latest VODs</h2> + <h2 class="bu is-2 title">Latest VODs</h2> <%= for number <- 1..10 do %> <tr> <td><%= number %></td> @@ -31,10 +31,25 @@ </div> + <video + id="video-player" + class="video-js" + controls + preload="auto" + poster="" + > + <p class="vjs-no-js"> + To view this video please enable JavaScript, and consider upgrading to a + web browser that + <a href="https://videojs.com/html5-video-support/" target="_blank"> + supports HTML5 video + </a> + </p> + </video> + + <a class="button is-info" href={~p"/hello/CJ"}>Hello {@current_uuid}</a> - <a class="button is-info" href={~p"/products"}>products</a> - <a class="button is-info" href={~p"/cart"}>cart</a> <a class="button is-primary" href={~p"/archive"}>Archive</a> <.back navigate={~p"/posts"}>Back</.back> diff --git a/services/bright/lib/bright_web/controllers/patron_html/index.html.heex b/services/bright/lib/bright_web/controllers/patron_html/index.html.heex index 85e724c..635927d 100644 --- a/services/bright/lib/bright_web/controllers/patron_html/index.html.heex +++ b/services/bright/lib/bright_web/controllers/patron_html/index.html.heex @@ -2,6 +2,8 @@ Listing Patrons </.header> + <p>@todo</p> + <.table id="patrons" rows={@patrons}> <:col :let={patron} label="Name">{patron.name}</:col> </.table> diff --git a/services/bright/lib/bright_web/controllers/platform_session_controller.ex b/services/bright/lib/bright_web/controllers/platform_session_controller.ex new file mode 100644 index 0000000..a2a9b59 --- /dev/null +++ b/services/bright/lib/bright_web/controllers/platform_session_controller.ex @@ -0,0 +1,42 @@ +defmodule BrightWeb.PlatformSessionController do + use BrightWeb, :controller + + alias Bright.Platforms + alias BrightWeb.PlatformAuth + + def create(conn, %{"_action" => "registered"} = params) do + create(conn, params, "Account created successfully!") + end + + def create(conn, %{"_action" => "password_updated"} = params) do + conn + |> put_session(:platform_return_to, ~p"/platforms/settings") + |> create(params, "Password updated successfully!") + end + + def create(conn, params) do + create(conn, params, "Welcome back!") + end + + defp create(conn, %{"platform" => platform_params}, info) do + %{"email" => email, "password" => password} = platform_params + + if platform = Platforms.get_platform_by_email_and_password(email, password) do + conn + |> put_flash(:info, info) + |> PlatformAuth.log_in_platform(platform, platform_params) + else + # In order to prevent user enumeration attacks, don't disclose whether the email is registered. + conn + |> put_flash(:error, "Invalid email or password") + |> put_flash(:email, String.slice(email, 0, 160)) + |> redirect(to: ~p"/platforms/log_in") + end + end + + def delete(conn, _params) do + conn + |> put_flash(:info, "Logged out successfully.") + |> PlatformAuth.log_out_platform() + end +end diff --git a/services/bright/lib/bright_web/controllers/vod_html/show.html.heex b/services/bright/lib/bright_web/controllers/vod_html/show.html.heex index 5cfb0c4..59945de 100644 --- a/services/bright/lib/bright_web/controllers/vod_html/show.html.heex +++ b/services/bright/lib/bright_web/controllers/vod_html/show.html.heex @@ -8,7 +8,47 @@ </:actions> </.header> + +<%# <div id="blah" phx-hook="VideojsHook"> + <video id="player"></video> +</div> %> + +<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/video.js@8.21.0/dist/video-js.min.css"> +<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/videojs-seek-buttons/dist/videojs-seek-buttons.css"> + + +<script src="https://cdn.jsdelivr.net/npm/video.js@8.21.0/dist/video.min.js"></script> +<script src="https://cdn.jsdelivr.net/npm/videojs-seek-buttons/dist/videojs-seek-buttons.min.js"></script> +<script src="https://cdn.jsdelivr.net/npm/videojs-hls-quality-selector@2.0.0/dist/videojs-hls-quality-selector.min.js"></script> + + +<video id="player" class="video-js" controls preload="none" width="640" height="264" data-setup='{ "playbackRates": [0.5, 0.75, 1, 1.25, 1.5, 1.75, 2] }'> + <p class="vjs-no-js"> + To view this video please enable JavaScript, and consider upgrading to a web browser that + <a href="http://videojs.com/html5-video-support/" target="_blank">supports HTML5 video</a> + </p> +</video> + +<script> + + let player = window.videojs('player') + + // player.qualityLevels() + + player.src({ + src: 'https://fp-dev.b-cdn.net/package/cea2db20-1d89-4f8b-855f-d1c2e6ae2302/test2/master.m3u8', + type: 'application/x-mpegURL', + withCredentials: false + }); + + player.hlsQualitySelector({ displayCurrentQuality: true }) +// player.hlsQualitySelector(); + +</script> + <.list> + <:item title="Origin Temporary Input URL">{@vod.origin_temp_input_url}</:item> + <:item title="HLS Playlist URL">{@vod.playlist_url}</:item> <:item title="S3 CDN url">{@vod.s3_cdn_url}</:item> <:item title="S3 upload">{@vod.s3_upload_id}</:item> <:item title="S3 key">{@vod.s3_key}</:item> diff --git a/services/bright/lib/bright_web/controllers/vod_html/vod_form.html.heex b/services/bright/lib/bright_web/controllers/vod_html/vod_form.html.heex index 69be539..ba9ec28 100644 --- a/services/bright/lib/bright_web/controllers/vod_html/vod_form.html.heex +++ b/services/bright/lib/bright_web/controllers/vod_html/vod_form.html.heex @@ -2,6 +2,8 @@ <.error :if={@changeset.action}> Oops, something went wrong! Please check the errors below. </.error> + <.input field={f[:origin_temp_input_url]} type="text" label="Import VOD from URL" /> + <.input field={f[:playlist_url]} type="text" label="HLS Playlist URL" /> <.input field={f[:s3_cdn_url]} type="text" label="S3 cdn url" /> <.input field={f[:s3_upload_id]} type="text" label="S3 upload" /> <.input field={f[:s3_key]} type="text" label="S3 key" /> diff --git a/services/bright/lib/bright_web/live/platform_confirmation_instructions_live.ex b/services/bright/lib/bright_web/live/platform_confirmation_instructions_live.ex new file mode 100644 index 0000000..780c42a --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_confirmation_instructions_live.ex @@ -0,0 +1,51 @@ +defmodule BrightWeb.PlatformConfirmationInstructionsLive do + use BrightWeb, :live_view + + alias Bright.Platforms + + def render(assigns) do + ~H""" + <div class="mx-auto max-w-sm"> + <.header class="text-center"> + No confirmation instructions received? + <:subtitle>We'll send a new confirmation link to your inbox</:subtitle> + </.header> + + <.simple_form for={@form} id="resend_confirmation_form" phx-submit="send_instructions"> + <.input field={@form[:email]} type="email" placeholder="Email" required /> + <:actions> + <.button phx-disable-with="Sending..." class="w-full"> + Resend confirmation instructions + </.button> + </:actions> + </.simple_form> + + <p class="text-center mt-4"> + <.link href={~p"/platforms/register"}>Register</.link> + | <.link href={~p"/platforms/log_in"}>Log in</.link> + </p> + </div> + """ + end + + def mount(_params, _session, socket) do + {:ok, assign(socket, form: to_form(%{}, as: "platform"))} + end + + def handle_event("send_instructions", %{"platform" => %{"email" => email}}, socket) do + if platform = Platforms.get_platform_by_email(email) do + Platforms.deliver_platform_confirmation_instructions( + platform, + &url(~p"/platforms/confirm/#{&1}") + ) + end + + info = + "If your email is in our system and it has not been confirmed yet, you will receive an email with instructions shortly." + + {:noreply, + socket + |> put_flash(:info, info) + |> redirect(to: ~p"/")} + end +end diff --git a/services/bright/lib/bright_web/live/platform_confirmation_live.ex b/services/bright/lib/bright_web/live/platform_confirmation_live.ex new file mode 100644 index 0000000..1dfaec4 --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_confirmation_live.ex @@ -0,0 +1,58 @@ +defmodule BrightWeb.PlatformConfirmationLive do + use BrightWeb, :live_view + + alias Bright.Platforms + + def render(%{live_action: :edit} = assigns) do + ~H""" + <div class="mx-auto max-w-sm"> + <.header class="text-center">Confirm Account</.header> + + <.simple_form for={@form} id="confirmation_form" phx-submit="confirm_account"> + <input type="hidden" name={@form[:token].name} value={@form[:token].value} /> + <:actions> + <.button phx-disable-with="Confirming..." class="w-full">Confirm my account</.button> + </:actions> + </.simple_form> + + <p class="text-center mt-4"> + <.link href={~p"/platforms/register"}>Register</.link> + | <.link href={~p"/platforms/log_in"}>Log in</.link> + </p> + </div> + """ + end + + def mount(%{"token" => token}, _session, socket) do + form = to_form(%{"token" => token}, as: "platform") + {:ok, assign(socket, form: form), temporary_assigns: [form: nil]} + end + + # Do not log in the platform after confirmation to avoid a + # leaked token giving the platform access to the account. + def handle_event("confirm_account", %{"platform" => %{"token" => token}}, socket) do + case Platforms.confirm_platform(token) do + {:ok, _} -> + {:noreply, + socket + |> put_flash(:info, "Platform confirmed successfully.") + |> redirect(to: ~p"/")} + + :error -> + # If there is a current platform and the account was already confirmed, + # then odds are that the confirmation link was already visited, either + # by some automation or by the platform themselves, so we redirect without + # a warning message. + case socket.assigns do + %{current_platform: %{confirmed_at: confirmed_at}} when not is_nil(confirmed_at) -> + {:noreply, redirect(socket, to: ~p"/")} + + %{} -> + {:noreply, + socket + |> put_flash(:error, "Platform confirmation link is invalid or it has expired.") + |> redirect(to: ~p"/")} + end + end + end +end diff --git a/services/bright/lib/bright_web/live/platform_forgot_password_live.ex b/services/bright/lib/bright_web/live/platform_forgot_password_live.ex new file mode 100644 index 0000000..99402d4 --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_forgot_password_live.ex @@ -0,0 +1,50 @@ +defmodule BrightWeb.PlatformForgotPasswordLive do + use BrightWeb, :live_view + + alias Bright.Platforms + + def render(assigns) do + ~H""" + <div class="mx-auto max-w-sm"> + <.header class="text-center"> + Forgot your password? + <:subtitle>We'll send a password reset link to your inbox</:subtitle> + </.header> + + <.simple_form for={@form} id="reset_password_form" phx-submit="send_email"> + <.input field={@form[:email]} type="email" placeholder="Email" required /> + <:actions> + <.button phx-disable-with="Sending..." class="w-full"> + Send password reset instructions + </.button> + </:actions> + </.simple_form> + <p class="text-center text-sm mt-4"> + <.link href={~p"/platforms/register"}>Register</.link> + | <.link href={~p"/platforms/log_in"}>Log in</.link> + </p> + </div> + """ + end + + def mount(_params, _session, socket) do + {:ok, assign(socket, form: to_form(%{}, as: "platform"))} + end + + def handle_event("send_email", %{"platform" => %{"email" => email}}, socket) do + if platform = Platforms.get_platform_by_email(email) do + Platforms.deliver_platform_reset_password_instructions( + platform, + &url(~p"/platforms/reset_password/#{&1}") + ) + end + + info = + "If your email is in our system, you will receive instructions to reset your password shortly." + + {:noreply, + socket + |> put_flash(:info, info) + |> redirect(to: ~p"/")} + end +end diff --git a/services/bright/lib/bright_web/live/platform_login_live.ex b/services/bright/lib/bright_web/live/platform_login_live.ex new file mode 100644 index 0000000..af55de9 --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_login_live.ex @@ -0,0 +1,43 @@ +defmodule BrightWeb.PlatformLoginLive do + use BrightWeb, :live_view + + def render(assigns) do + ~H""" + <div class="mx-auto max-w-sm"> + <.header class="text-center"> + Log in to account + <:subtitle> + Don't have an account? + <.link navigate={~p"/platforms/register"} class="font-semibold text-brand hover:underline"> + Sign up + </.link> + for an account now. + </:subtitle> + </.header> + + <.simple_form for={@form} id="login_form" action={~p"/platforms/log_in"} phx-update="ignore"> + <.input field={@form[:email]} type="email" label="Email" required /> + <.input field={@form[:password]} type="password" label="Password" required /> + + <:actions> + <.input field={@form[:remember_me]} type="checkbox" label="Keep me logged in" /> + <.link href={~p"/platforms/reset_password"} class="text-sm font-semibold"> + Forgot your password? + </.link> + </:actions> + <:actions> + <.button phx-disable-with="Logging in..." class="w-full"> + Log in <span aria-hidden="true">→</span> + </.button> + </:actions> + </.simple_form> + </div> + """ + end + + def mount(_params, _session, socket) do + email = Phoenix.Flash.get(socket.assigns.flash, :email) + form = to_form(%{"email" => email}, as: "platform") + {:ok, assign(socket, form: form), temporary_assigns: [form: form]} + end +end diff --git a/services/bright/lib/bright_web/live/platform_registration_live.ex b/services/bright/lib/bright_web/live/platform_registration_live.ex new file mode 100644 index 0000000..591e36b --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_registration_live.ex @@ -0,0 +1,87 @@ +defmodule BrightWeb.PlatformRegistrationLive do + use BrightWeb, :live_view + + alias Bright.Platforms + alias Bright.Platforms.Platform + + def render(assigns) do + ~H""" + <div class="mx-auto max-w-sm"> + <.header class="text-center"> + Register for an account + <:subtitle> + Already registered? + <.link navigate={~p"/platforms/log_in"} class="font-semibold text-brand hover:underline"> + Log in + </.link> + to your account now. + </:subtitle> + </.header> + + <.simple_form + for={@form} + id="registration_form" + phx-submit="save" + phx-change="validate" + phx-trigger-action={@trigger_submit} + action={~p"/platforms/log_in?_action=registered"} + method="post" + > + <.error :if={@check_errors}> + Oops, something went wrong! Please check the errors below. + </.error> + + <.input field={@form[:email]} type="email" label="Email" required /> + <.input field={@form[:password]} type="password" label="Password" required /> + + <:actions> + <.button phx-disable-with="Creating account..." class="w-full">Create an account</.button> + </:actions> + </.simple_form> + </div> + """ + end + + def mount(_params, _session, socket) do + changeset = Platforms.change_platform_registration(%Platform{}) + + socket = + socket + |> assign(trigger_submit: false, check_errors: false) + |> assign_form(changeset) + + {:ok, socket, temporary_assigns: [form: nil]} + end + + def handle_event("save", %{"platform" => platform_params}, socket) do + case Platforms.register_platform(platform_params) do + {:ok, platform} -> + {:ok, _} = + Platforms.deliver_platform_confirmation_instructions( + platform, + &url(~p"/platforms/confirm/#{&1}") + ) + + changeset = Platforms.change_platform_registration(platform) + {:noreply, socket |> assign(trigger_submit: true) |> assign_form(changeset)} + + {:error, %Ecto.Changeset{} = changeset} -> + {:noreply, socket |> assign(check_errors: true) |> assign_form(changeset)} + end + end + + def handle_event("validate", %{"platform" => platform_params}, socket) do + changeset = Platforms.change_platform_registration(%Platform{}, platform_params) + {:noreply, assign_form(socket, Map.put(changeset, :action, :validate))} + end + + defp assign_form(socket, %Ecto.Changeset{} = changeset) do + form = to_form(changeset, as: "platform") + + if changeset.valid? do + assign(socket, form: form, check_errors: false) + else + assign(socket, form: form) + end + end +end diff --git a/services/bright/lib/bright_web/live/platform_reset_password_live.ex b/services/bright/lib/bright_web/live/platform_reset_password_live.ex new file mode 100644 index 0000000..7bce43e --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_reset_password_live.ex @@ -0,0 +1,89 @@ +defmodule BrightWeb.PlatformResetPasswordLive do + use BrightWeb, :live_view + + alias Bright.Platforms + + def render(assigns) do + ~H""" + <div class="mx-auto max-w-sm"> + <.header class="text-center">Reset Password</.header> + + <.simple_form + for={@form} + id="reset_password_form" + phx-submit="reset_password" + phx-change="validate" + > + <.error :if={@form.errors != []}> + Oops, something went wrong! Please check the errors below. + </.error> + + <.input field={@form[:password]} type="password" label="New password" required /> + <.input + field={@form[:password_confirmation]} + type="password" + label="Confirm new password" + required + /> + <:actions> + <.button phx-disable-with="Resetting..." class="w-full">Reset Password</.button> + </:actions> + </.simple_form> + + <p class="text-center text-sm mt-4"> + <.link href={~p"/platforms/register"}>Register</.link> + | <.link href={~p"/platforms/log_in"}>Log in</.link> + </p> + </div> + """ + end + + def mount(params, _session, socket) do + socket = assign_platform_and_token(socket, params) + + form_source = + case socket.assigns do + %{platform: platform} -> + Platforms.change_platform_password(platform) + + _ -> + %{} + end + + {:ok, assign_form(socket, form_source), temporary_assigns: [form: nil]} + end + + # Do not log in the platform after reset password to avoid a + # leaked token giving the platform access to the account. + def handle_event("reset_password", %{"platform" => platform_params}, socket) do + case Platforms.reset_platform_password(socket.assigns.platform, platform_params) do + {:ok, _} -> + {:noreply, + socket + |> put_flash(:info, "Password reset successfully.") + |> redirect(to: ~p"/platforms/log_in")} + + {:error, changeset} -> + {:noreply, assign_form(socket, Map.put(changeset, :action, :insert))} + end + end + + def handle_event("validate", %{"platform" => platform_params}, socket) do + changeset = Platforms.change_platform_password(socket.assigns.platform, platform_params) + {:noreply, assign_form(socket, Map.put(changeset, :action, :validate))} + end + + defp assign_platform_and_token(socket, %{"token" => token}) do + if platform = Platforms.get_platform_by_reset_password_token(token) do + assign(socket, platform: platform, token: token) + else + socket + |> put_flash(:error, "Reset password link is invalid or it has expired.") + |> redirect(to: ~p"/") + end + end + + defp assign_form(socket, %{} = source) do + assign(socket, :form, to_form(source, as: "platform")) + end +end diff --git a/services/bright/lib/bright_web/live/platform_settings_live.ex b/services/bright/lib/bright_web/live/platform_settings_live.ex new file mode 100644 index 0000000..d1fa883 --- /dev/null +++ b/services/bright/lib/bright_web/live/platform_settings_live.ex @@ -0,0 +1,167 @@ +defmodule BrightWeb.PlatformSettingsLive do + use BrightWeb, :live_view + + alias Bright.Platforms + + def render(assigns) do + ~H""" + <.header class="text-center"> + Account Settings + <:subtitle>Manage your account email address and password settings</:subtitle> + </.header> + + <div class="space-y-12 divide-y"> + <div> + <.simple_form + for={@email_form} + id="email_form" + phx-submit="update_email" + phx-change="validate_email" + > + <.input field={@email_form[:email]} type="email" label="Email" required /> + <.input + field={@email_form[:current_password]} + name="current_password" + id="current_password_for_email" + type="password" + label="Current password" + value={@email_form_current_password} + required + /> + <:actions> + <.button phx-disable-with="Changing...">Change Email</.button> + </:actions> + </.simple_form> + </div> + <div> + <.simple_form + for={@password_form} + id="password_form" + action={~p"/platforms/log_in?_action=password_updated"} + method="post" + phx-change="validate_password" + phx-submit="update_password" + phx-trigger-action={@trigger_submit} + > + <input + name={@password_form[:email].name} + type="hidden" + id="hidden_platform_email" + value={@current_email} + /> + <.input field={@password_form[:password]} type="password" label="New password" required /> + <.input + field={@password_form[:password_confirmation]} + type="password" + label="Confirm new password" + /> + <.input + field={@password_form[:current_password]} + name="current_password" + type="password" + label="Current password" + id="current_password_for_password" + value={@current_password} + required + /> + <:actions> + <.button phx-disable-with="Changing...">Change Password</.button> + </:actions> + </.simple_form> + </div> + </div> + """ + end + + def mount(%{"token" => token}, _session, socket) do + socket = + case Platforms.update_platform_email(socket.assigns.current_platform, token) do + :ok -> + put_flash(socket, :info, "Email changed successfully.") + + :error -> + put_flash(socket, :error, "Email change link is invalid or it has expired.") + end + + {:ok, push_navigate(socket, to: ~p"/platforms/settings")} + end + + def mount(_params, _session, socket) do + platform = socket.assigns.current_platform + email_changeset = Platforms.change_platform_email(platform) + password_changeset = Platforms.change_platform_password(platform) + + socket = + socket + |> assign(:current_password, nil) + |> assign(:email_form_current_password, nil) + |> assign(:current_email, platform.email) + |> assign(:email_form, to_form(email_changeset)) + |> assign(:password_form, to_form(password_changeset)) + |> assign(:trigger_submit, false) + + {:ok, socket} + end + + def handle_event("validate_email", params, socket) do + %{"current_password" => password, "platform" => platform_params} = params + + email_form = + socket.assigns.current_platform + |> Platforms.change_platform_email(platform_params) + |> Map.put(:action, :validate) + |> to_form() + + {:noreply, assign(socket, email_form: email_form, email_form_current_password: password)} + end + + def handle_event("update_email", params, socket) do + %{"current_password" => password, "platform" => platform_params} = params + platform = socket.assigns.current_platform + + case Platforms.apply_platform_email(platform, password, platform_params) do + {:ok, applied_platform} -> + Platforms.deliver_platform_update_email_instructions( + applied_platform, + platform.email, + &url(~p"/platforms/settings/confirm_email/#{&1}") + ) + + info = "A link to confirm your email change has been sent to the new address." + {:noreply, socket |> put_flash(:info, info) |> assign(email_form_current_password: nil)} + + {:error, changeset} -> + {:noreply, assign(socket, :email_form, to_form(Map.put(changeset, :action, :insert)))} + end + end + + def handle_event("validate_password", params, socket) do + %{"current_password" => password, "platform" => platform_params} = params + + password_form = + socket.assigns.current_platform + |> Platforms.change_platform_password(platform_params) + |> Map.put(:action, :validate) + |> to_form() + + {:noreply, assign(socket, password_form: password_form, current_password: password)} + end + + def handle_event("update_password", params, socket) do + %{"current_password" => password, "platform" => platform_params} = params + platform = socket.assigns.current_platform + + case Platforms.update_platform_password(platform, password, platform_params) do + {:ok, platform} -> + password_form = + platform + |> Platforms.change_platform_password(platform_params) + |> to_form() + + {:noreply, assign(socket, trigger_submit: true, password_form: password_form)} + + {:error, changeset} -> + {:noreply, assign(socket, password_form: to_form(changeset))} + end + end +end diff --git a/services/bright/lib/bright_web/live/post_live/show.html.heex b/services/bright/lib/bright_web/live/post_live/show.html.heex index 5b1ae57..954f97e 100644 --- a/services/bright/lib/bright_web/live/post_live/show.html.heex +++ b/services/bright/lib/bright_web/live/post_live/show.html.heex @@ -8,6 +8,13 @@ </:actions> </.header> + + + + + + + <.list> <:item title="Title">{@post.title}</:item> <:item title="Body">{@post.body}</:item> diff --git a/services/bright/lib/bright_web/live/thermostat_live.ex b/services/bright/lib/bright_web/live/thermostat_live.ex index c9d5e53..280db96 100644 --- a/services/bright/lib/bright_web/live/thermostat_live.ex +++ b/services/bright/lib/bright_web/live/thermostat_live.ex @@ -1,17 +1,15 @@ -defmodule Bright.ThermostatLive do +defmodule BrightWeb.ThermostatLive do use BrightWeb, :live_view def render(assigns) do ~H""" Current temperature: {@temperature}°F - <button class="bg-blue-500 hover:bg-blue-700 text-white font-bold py-2 px-4 rounded" phx-click="inc_temperature"> - Button - </button> + <button class="button" phx-click="inc_temperature">+</button> """ end def mount(_params, _session, socket) do - temperature = 70 + temperature = 70 # Let's assume a fixed temperature for now {:ok, assign(socket, :temperature, temperature)} end diff --git a/services/bright/lib/bright_web/router.ex b/services/bright/lib/bright_web/router.ex index d9dd0e6..7cae201 100644 --- a/services/bright/lib/bright_web/router.ex +++ b/services/bright/lib/bright_web/router.ex @@ -1,5 +1,7 @@ defmodule BrightWeb.Router do use BrightWeb, :router + + import BrightWeb.PlatformAuth alias Bright.ShoppingCart pipeline :browser do @@ -9,10 +11,16 @@ defmodule BrightWeb.Router do plug :put_root_layout, html: {BrightWeb.Layouts, :root} plug :protect_from_forgery plug :put_secure_browser_headers + plug :fetch_current_platform plug :fetch_current_user plug :fetch_current_cart end + pipeline :auth do + # plug :ensure_authenticated + end + + defp fetch_current_user(conn, _) do if user_uuid = get_session(conn, :current_uuid) do assign(conn, :current_uuid, user_uuid) @@ -37,6 +45,16 @@ defmodule BrightWeb.Router do plug :accepts, ["json"] end + scope "/" do + pipe_through [:browser, :auth] + + get "/posts/new", PostController, :new + post "/posts", PostController, :create + + get "/streams/new", StreamController, :new + post "/streams", StreamController, :create + end + scope "/", BrightWeb do pipe_through :browser @@ -54,7 +72,8 @@ defmodule BrightWeb.Router do resources "/orders", OrderController, only: [:create, :show] resources "/archive", StreamController - resources "/streams", StreamController + get "/streams", StreamController, :index + get "/stream", StreamController, :show resources "/vods", VodController @@ -70,6 +89,7 @@ defmodule BrightWeb.Router do ## @todo DANGER, platforms must only be writable by admins, (unless we implement SVG sanitizing) resources "/platforms", PlatformController + live "/thermostat", ThermostatLive get "/hello", HelloController, :index get "/hello/:messenger", HelloController, :show @@ -105,4 +125,42 @@ defmodule BrightWeb.Router do forward "/mailbox", Plug.Swoosh.MailboxPreview end end + + ## Authentication routes + + scope "/", BrightWeb do + pipe_through [:browser, :redirect_if_platform_is_authenticated] + + live_session :redirect_if_platform_is_authenticated, + on_mount: [{BrightWeb.PlatformAuth, :redirect_if_platform_is_authenticated}] do + live "/platforms/register", PlatformRegistrationLive, :new + live "/platforms/log_in", PlatformLoginLive, :new + live "/platforms/reset_password", PlatformForgotPasswordLive, :new + live "/platforms/reset_password/:token", PlatformResetPasswordLive, :edit + end + + post "/platforms/log_in", PlatformSessionController, :create + end + + scope "/", BrightWeb do + pipe_through [:browser, :require_authenticated_platform] + + live_session :require_authenticated_platform, + on_mount: [{BrightWeb.PlatformAuth, :ensure_authenticated}] do + live "/platforms/settings", PlatformSettingsLive, :edit + live "/platforms/settings/confirm_email/:token", PlatformSettingsLive, :confirm_email + end + end + + scope "/", BrightWeb do + pipe_through [:browser] + + delete "/platforms/log_out", PlatformSessionController, :delete + + live_session :current_platform, + on_mount: [{BrightWeb.PlatformAuth, :mount_current_platform}] do + live "/platforms/confirm/:token", PlatformConfirmationLive, :edit + live "/platforms/confirm", PlatformConfirmationInstructionsLive, :new + end + end end diff --git a/services/bright/mix.exs b/services/bright/mix.exs index f21fb9b..2660234 100644 --- a/services/bright/mix.exs +++ b/services/bright/mix.exs @@ -32,6 +32,7 @@ defmodule Bright.MixProject do # Type `mix help deps` for examples and options. defp deps do [ + {:bcrypt_elixir, "~> 3.0"}, {:phoenix, "~> 1.7.17"}, {:phoenix_ecto, "~> 4.5"}, {:ecto_sql, "~> 3.10"}, @@ -42,16 +43,8 @@ defmodule Bright.MixProject do {:floki, ">= 0.30.0", only: :test}, {:phoenix_live_dashboard, "~> 0.8.3"}, {:esbuild, "~> 0.8", runtime: Mix.env() == :dev}, - {:tailwind, "~> 0.2", runtime: Mix.env() == :dev}, {:dart_sass, "0.7.0", runtime: Mix.env() == :dev}, {:bulma, "1.0.2"}, - {:heroicons, - github: "tailwindlabs/heroicons", - tag: "v2.1.1", - sparse: "optimized", - app: false, - compile: false, - depth: 1}, {:swoosh, "~> 1.5"}, {:finch, "~> 0.13"}, {:telemetry_metrics, "~> 1.0"}, @@ -59,7 +52,16 @@ defmodule Bright.MixProject do {:gettext, "~> 0.20"}, {:jason, "~> 1.2"}, {:dns_cluster, "~> 0.1.1"}, - {:bandit, "~> 1.5"} + {:bandit, "~> 1.5"}, + {:oban, "~> 2.17"}, + {:mox, "~> 0.5.0", only: :test}, + {:httpoison, "~> 2.0"} + # {:superstreamer_player, + # github: "superstreamerapp/superstreamer", + # app: false, + # compile: false, + # sparse: "packages/player" + # } ] end @@ -75,12 +77,12 @@ defmodule Bright.MixProject do "ecto.setup": ["ecto.create", "ecto.migrate", "run priv/repo/seeds.exs"], "ecto.reset": ["ecto.drop", "ecto.setup"], test: ["ecto.create --quiet", "ecto.migrate --quiet", "test"], - "assets.setup": ["tailwind.install --if-missing", "esbuild.install --if-missing"], - "assets.build": ["tailwind bright", "esbuild bright"], + "assets.setup": ["esbuild.install --if-missing"], + "assets.build": ["esbuild bright"], "assets.deploy": [ - "sass default --no-source-map --style=compressed", "esbuild default --minify", "phx.digest", + "sass bright --no-source-map --style=compressed", "esbuild bright --minify", - "phx.digest" + "phx.digest", ] ] end diff --git a/services/bright/mix.lock b/services/bright/mix.lock index c84d4f0..7deac38 100644 --- a/services/bright/mix.lock +++ b/services/bright/mix.lock @@ -2,6 +2,7 @@ "bandit": {:hex, :bandit, "1.6.1", "9e01b93d72ddc21d8c576a704949e86ee6cde7d11270a1d3073787876527a48f", [:mix], [{:hpax, "~> 1.0", [hex: :hpax, repo: "hexpm", optional: false]}, {:plug, "~> 1.14", [hex: :plug, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}, {:thousand_island, "~> 1.0", [hex: :thousand_island, repo: "hexpm", optional: false]}, {:websock, "~> 0.5", [hex: :websock, repo: "hexpm", optional: false]}], "hexpm", "5a904bf010ea24b67979835e0507688e31ac873d4ffc8ed0e5413e8d77455031"}, "bulma": {:hex, :bulma, "1.0.2", "50dfffe8d28b0bd527418560223b407f9e80e990e187e1653b17eff818f8fcbe", [:mix], [], "hexpm", "27745727ff7f451d140a2438c0ca4448bc8ca73e0a6d2d4f24e1b5b9ced8a774"}, "castore": {:hex, :castore, "1.0.10", "43bbeeac820f16c89f79721af1b3e092399b3a1ecc8df1a472738fd853574911", [:mix], [], "hexpm", "1b0b7ea14d889d9ea21202c43a4fa015eb913021cb535e8ed91946f4b77a8848"}, + "certifi": {:hex, :certifi, "2.12.0", "2d1cca2ec95f59643862af91f001478c9863c2ac9cb6e2f89780bfd8de987329", [:rebar3], [], "hexpm", "ee68d85df22e554040cdb4be100f33873ac6051387baf6a8f6ce82272340ff1c"}, "dart_sass": {:hex, :dart_sass, "0.7.0", "7979e056cb74fd6843e1c72db763cffc7726a9192a657735b7d24c0d9c26a1ce", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}], "hexpm", "4a8e70bca41aa00846398abdf5ad8a64d7907a0f7bf40145cd2e40d5971629f2"}, "db_connection": {:hex, :db_connection, "2.7.0", "b99faa9291bb09892c7da373bb82cba59aefa9b36300f6145c5f201c7adf48ec", [:mix], [{:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "dcf08f31b2701f857dfc787fbad78223d61a32204f217f15e881dd93e4bdd3ff"}, "decimal": {:hex, :decimal, "2.3.0", "3ad6255aa77b4a3c4f818171b12d237500e63525c2fd056699967a3e7ea20f62", [:mix], [], "hexpm", "a4d66355cb29cb47c3cf30e71329e58361cfcb37c34235ef3bf1d7bf3773aeac"}, @@ -14,13 +15,21 @@ "finch": {:hex, :finch, "0.19.0", "c644641491ea854fc5c1bbaef36bfc764e3f08e7185e1f084e35e0672241b76d", [:mix], [{:mime, "~> 1.0 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:mint, "~> 1.6.2 or ~> 1.7", [hex: :mint, repo: "hexpm", optional: false]}, {:nimble_options, "~> 0.4 or ~> 1.0", [hex: :nimble_options, repo: "hexpm", optional: false]}, {:nimble_pool, "~> 1.1", [hex: :nimble_pool, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "fc5324ce209125d1e2fa0fcd2634601c52a787aff1cd33ee833664a5af4ea2b6"}, "floki": {:hex, :floki, "0.37.0", "b83e0280bbc6372f2a403b2848013650b16640cd2470aea6701f0632223d719e", [:mix], [], "hexpm", "516a0c15a69f78c47dc8e0b9b3724b29608aa6619379f91b1ffa47109b5d0dd3"}, "gettext": {:hex, :gettext, "0.26.2", "5978aa7b21fada6deabf1f6341ddba50bc69c999e812211903b169799208f2a8", [:mix], [{:expo, "~> 0.5.1 or ~> 1.0", [hex: :expo, repo: "hexpm", optional: false]}], "hexpm", "aa978504bcf76511efdc22d580ba08e2279caab1066b76bb9aa81c4a1e0a32a5"}, + "hackney": {:hex, :hackney, "1.20.1", "8d97aec62ddddd757d128bfd1df6c5861093419f8f7a4223823537bad5d064e2", [:rebar3], [{:certifi, "~> 2.12.0", [hex: :certifi, repo: "hexpm", optional: false]}, {:idna, "~> 6.1.0", [hex: :idna, repo: "hexpm", optional: false]}, {:metrics, "~> 1.0.0", [hex: :metrics, repo: "hexpm", optional: false]}, {:mimerl, "~> 1.1", [hex: :mimerl, repo: "hexpm", optional: false]}, {:parse_trans, "3.4.1", [hex: :parse_trans, repo: "hexpm", optional: false]}, {:ssl_verify_fun, "~> 1.1.0", [hex: :ssl_verify_fun, repo: "hexpm", optional: false]}, {:unicode_util_compat, "~> 0.7.0", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm", "fe9094e5f1a2a2c0a7d10918fee36bfec0ec2a979994cff8cfe8058cd9af38e3"}, "heroicons": {:git, "https://github.com/tailwindlabs/heroicons.git", "88ab3a0d790e6a47404cba02800a6b25d2afae50", [tag: "v2.1.1", sparse: "optimized", depth: 1]}, "hpax": {:hex, :hpax, "1.0.2", "762df951b0c399ff67cc57c3995ec3cf46d696e41f0bba17da0518d94acd4aac", [:mix], [], "hexpm", "2f09b4c1074e0abd846747329eaa26d535be0eb3d189fa69d812bfb8bfefd32f"}, + "httpoison": {:hex, :httpoison, "2.2.1", "87b7ed6d95db0389f7df02779644171d7319d319178f6680438167d7b69b1f3d", [:mix], [{:hackney, "~> 1.17", [hex: :hackney, repo: "hexpm", optional: false]}], "hexpm", "51364e6d2f429d80e14fe4b5f8e39719cacd03eb3f9a9286e61e216feac2d2df"}, + "idna": {:hex, :idna, "6.1.1", "8a63070e9f7d0c62eb9d9fcb360a7de382448200fbbd1b106cc96d3d8099df8d", [:rebar3], [{:unicode_util_compat, "~> 0.7.0", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm", "92376eb7894412ed19ac475e4a86f7b413c1b9fbb5bd16dccd57934157944cea"}, "jason": {:hex, :jason, "1.4.4", "b9226785a9aa77b6857ca22832cffa5d5011a667207eb2a0ad56adb5db443b8a", [:mix], [{:decimal, "~> 1.0 or ~> 2.0", [hex: :decimal, repo: "hexpm", optional: true]}], "hexpm", "c5eb0cab91f094599f94d55bc63409236a8ec69a21a67814529e8d5f6cc90b3b"}, + "metrics": {:hex, :metrics, "1.0.1", "25f094dea2cda98213cecc3aeff09e940299d950904393b2a29d191c346a8486", [:rebar3], [], "hexpm", "69b09adddc4f74a40716ae54d140f93beb0fb8978d8636eaded0c31b6f099f16"}, "mime": {:hex, :mime, "2.0.6", "8f18486773d9b15f95f4f4f1e39b710045fa1de891fada4516559967276e4dc2", [:mix], [], "hexpm", "c9945363a6b26d747389aac3643f8e0e09d30499a138ad64fe8fd1d13d9b153e"}, + "mimerl": {:hex, :mimerl, "1.3.0", "d0cd9fc04b9061f82490f6581e0128379830e78535e017f7780f37fea7545726", [:rebar3], [], "hexpm", "a1e15a50d1887217de95f0b9b0793e32853f7c258a5cd227650889b38839fe9d"}, "mint": {:hex, :mint, "1.6.2", "af6d97a4051eee4f05b5500671d47c3a67dac7386045d87a904126fd4bbcea2e", [:mix], [{:castore, "~> 0.1.0 or ~> 1.0", [hex: :castore, repo: "hexpm", optional: true]}, {:hpax, "~> 0.1.1 or ~> 0.2.0 or ~> 1.0", [hex: :hpax, repo: "hexpm", optional: false]}], "hexpm", "5ee441dffc1892f1ae59127f74afe8fd82fda6587794278d924e4d90ea3d63f9"}, + "mox": {:hex, :mox, "0.5.2", "55a0a5ba9ccc671518d068c8dddd20eeb436909ea79d1799e2209df7eaa98b6c", [:mix], [], "hexpm", "df4310628cd628ee181df93f50ddfd07be3e5ecc30232d3b6aadf30bdfe6092b"}, "nimble_options": {:hex, :nimble_options, "1.1.1", "e3a492d54d85fc3fd7c5baf411d9d2852922f66e69476317787a7b2bb000a61b", [:mix], [], "hexpm", "821b2470ca9442c4b6984882fe9bb0389371b8ddec4d45a9504f00a66f650b44"}, "nimble_pool": {:hex, :nimble_pool, "1.1.0", "bf9c29fbdcba3564a8b800d1eeb5a3c58f36e1e11d7b7fb2e084a643f645f06b", [:mix], [], "hexpm", "af2e4e6b34197db81f7aad230c1118eac993acc0dae6bc83bac0126d4ae0813a"}, + "oban": {:hex, :oban, "2.18.3", "1608c04f8856c108555c379f2f56bc0759149d35fa9d3b825cb8a6769f8ae926", [:mix], [{:ecto_sql, "~> 3.10", [hex: :ecto_sql, repo: "hexpm", optional: false]}, {:ecto_sqlite3, "~> 0.9", [hex: :ecto_sqlite3, repo: "hexpm", optional: true]}, {:jason, "~> 1.1", [hex: :jason, repo: "hexpm", optional: false]}, {:postgrex, "~> 0.16", [hex: :postgrex, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "36ca6ca84ef6518f9c2c759ea88efd438a3c81d667ba23b02b062a0aa785475e"}, + "parse_trans": {:hex, :parse_trans, "3.4.1", "6e6aa8167cb44cc8f39441d05193be6e6f4e7c2946cb2759f015f8c56b76e5ff", [:rebar3], [], "hexpm", "620a406ce75dada827b82e453c19cf06776be266f5a67cff34e1ef2cbb60e49a"}, "phoenix": {:hex, :phoenix, "1.7.18", "5310c21443514be44ed93c422e15870aef254cf1b3619e4f91538e7529d2b2e4", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:phoenix_pubsub, "~> 2.1", [hex: :phoenix_pubsub, repo: "hexpm", optional: false]}, {:phoenix_template, "~> 1.0", [hex: :phoenix_template, repo: "hexpm", optional: false]}, {:phoenix_view, "~> 2.0", [hex: :phoenix_view, repo: "hexpm", optional: true]}, {:plug, "~> 1.14", [hex: :plug, repo: "hexpm", optional: false]}, {:plug_cowboy, "~> 2.7", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:plug_crypto, "~> 1.2 or ~> 2.0", [hex: :plug_crypto, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}, {:websock_adapter, "~> 0.5.3", [hex: :websock_adapter, repo: "hexpm", optional: false]}], "hexpm", "1797fcc82108442a66f2c77a643a62980f342bfeb63d6c9a515ab8294870004e"}, "phoenix_ecto": {:hex, :phoenix_ecto, "4.6.3", "f686701b0499a07f2e3b122d84d52ff8a31f5def386e03706c916f6feddf69ef", [:mix], [{:ecto, "~> 3.5", [hex: :ecto, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 2.14.2 or ~> 3.0 or ~> 4.1", [hex: :phoenix_html, repo: "hexpm", optional: true]}, {:plug, "~> 1.9", [hex: :plug, repo: "hexpm", optional: false]}, {:postgrex, "~> 0.16 or ~> 1.0", [hex: :postgrex, repo: "hexpm", optional: true]}], "hexpm", "909502956916a657a197f94cc1206d9a65247538de8a5e186f7537c895d95764"}, "phoenix_html": {:hex, :phoenix_html, "4.1.1", "4c064fd3873d12ebb1388425a8f2a19348cef56e7289e1998e2d2fa758aa982e", [:mix], [], "hexpm", "f2f2df5a72bc9a2f510b21497fd7d2b86d932ec0598f0210fed4114adc546c6f"}, @@ -32,12 +41,15 @@ "plug": {:hex, :plug, "1.16.1", "40c74619c12f82736d2214557dedec2e9762029b2438d6d175c5074c933edc9d", [:mix], [{:mime, "~> 1.0 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:plug_crypto, "~> 1.1.1 or ~> 1.2 or ~> 2.0", [hex: :plug_crypto, repo: "hexpm", optional: false]}, {:telemetry, "~> 0.4.3 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "a13ff6b9006b03d7e33874945b2755253841b238c34071ed85b0e86057f8cddc"}, "plug_crypto": {:hex, :plug_crypto, "2.1.0", "f44309c2b06d249c27c8d3f65cfe08158ade08418cf540fd4f72d4d6863abb7b", [:mix], [], "hexpm", "131216a4b030b8f8ce0f26038bc4421ae60e4bb95c5cf5395e1421437824c4fa"}, "postgrex": {:hex, :postgrex, "0.19.3", "a0bda6e3bc75ec07fca5b0a89bffd242ca209a4822a9533e7d3e84ee80707e19", [:mix], [{:db_connection, "~> 2.1", [hex: :db_connection, repo: "hexpm", optional: false]}, {:decimal, "~> 1.5 or ~> 2.0", [hex: :decimal, repo: "hexpm", optional: false]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: true]}, {:table, "~> 0.1.0", [hex: :table, repo: "hexpm", optional: true]}], "hexpm", "d31c28053655b78f47f948c85bb1cf86a9c1f8ead346ba1aa0d0df017fa05b61"}, + "ssl_verify_fun": {:hex, :ssl_verify_fun, "1.1.7", "354c321cf377240c7b8716899e182ce4890c5938111a1296add3ec74cf1715df", [:make, :mix, :rebar3], [], "hexpm", "fe4c190e8f37401d30167c8c405eda19469f34577987c76dde613e838bbc67f8"}, + "superstreamer_player": {:git, "https://github.com/superstreamerapp/superstreamer.git", "9e868acede851f396b3db98fb9799ab4bf712b02", [sparse: "packages/player"]}, "swoosh": {:hex, :swoosh, "1.17.5", "14910d267a2633d4335917b37846e376e2067815601592629366c39845dad145", [:mix], [{:bandit, ">= 1.0.0", [hex: :bandit, repo: "hexpm", optional: true]}, {:cowboy, "~> 1.1 or ~> 2.4", [hex: :cowboy, repo: "hexpm", optional: true]}, {:ex_aws, "~> 2.1", [hex: :ex_aws, repo: "hexpm", optional: true]}, {:finch, "~> 0.6", [hex: :finch, repo: "hexpm", optional: true]}, {:gen_smtp, "~> 0.13 or ~> 1.0", [hex: :gen_smtp, repo: "hexpm", optional: true]}, {:hackney, "~> 1.9", [hex: :hackney, repo: "hexpm", optional: true]}, {:jason, "~> 1.0", [hex: :jason, repo: "hexpm", optional: false]}, {:mail, "~> 0.2", [hex: :mail, repo: "hexpm", optional: true]}, {:mime, "~> 1.1 or ~> 2.0", [hex: :mime, repo: "hexpm", optional: false]}, {:mua, "~> 0.2.3", [hex: :mua, repo: "hexpm", optional: true]}, {:multipart, "~> 0.4", [hex: :multipart, repo: "hexpm", optional: true]}, {:plug, "~> 1.9", [hex: :plug, repo: "hexpm", optional: true]}, {:plug_cowboy, ">= 1.0.0", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:req, "~> 0.5 or ~> 1.0", [hex: :req, repo: "hexpm", optional: true]}, {:telemetry, "~> 0.4.2 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "629113d477bc82c4c3bffd15a25e8becc1c7ccc0f0e67743b017caddebb06f04"}, "tailwind": {:hex, :tailwind, "0.2.4", "5706ec47182d4e7045901302bf3a333e80f3d1af65c442ba9a9eed152fb26c2e", [:mix], [{:castore, ">= 0.0.0", [hex: :castore, repo: "hexpm", optional: false]}], "hexpm", "c6e4a82b8727bab593700c998a4d98cf3d8025678bfde059aed71d0000c3e463"}, "telemetry": {:hex, :telemetry, "1.3.0", "fedebbae410d715cf8e7062c96a1ef32ec22e764197f70cda73d82778d61e7a2", [:rebar3], [], "hexpm", "7015fc8919dbe63764f4b4b87a95b7c0996bd539e0d499be6ec9d7f3875b79e6"}, "telemetry_metrics": {:hex, :telemetry_metrics, "1.0.0", "29f5f84991ca98b8eb02fc208b2e6de7c95f8bb2294ef244a176675adc7775df", [:mix], [{:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "f23713b3847286a534e005126d4c959ebcca68ae9582118ce436b521d1d47d5d"}, "telemetry_poller": {:hex, :telemetry_poller, "1.1.0", "58fa7c216257291caaf8d05678c8d01bd45f4bdbc1286838a28c4bb62ef32999", [:rebar3], [{:telemetry, "~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "9eb9d9cbfd81cbd7cdd24682f8711b6e2b691289a0de6826e58452f28c103c8f"}, "thousand_island": {:hex, :thousand_island, "1.3.7", "1da7598c0f4f5f50562c097a3f8af308ded48cd35139f0e6f17d9443e4d0c9c5", [:mix], [{:telemetry, "~> 0.4 or ~> 1.0", [hex: :telemetry, repo: "hexpm", optional: false]}], "hexpm", "0139335079953de41d381a6134d8b618d53d084f558c734f2662d1a72818dd12"}, + "unicode_util_compat": {:hex, :unicode_util_compat, "0.7.0", "bc84380c9ab48177092f43ac89e4dfa2c6d62b40b8bd132b1059ecc7232f9a78", [:rebar3], [], "hexpm", "25eee6d67df61960cf6a794239566599b09e17e668d3700247bc498638152521"}, "websock": {:hex, :websock, "0.5.3", "2f69a6ebe810328555b6fe5c831a851f485e303a7c8ce6c5f675abeb20ebdadc", [:mix], [], "hexpm", "6105453d7fac22c712ad66fab1d45abdf049868f253cf719b625151460b8b453"}, "websock_adapter": {:hex, :websock_adapter, "0.5.8", "3b97dc94e407e2d1fc666b2fb9acf6be81a1798a2602294aac000260a7c4a47d", [:mix], [{:bandit, ">= 0.6.0", [hex: :bandit, repo: "hexpm", optional: true]}, {:plug, "~> 1.14", [hex: :plug, repo: "hexpm", optional: false]}, {:plug_cowboy, "~> 2.6", [hex: :plug_cowboy, repo: "hexpm", optional: true]}, {:websock, "~> 0.5", [hex: :websock, repo: "hexpm", optional: false]}], "hexpm", "315b9a1865552212b5f35140ad194e67ce31af45bcee443d4ecb96b5fd3f3782"}, } diff --git a/services/bright/priv/repo/migrations/20250106055153_add_source_url.exs b/services/bright/priv/repo/migrations/20250106055153_add_source_url.exs new file mode 100644 index 0000000..28a318b --- /dev/null +++ b/services/bright/priv/repo/migrations/20250106055153_add_source_url.exs @@ -0,0 +1,10 @@ +defmodule Bright.Repo.Migrations.AddSourceUrl do + use Ecto.Migration + + def change do + alter table(:vods) do + add :origin_temp_input_url, :string + add :playlist_url, :string + end + end +end diff --git a/services/bright/priv/repo/migrations/20250106085942_add_oban_jobs_table.exs b/services/bright/priv/repo/migrations/20250106085942_add_oban_jobs_table.exs new file mode 100644 index 0000000..956fdde --- /dev/null +++ b/services/bright/priv/repo/migrations/20250106085942_add_oban_jobs_table.exs @@ -0,0 +1,13 @@ +defmodule Bright.Repo.Migrations.AddObanJobsTable do + use Ecto.Migration + + def up do + Oban.Migration.up(version: 12) + end + + # We specify `version: 1` in `down`, ensuring that we'll roll all the way back down if + # necessary, regardless of which version we've migrated `up` to. + def down do + Oban.Migration.down(version: 1) + end +end diff --git a/services/bright/priv/repo/migrations/20250109070300_create_platforms_auth_tables.exs b/services/bright/priv/repo/migrations/20250109070300_create_platforms_auth_tables.exs new file mode 100644 index 0000000..97c54c1 --- /dev/null +++ b/services/bright/priv/repo/migrations/20250109070300_create_platforms_auth_tables.exs @@ -0,0 +1,29 @@ +defmodule Bright.Repo.Migrations.CreatePlatformsAuthTables do + use Ecto.Migration + + def change do + execute "CREATE EXTENSION IF NOT EXISTS citext", "" + + create table(:platforms) do + add :email, :citext, null: false + add :hashed_password, :string, null: false + add :confirmed_at, :utc_datetime + + timestamps(type: :utc_datetime) + end + + create unique_index(:platforms, [:email]) + + create table(:platforms_tokens) do + add :platform_id, references(:platforms, on_delete: :delete_all), null: false + add :token, :binary, null: false + add :context, :string, null: false + add :sent_to, :string + + timestamps(type: :utc_datetime, updated_at: false) + end + + create index(:platforms_tokens, [:platform_id]) + create unique_index(:platforms_tokens, [:context, :token]) + end +end diff --git a/services/bright/test/bright/platforms_test.exs b/services/bright/test/bright/platforms_test.exs index c08a5ca..28b2ccc 100644 --- a/services/bright/test/bright/platforms_test.exs +++ b/services/bright/test/bright/platforms_test.exs @@ -112,4 +112,507 @@ defmodule Bright.PlatformsTest do assert %Ecto.Changeset{} = Platforms.change_platform(platform) end end + + import Bright.PlatformsFixtures + alias Bright.Platforms.{Platform, PlatformToken} + + describe "get_platform_by_email/1" do + test "does not return the platform if the email does not exist" do + refute Platforms.get_platform_by_email("unknown@example.com") + end + + test "returns the platform if the email exists" do + %{id: id} = platform = platform_fixture() + assert %Platform{id: ^id} = Platforms.get_platform_by_email(platform.email) + end + end + + describe "get_platform_by_email_and_password/2" do + test "does not return the platform if the email does not exist" do + refute Platforms.get_platform_by_email_and_password("unknown@example.com", "hello world!") + end + + test "does not return the platform if the password is not valid" do + platform = platform_fixture() + refute Platforms.get_platform_by_email_and_password(platform.email, "invalid") + end + + test "returns the platform if the email and password are valid" do + %{id: id} = platform = platform_fixture() + + assert %Platform{id: ^id} = + Platforms.get_platform_by_email_and_password(platform.email, valid_platform_password()) + end + end + + describe "get_platform!/1" do + test "raises if id is invalid" do + assert_raise Ecto.NoResultsError, fn -> + Platforms.get_platform!(-1) + end + end + + test "returns the platform with the given id" do + %{id: id} = platform = platform_fixture() + assert %Platform{id: ^id} = Platforms.get_platform!(platform.id) + end + end + + describe "register_platform/1" do + test "requires email and password to be set" do + {:error, changeset} = Platforms.register_platform(%{}) + + assert %{ + password: ["can't be blank"], + email: ["can't be blank"] + } = errors_on(changeset) + end + + test "validates email and password when given" do + {:error, changeset} = Platforms.register_platform(%{email: "not valid", password: "not valid"}) + + assert %{ + email: ["must have the @ sign and no spaces"], + password: ["should be at least 12 character(s)"] + } = errors_on(changeset) + end + + test "validates maximum values for email and password for security" do + too_long = String.duplicate("db", 100) + {:error, changeset} = Platforms.register_platform(%{email: too_long, password: too_long}) + assert "should be at most 160 character(s)" in errors_on(changeset).email + assert "should be at most 72 character(s)" in errors_on(changeset).password + end + + test "validates email uniqueness" do + %{email: email} = platform_fixture() + {:error, changeset} = Platforms.register_platform(%{email: email}) + assert "has already been taken" in errors_on(changeset).email + + # Now try with the upper cased email too, to check that email case is ignored. + {:error, changeset} = Platforms.register_platform(%{email: String.upcase(email)}) + assert "has already been taken" in errors_on(changeset).email + end + + test "registers platforms with a hashed password" do + email = unique_platform_email() + {:ok, platform} = Platforms.register_platform(valid_platform_attributes(email: email)) + assert platform.email == email + assert is_binary(platform.hashed_password) + assert is_nil(platform.confirmed_at) + assert is_nil(platform.password) + end + end + + describe "change_platform_registration/2" do + test "returns a changeset" do + assert %Ecto.Changeset{} = changeset = Platforms.change_platform_registration(%Platform{}) + assert changeset.required == [:password, :email] + end + + test "allows fields to be set" do + email = unique_platform_email() + password = valid_platform_password() + + changeset = + Platforms.change_platform_registration( + %Platform{}, + valid_platform_attributes(email: email, password: password) + ) + + assert changeset.valid? + assert get_change(changeset, :email) == email + assert get_change(changeset, :password) == password + assert is_nil(get_change(changeset, :hashed_password)) + end + end + + describe "change_platform_email/2" do + test "returns a platform changeset" do + assert %Ecto.Changeset{} = changeset = Platforms.change_platform_email(%Platform{}) + assert changeset.required == [:email] + end + end + + describe "apply_platform_email/3" do + setup do + %{platform: platform_fixture()} + end + + test "requires email to change", %{platform: platform} do + {:error, changeset} = Platforms.apply_platform_email(platform, valid_platform_password(), %{}) + assert %{email: ["did not change"]} = errors_on(changeset) + end + + test "validates email", %{platform: platform} do + {:error, changeset} = + Platforms.apply_platform_email(platform, valid_platform_password(), %{email: "not valid"}) + + assert %{email: ["must have the @ sign and no spaces"]} = errors_on(changeset) + end + + test "validates maximum value for email for security", %{platform: platform} do + too_long = String.duplicate("db", 100) + + {:error, changeset} = + Platforms.apply_platform_email(platform, valid_platform_password(), %{email: too_long}) + + assert "should be at most 160 character(s)" in errors_on(changeset).email + end + + test "validates email uniqueness", %{platform: platform} do + %{email: email} = platform_fixture() + password = valid_platform_password() + + {:error, changeset} = Platforms.apply_platform_email(platform, password, %{email: email}) + + assert "has already been taken" in errors_on(changeset).email + end + + test "validates current password", %{platform: platform} do + {:error, changeset} = + Platforms.apply_platform_email(platform, "invalid", %{email: unique_platform_email()}) + + assert %{current_password: ["is not valid"]} = errors_on(changeset) + end + + test "applies the email without persisting it", %{platform: platform} do + email = unique_platform_email() + {:ok, platform} = Platforms.apply_platform_email(platform, valid_platform_password(), %{email: email}) + assert platform.email == email + assert Platforms.get_platform!(platform.id).email != email + end + end + + describe "deliver_platform_update_email_instructions/3" do + setup do + %{platform: platform_fixture()} + end + + test "sends token through notification", %{platform: platform} do + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_update_email_instructions(platform, "current@example.com", url) + end) + + {:ok, token} = Base.url_decode64(token, padding: false) + assert platform_token = Repo.get_by(PlatformToken, token: :crypto.hash(:sha256, token)) + assert platform_token.platform_id == platform.id + assert platform_token.sent_to == platform.email + assert platform_token.context == "change:current@example.com" + end + end + + describe "update_platform_email/2" do + setup do + platform = platform_fixture() + email = unique_platform_email() + + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_update_email_instructions(%{platform | email: email}, platform.email, url) + end) + + %{platform: platform, token: token, email: email} + end + + test "updates the email with a valid token", %{platform: platform, token: token, email: email} do + assert Platforms.update_platform_email(platform, token) == :ok + changed_platform = Repo.get!(Platform, platform.id) + assert changed_platform.email != platform.email + assert changed_platform.email == email + assert changed_platform.confirmed_at + assert changed_platform.confirmed_at != platform.confirmed_at + refute Repo.get_by(PlatformToken, platform_id: platform.id) + end + + test "does not update email with invalid token", %{platform: platform} do + assert Platforms.update_platform_email(platform, "oops") == :error + assert Repo.get!(Platform, platform.id).email == platform.email + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + + test "does not update email if platform email changed", %{platform: platform, token: token} do + assert Platforms.update_platform_email(%{platform | email: "current@example.com"}, token) == :error + assert Repo.get!(Platform, platform.id).email == platform.email + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + + test "does not update email if token expired", %{platform: platform, token: token} do + {1, nil} = Repo.update_all(PlatformToken, set: [inserted_at: ~N[2020-01-01 00:00:00]]) + assert Platforms.update_platform_email(platform, token) == :error + assert Repo.get!(Platform, platform.id).email == platform.email + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + end + + describe "change_platform_password/2" do + test "returns a platform changeset" do + assert %Ecto.Changeset{} = changeset = Platforms.change_platform_password(%Platform{}) + assert changeset.required == [:password] + end + + test "allows fields to be set" do + changeset = + Platforms.change_platform_password(%Platform{}, %{ + "password" => "new valid password" + }) + + assert changeset.valid? + assert get_change(changeset, :password) == "new valid password" + assert is_nil(get_change(changeset, :hashed_password)) + end + end + + describe "update_platform_password/3" do + setup do + %{platform: platform_fixture()} + end + + test "validates password", %{platform: platform} do + {:error, changeset} = + Platforms.update_platform_password(platform, valid_platform_password(), %{ + password: "not valid", + password_confirmation: "another" + }) + + assert %{ + password: ["should be at least 12 character(s)"], + password_confirmation: ["does not match password"] + } = errors_on(changeset) + end + + test "validates maximum values for password for security", %{platform: platform} do + too_long = String.duplicate("db", 100) + + {:error, changeset} = + Platforms.update_platform_password(platform, valid_platform_password(), %{password: too_long}) + + assert "should be at most 72 character(s)" in errors_on(changeset).password + end + + test "validates current password", %{platform: platform} do + {:error, changeset} = + Platforms.update_platform_password(platform, "invalid", %{password: valid_platform_password()}) + + assert %{current_password: ["is not valid"]} = errors_on(changeset) + end + + test "updates the password", %{platform: platform} do + {:ok, platform} = + Platforms.update_platform_password(platform, valid_platform_password(), %{ + password: "new valid password" + }) + + assert is_nil(platform.password) + assert Platforms.get_platform_by_email_and_password(platform.email, "new valid password") + end + + test "deletes all tokens for the given platform", %{platform: platform} do + _ = Platforms.generate_platform_session_token(platform) + + {:ok, _} = + Platforms.update_platform_password(platform, valid_platform_password(), %{ + password: "new valid password" + }) + + refute Repo.get_by(PlatformToken, platform_id: platform.id) + end + end + + describe "generate_platform_session_token/1" do + setup do + %{platform: platform_fixture()} + end + + test "generates a token", %{platform: platform} do + token = Platforms.generate_platform_session_token(platform) + assert platform_token = Repo.get_by(PlatformToken, token: token) + assert platform_token.context == "session" + + # Creating the same token for another platform should fail + assert_raise Ecto.ConstraintError, fn -> + Repo.insert!(%PlatformToken{ + token: platform_token.token, + platform_id: platform_fixture().id, + context: "session" + }) + end + end + end + + describe "get_platform_by_session_token/1" do + setup do + platform = platform_fixture() + token = Platforms.generate_platform_session_token(platform) + %{platform: platform, token: token} + end + + test "returns platform by token", %{platform: platform, token: token} do + assert session_platform = Platforms.get_platform_by_session_token(token) + assert session_platform.id == platform.id + end + + test "does not return platform for invalid token" do + refute Platforms.get_platform_by_session_token("oops") + end + + test "does not return platform for expired token", %{token: token} do + {1, nil} = Repo.update_all(PlatformToken, set: [inserted_at: ~N[2020-01-01 00:00:00]]) + refute Platforms.get_platform_by_session_token(token) + end + end + + describe "delete_platform_session_token/1" do + test "deletes the token" do + platform = platform_fixture() + token = Platforms.generate_platform_session_token(platform) + assert Platforms.delete_platform_session_token(token) == :ok + refute Platforms.get_platform_by_session_token(token) + end + end + + describe "deliver_platform_confirmation_instructions/2" do + setup do + %{platform: platform_fixture()} + end + + test "sends token through notification", %{platform: platform} do + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_confirmation_instructions(platform, url) + end) + + {:ok, token} = Base.url_decode64(token, padding: false) + assert platform_token = Repo.get_by(PlatformToken, token: :crypto.hash(:sha256, token)) + assert platform_token.platform_id == platform.id + assert platform_token.sent_to == platform.email + assert platform_token.context == "confirm" + end + end + + describe "confirm_platform/1" do + setup do + platform = platform_fixture() + + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_confirmation_instructions(platform, url) + end) + + %{platform: platform, token: token} + end + + test "confirms the email with a valid token", %{platform: platform, token: token} do + assert {:ok, confirmed_platform} = Platforms.confirm_platform(token) + assert confirmed_platform.confirmed_at + assert confirmed_platform.confirmed_at != platform.confirmed_at + assert Repo.get!(Platform, platform.id).confirmed_at + refute Repo.get_by(PlatformToken, platform_id: platform.id) + end + + test "does not confirm with invalid token", %{platform: platform} do + assert Platforms.confirm_platform("oops") == :error + refute Repo.get!(Platform, platform.id).confirmed_at + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + + test "does not confirm email if token expired", %{platform: platform, token: token} do + {1, nil} = Repo.update_all(PlatformToken, set: [inserted_at: ~N[2020-01-01 00:00:00]]) + assert Platforms.confirm_platform(token) == :error + refute Repo.get!(Platform, platform.id).confirmed_at + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + end + + describe "deliver_platform_reset_password_instructions/2" do + setup do + %{platform: platform_fixture()} + end + + test "sends token through notification", %{platform: platform} do + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_reset_password_instructions(platform, url) + end) + + {:ok, token} = Base.url_decode64(token, padding: false) + assert platform_token = Repo.get_by(PlatformToken, token: :crypto.hash(:sha256, token)) + assert platform_token.platform_id == platform.id + assert platform_token.sent_to == platform.email + assert platform_token.context == "reset_password" + end + end + + describe "get_platform_by_reset_password_token/1" do + setup do + platform = platform_fixture() + + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_reset_password_instructions(platform, url) + end) + + %{platform: platform, token: token} + end + + test "returns the platform with valid token", %{platform: %{id: id}, token: token} do + assert %Platform{id: ^id} = Platforms.get_platform_by_reset_password_token(token) + assert Repo.get_by(PlatformToken, platform_id: id) + end + + test "does not return the platform with invalid token", %{platform: platform} do + refute Platforms.get_platform_by_reset_password_token("oops") + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + + test "does not return the platform if token expired", %{platform: platform, token: token} do + {1, nil} = Repo.update_all(PlatformToken, set: [inserted_at: ~N[2020-01-01 00:00:00]]) + refute Platforms.get_platform_by_reset_password_token(token) + assert Repo.get_by(PlatformToken, platform_id: platform.id) + end + end + + describe "reset_platform_password/2" do + setup do + %{platform: platform_fixture()} + end + + test "validates password", %{platform: platform} do + {:error, changeset} = + Platforms.reset_platform_password(platform, %{ + password: "not valid", + password_confirmation: "another" + }) + + assert %{ + password: ["should be at least 12 character(s)"], + password_confirmation: ["does not match password"] + } = errors_on(changeset) + end + + test "validates maximum values for password for security", %{platform: platform} do + too_long = String.duplicate("db", 100) + {:error, changeset} = Platforms.reset_platform_password(platform, %{password: too_long}) + assert "should be at most 72 character(s)" in errors_on(changeset).password + end + + test "updates the password", %{platform: platform} do + {:ok, updated_platform} = Platforms.reset_platform_password(platform, %{password: "new valid password"}) + assert is_nil(updated_platform.password) + assert Platforms.get_platform_by_email_and_password(platform.email, "new valid password") + end + + test "deletes all tokens for the given platform", %{platform: platform} do + _ = Platforms.generate_platform_session_token(platform) + {:ok, _} = Platforms.reset_platform_password(platform, %{password: "new valid password"}) + refute Repo.get_by(PlatformToken, platform_id: platform.id) + end + end + + describe "inspect/2 for the Platform module" do + test "does not include password" do + refute inspect(%Platform{password: "123456"}) =~ "password: \"123456\"" + end + end end diff --git a/services/bright/test/bright_web/controllers/platform_session_controller_test.exs b/services/bright/test/bright_web/controllers/platform_session_controller_test.exs new file mode 100644 index 0000000..3df7ed5 --- /dev/null +++ b/services/bright/test/bright_web/controllers/platform_session_controller_test.exs @@ -0,0 +1,113 @@ +defmodule BrightWeb.PlatformSessionControllerTest do + use BrightWeb.ConnCase, async: true + + import Bright.PlatformsFixtures + + setup do + %{platform: platform_fixture()} + end + + describe "POST /platforms/log_in" do + test "logs the platform in", %{conn: conn, platform: platform} do + conn = + post(conn, ~p"/platforms/log_in", %{ + "platform" => %{"email" => platform.email, "password" => valid_platform_password()} + }) + + assert get_session(conn, :platform_token) + assert redirected_to(conn) == ~p"/" + + # Now do a logged in request and assert on the menu + conn = get(conn, ~p"/") + response = html_response(conn, 200) + assert response =~ platform.email + assert response =~ ~p"/platforms/settings" + assert response =~ ~p"/platforms/log_out" + end + + test "logs the platform in with remember me", %{conn: conn, platform: platform} do + conn = + post(conn, ~p"/platforms/log_in", %{ + "platform" => %{ + "email" => platform.email, + "password" => valid_platform_password(), + "remember_me" => "true" + } + }) + + assert conn.resp_cookies["_bright_web_platform_remember_me"] + assert redirected_to(conn) == ~p"/" + end + + test "logs the platform in with return to", %{conn: conn, platform: platform} do + conn = + conn + |> init_test_session(platform_return_to: "/foo/bar") + |> post(~p"/platforms/log_in", %{ + "platform" => %{ + "email" => platform.email, + "password" => valid_platform_password() + } + }) + + assert redirected_to(conn) == "/foo/bar" + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "Welcome back!" + end + + test "login following registration", %{conn: conn, platform: platform} do + conn = + conn + |> post(~p"/platforms/log_in", %{ + "_action" => "registered", + "platform" => %{ + "email" => platform.email, + "password" => valid_platform_password() + } + }) + + assert redirected_to(conn) == ~p"/" + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "Account created successfully" + end + + test "login following password update", %{conn: conn, platform: platform} do + conn = + conn + |> post(~p"/platforms/log_in", %{ + "_action" => "password_updated", + "platform" => %{ + "email" => platform.email, + "password" => valid_platform_password() + } + }) + + assert redirected_to(conn) == ~p"/platforms/settings" + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "Password updated successfully" + end + + test "redirects to login page with invalid credentials", %{conn: conn} do + conn = + post(conn, ~p"/platforms/log_in", %{ + "platform" => %{"email" => "invalid@email.com", "password" => "invalid_password"} + }) + + assert Phoenix.Flash.get(conn.assigns.flash, :error) == "Invalid email or password" + assert redirected_to(conn) == ~p"/platforms/log_in" + end + end + + describe "DELETE /platforms/log_out" do + test "logs the platform out", %{conn: conn, platform: platform} do + conn = conn |> log_in_platform(platform) |> delete(~p"/platforms/log_out") + assert redirected_to(conn) == ~p"/" + refute get_session(conn, :platform_token) + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "Logged out successfully" + end + + test "succeeds even if the platform is not logged in", %{conn: conn} do + conn = delete(conn, ~p"/platforms/log_out") + assert redirected_to(conn) == ~p"/" + refute get_session(conn, :platform_token) + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "Logged out successfully" + end + end +end diff --git a/services/bright/test/bright_web/live/platform_confirmation_instructions_live_test.exs b/services/bright/test/bright_web/live/platform_confirmation_instructions_live_test.exs new file mode 100644 index 0000000..6f7df7c --- /dev/null +++ b/services/bright/test/bright_web/live/platform_confirmation_instructions_live_test.exs @@ -0,0 +1,67 @@ +defmodule BrightWeb.PlatformConfirmationInstructionsLiveTest do + use BrightWeb.ConnCase, async: true + + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + alias Bright.Platforms + alias Bright.Repo + + setup do + %{platform: platform_fixture()} + end + + describe "Resend confirmation" do + test "renders the resend confirmation page", %{conn: conn} do + {:ok, _lv, html} = live(conn, ~p"/platforms/confirm") + assert html =~ "Resend confirmation instructions" + end + + test "sends a new confirmation token", %{conn: conn, platform: platform} do + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm") + + {:ok, conn} = + lv + |> form("#resend_confirmation_form", platform: %{email: platform.email}) + |> render_submit() + |> follow_redirect(conn, ~p"/") + + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ + "If your email is in our system" + + assert Repo.get_by!(Platforms.PlatformToken, platform_id: platform.id).context == "confirm" + end + + test "does not send confirmation token if platform is confirmed", %{conn: conn, platform: platform} do + Repo.update!(Platforms.Platform.confirm_changeset(platform)) + + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm") + + {:ok, conn} = + lv + |> form("#resend_confirmation_form", platform: %{email: platform.email}) + |> render_submit() + |> follow_redirect(conn, ~p"/") + + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ + "If your email is in our system" + + refute Repo.get_by(Platforms.PlatformToken, platform_id: platform.id) + end + + test "does not send confirmation token if email is invalid", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm") + + {:ok, conn} = + lv + |> form("#resend_confirmation_form", platform: %{email: "unknown@example.com"}) + |> render_submit() + |> follow_redirect(conn, ~p"/") + + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ + "If your email is in our system" + + assert Repo.all(Platforms.PlatformToken) == [] + end + end +end diff --git a/services/bright/test/bright_web/live/platform_confirmation_live_test.exs b/services/bright/test/bright_web/live/platform_confirmation_live_test.exs new file mode 100644 index 0000000..f58f27a --- /dev/null +++ b/services/bright/test/bright_web/live/platform_confirmation_live_test.exs @@ -0,0 +1,89 @@ +defmodule BrightWeb.PlatformConfirmationLiveTest do + use BrightWeb.ConnCase, async: true + + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + alias Bright.Platforms + alias Bright.Repo + + setup do + %{platform: platform_fixture()} + end + + describe "Confirm platform" do + test "renders confirmation page", %{conn: conn} do + {:ok, _lv, html} = live(conn, ~p"/platforms/confirm/some-token") + assert html =~ "Confirm Account" + end + + test "confirms the given token once", %{conn: conn, platform: platform} do + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_confirmation_instructions(platform, url) + end) + + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm/#{token}") + + result = + lv + |> form("#confirmation_form") + |> render_submit() + |> follow_redirect(conn, "/") + + assert {:ok, conn} = result + + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ + "Platform confirmed successfully" + + assert Platforms.get_platform!(platform.id).confirmed_at + refute get_session(conn, :platform_token) + assert Repo.all(Platforms.PlatformToken) == [] + + # when not logged in + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm/#{token}") + + result = + lv + |> form("#confirmation_form") + |> render_submit() + |> follow_redirect(conn, "/") + + assert {:ok, conn} = result + + assert Phoenix.Flash.get(conn.assigns.flash, :error) =~ + "Platform confirmation link is invalid or it has expired" + + # when logged in + conn = + build_conn() + |> log_in_platform(platform) + + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm/#{token}") + + result = + lv + |> form("#confirmation_form") + |> render_submit() + |> follow_redirect(conn, "/") + + assert {:ok, conn} = result + refute Phoenix.Flash.get(conn.assigns.flash, :error) + end + + test "does not confirm email with invalid token", %{conn: conn, platform: platform} do + {:ok, lv, _html} = live(conn, ~p"/platforms/confirm/invalid-token") + + {:ok, conn} = + lv + |> form("#confirmation_form") + |> render_submit() + |> follow_redirect(conn, ~p"/") + + assert Phoenix.Flash.get(conn.assigns.flash, :error) =~ + "Platform confirmation link is invalid or it has expired" + + refute Platforms.get_platform!(platform.id).confirmed_at + end + end +end diff --git a/services/bright/test/bright_web/live/platform_forgot_password_live_test.exs b/services/bright/test/bright_web/live/platform_forgot_password_live_test.exs new file mode 100644 index 0000000..bbcb069 --- /dev/null +++ b/services/bright/test/bright_web/live/platform_forgot_password_live_test.exs @@ -0,0 +1,63 @@ +defmodule BrightWeb.PlatformForgotPasswordLiveTest do + use BrightWeb.ConnCase, async: true + + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + alias Bright.Platforms + alias Bright.Repo + + describe "Forgot password page" do + test "renders email page", %{conn: conn} do + {:ok, lv, html} = live(conn, ~p"/platforms/reset_password") + + assert html =~ "Forgot your password?" + assert has_element?(lv, ~s|a[href="#{~p"/platforms/register"}"]|, "Register") + assert has_element?(lv, ~s|a[href="#{~p"/platforms/log_in"}"]|, "Log in") + end + + test "redirects if already logged in", %{conn: conn} do + result = + conn + |> log_in_platform(platform_fixture()) + |> live(~p"/platforms/reset_password") + |> follow_redirect(conn, ~p"/") + + assert {:ok, _conn} = result + end + end + + describe "Reset link" do + setup do + %{platform: platform_fixture()} + end + + test "sends a new reset password token", %{conn: conn, platform: platform} do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password") + + {:ok, conn} = + lv + |> form("#reset_password_form", platform: %{"email" => platform.email}) + |> render_submit() + |> follow_redirect(conn, "/") + + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "If your email is in our system" + + assert Repo.get_by!(Platforms.PlatformToken, platform_id: platform.id).context == + "reset_password" + end + + test "does not send reset password token if email is invalid", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password") + + {:ok, conn} = + lv + |> form("#reset_password_form", platform: %{"email" => "unknown@example.com"}) + |> render_submit() + |> follow_redirect(conn, "/") + + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "If your email is in our system" + assert Repo.all(Platforms.PlatformToken) == [] + end + end +end diff --git a/services/bright/test/bright_web/live/platform_login_live_test.exs b/services/bright/test/bright_web/live/platform_login_live_test.exs new file mode 100644 index 0000000..0aaa7d7 --- /dev/null +++ b/services/bright/test/bright_web/live/platform_login_live_test.exs @@ -0,0 +1,87 @@ +defmodule BrightWeb.PlatformLoginLiveTest do + use BrightWeb.ConnCase, async: true + + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + describe "Log in page" do + test "renders log in page", %{conn: conn} do + {:ok, _lv, html} = live(conn, ~p"/platforms/log_in") + + assert html =~ "Log in" + assert html =~ "Register" + assert html =~ "Forgot your password?" + end + + test "redirects if already logged in", %{conn: conn} do + result = + conn + |> log_in_platform(platform_fixture()) + |> live(~p"/platforms/log_in") + |> follow_redirect(conn, "/") + + assert {:ok, _conn} = result + end + end + + describe "platform login" do + test "redirects if platform login with valid credentials", %{conn: conn} do + password = "123456789abcd" + platform = platform_fixture(%{password: password}) + + {:ok, lv, _html} = live(conn, ~p"/platforms/log_in") + + form = + form(lv, "#login_form", platform: %{email: platform.email, password: password, remember_me: true}) + + conn = submit_form(form, conn) + + assert redirected_to(conn) == ~p"/" + end + + test "redirects to login page with a flash error if there are no valid credentials", %{ + conn: conn + } do + {:ok, lv, _html} = live(conn, ~p"/platforms/log_in") + + form = + form(lv, "#login_form", + platform: %{email: "test@email.com", password: "123456", remember_me: true} + ) + + conn = submit_form(form, conn) + + assert Phoenix.Flash.get(conn.assigns.flash, :error) == "Invalid email or password" + + assert redirected_to(conn) == "/platforms/log_in" + end + end + + describe "login navigation" do + test "redirects to registration page when the Register button is clicked", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/log_in") + + {:ok, _login_live, login_html} = + lv + |> element(~s|main a:fl-contains("Sign up")|) + |> render_click() + |> follow_redirect(conn, ~p"/platforms/register") + + assert login_html =~ "Register" + end + + test "redirects to forgot password page when the Forgot Password button is clicked", %{ + conn: conn + } do + {:ok, lv, _html} = live(conn, ~p"/platforms/log_in") + + {:ok, conn} = + lv + |> element(~s|main a:fl-contains("Forgot your password?")|) + |> render_click() + |> follow_redirect(conn, ~p"/platforms/reset_password") + + assert conn.resp_body =~ "Forgot your password?" + end + end +end diff --git a/services/bright/test/bright_web/live/platform_registration_live_test.exs b/services/bright/test/bright_web/live/platform_registration_live_test.exs new file mode 100644 index 0000000..9a6e82c --- /dev/null +++ b/services/bright/test/bright_web/live/platform_registration_live_test.exs @@ -0,0 +1,87 @@ +defmodule BrightWeb.PlatformRegistrationLiveTest do + use BrightWeb.ConnCase, async: true + + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + describe "Registration page" do + test "renders registration page", %{conn: conn} do + {:ok, _lv, html} = live(conn, ~p"/platforms/register") + + assert html =~ "Register" + assert html =~ "Log in" + end + + test "redirects if already logged in", %{conn: conn} do + result = + conn + |> log_in_platform(platform_fixture()) + |> live(~p"/platforms/register") + |> follow_redirect(conn, "/") + + assert {:ok, _conn} = result + end + + test "renders errors for invalid data", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/register") + + result = + lv + |> element("#registration_form") + |> render_change(platform: %{"email" => "with spaces", "password" => "too short"}) + + assert result =~ "Register" + assert result =~ "must have the @ sign and no spaces" + assert result =~ "should be at least 12 character" + end + end + + describe "register platform" do + test "creates account and logs the platform in", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/register") + + email = unique_platform_email() + form = form(lv, "#registration_form", platform: valid_platform_attributes(email: email)) + render_submit(form) + conn = follow_trigger_action(form, conn) + + assert redirected_to(conn) == ~p"/" + + # Now do a logged in request and assert on the menu + conn = get(conn, "/") + response = html_response(conn, 200) + assert response =~ email + assert response =~ "Settings" + assert response =~ "Log out" + end + + test "renders errors for duplicated email", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/register") + + platform = platform_fixture(%{email: "test@email.com"}) + + result = + lv + |> form("#registration_form", + platform: %{"email" => platform.email, "password" => "valid_password"} + ) + |> render_submit() + + assert result =~ "has already been taken" + end + end + + describe "registration navigation" do + test "redirects to login page when the Log in button is clicked", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/register") + + {:ok, _login_live, login_html} = + lv + |> element(~s|main a:fl-contains("Log in")|) + |> render_click() + |> follow_redirect(conn, ~p"/platforms/log_in") + + assert login_html =~ "Log in" + end + end +end diff --git a/services/bright/test/bright_web/live/platform_reset_password_live_test.exs b/services/bright/test/bright_web/live/platform_reset_password_live_test.exs new file mode 100644 index 0000000..f10ea66 --- /dev/null +++ b/services/bright/test/bright_web/live/platform_reset_password_live_test.exs @@ -0,0 +1,118 @@ +defmodule BrightWeb.PlatformResetPasswordLiveTest do + use BrightWeb.ConnCase, async: true + + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + alias Bright.Platforms + + setup do + platform = platform_fixture() + + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_reset_password_instructions(platform, url) + end) + + %{token: token, platform: platform} + end + + describe "Reset password page" do + test "renders reset password with valid token", %{conn: conn, token: token} do + {:ok, _lv, html} = live(conn, ~p"/platforms/reset_password/#{token}") + + assert html =~ "Reset Password" + end + + test "does not render reset password with invalid token", %{conn: conn} do + {:error, {:redirect, to}} = live(conn, ~p"/platforms/reset_password/invalid") + + assert to == %{ + flash: %{"error" => "Reset password link is invalid or it has expired."}, + to: ~p"/" + } + end + + test "renders errors for invalid data", %{conn: conn, token: token} do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password/#{token}") + + result = + lv + |> element("#reset_password_form") + |> render_change( + platform: %{"password" => "secret12", "password_confirmation" => "secret123456"} + ) + + assert result =~ "should be at least 12 character" + assert result =~ "does not match password" + end + end + + describe "Reset Password" do + test "resets password once", %{conn: conn, token: token, platform: platform} do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password/#{token}") + + {:ok, conn} = + lv + |> form("#reset_password_form", + platform: %{ + "password" => "new valid password", + "password_confirmation" => "new valid password" + } + ) + |> render_submit() + |> follow_redirect(conn, ~p"/platforms/log_in") + + refute get_session(conn, :platform_token) + assert Phoenix.Flash.get(conn.assigns.flash, :info) =~ "Password reset successfully" + assert Platforms.get_platform_by_email_and_password(platform.email, "new valid password") + end + + test "does not reset password on invalid data", %{conn: conn, token: token} do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password/#{token}") + + result = + lv + |> form("#reset_password_form", + platform: %{ + "password" => "too short", + "password_confirmation" => "does not match" + } + ) + |> render_submit() + + assert result =~ "Reset Password" + assert result =~ "should be at least 12 character(s)" + assert result =~ "does not match password" + end + end + + describe "Reset password navigation" do + test "redirects to login page when the Log in button is clicked", %{conn: conn, token: token} do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password/#{token}") + + {:ok, conn} = + lv + |> element(~s|main a:fl-contains("Log in")|) + |> render_click() + |> follow_redirect(conn, ~p"/platforms/log_in") + + assert conn.resp_body =~ "Log in" + end + + test "redirects to registration page when the Register button is clicked", %{ + conn: conn, + token: token + } do + {:ok, lv, _html} = live(conn, ~p"/platforms/reset_password/#{token}") + + {:ok, conn} = + lv + |> element(~s|main a:fl-contains("Register")|) + |> render_click() + |> follow_redirect(conn, ~p"/platforms/register") + + assert conn.resp_body =~ "Register" + end + end +end diff --git a/services/bright/test/bright_web/live/platform_settings_live_test.exs b/services/bright/test/bright_web/live/platform_settings_live_test.exs new file mode 100644 index 0000000..d7e7853 --- /dev/null +++ b/services/bright/test/bright_web/live/platform_settings_live_test.exs @@ -0,0 +1,210 @@ +defmodule BrightWeb.PlatformSettingsLiveTest do + use BrightWeb.ConnCase, async: true + + alias Bright.Platforms + import Phoenix.LiveViewTest + import Bright.PlatformsFixtures + + describe "Settings page" do + test "renders settings page", %{conn: conn} do + {:ok, _lv, html} = + conn + |> log_in_platform(platform_fixture()) + |> live(~p"/platforms/settings") + + assert html =~ "Change Email" + assert html =~ "Change Password" + end + + test "redirects if platform is not logged in", %{conn: conn} do + assert {:error, redirect} = live(conn, ~p"/platforms/settings") + + assert {:redirect, %{to: path, flash: flash}} = redirect + assert path == ~p"/platforms/log_in" + assert %{"error" => "You must log in to access this page."} = flash + end + end + + describe "update email form" do + setup %{conn: conn} do + password = valid_platform_password() + platform = platform_fixture(%{password: password}) + %{conn: log_in_platform(conn, platform), platform: platform, password: password} + end + + test "updates the platform email", %{conn: conn, password: password, platform: platform} do + new_email = unique_platform_email() + + {:ok, lv, _html} = live(conn, ~p"/platforms/settings") + + result = + lv + |> form("#email_form", %{ + "current_password" => password, + "platform" => %{"email" => new_email} + }) + |> render_submit() + + assert result =~ "A link to confirm your email" + assert Platforms.get_platform_by_email(platform.email) + end + + test "renders errors with invalid data (phx-change)", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/settings") + + result = + lv + |> element("#email_form") + |> render_change(%{ + "action" => "update_email", + "current_password" => "invalid", + "platform" => %{"email" => "with spaces"} + }) + + assert result =~ "Change Email" + assert result =~ "must have the @ sign and no spaces" + end + + test "renders errors with invalid data (phx-submit)", %{conn: conn, platform: platform} do + {:ok, lv, _html} = live(conn, ~p"/platforms/settings") + + result = + lv + |> form("#email_form", %{ + "current_password" => "invalid", + "platform" => %{"email" => platform.email} + }) + |> render_submit() + + assert result =~ "Change Email" + assert result =~ "did not change" + assert result =~ "is not valid" + end + end + + describe "update password form" do + setup %{conn: conn} do + password = valid_platform_password() + platform = platform_fixture(%{password: password}) + %{conn: log_in_platform(conn, platform), platform: platform, password: password} + end + + test "updates the platform password", %{conn: conn, platform: platform, password: password} do + new_password = valid_platform_password() + + {:ok, lv, _html} = live(conn, ~p"/platforms/settings") + + form = + form(lv, "#password_form", %{ + "current_password" => password, + "platform" => %{ + "email" => platform.email, + "password" => new_password, + "password_confirmation" => new_password + } + }) + + render_submit(form) + + new_password_conn = follow_trigger_action(form, conn) + + assert redirected_to(new_password_conn) == ~p"/platforms/settings" + + assert get_session(new_password_conn, :platform_token) != get_session(conn, :platform_token) + + assert Phoenix.Flash.get(new_password_conn.assigns.flash, :info) =~ + "Password updated successfully" + + assert Platforms.get_platform_by_email_and_password(platform.email, new_password) + end + + test "renders errors with invalid data (phx-change)", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/settings") + + result = + lv + |> element("#password_form") + |> render_change(%{ + "current_password" => "invalid", + "platform" => %{ + "password" => "too short", + "password_confirmation" => "does not match" + } + }) + + assert result =~ "Change Password" + assert result =~ "should be at least 12 character(s)" + assert result =~ "does not match password" + end + + test "renders errors with invalid data (phx-submit)", %{conn: conn} do + {:ok, lv, _html} = live(conn, ~p"/platforms/settings") + + result = + lv + |> form("#password_form", %{ + "current_password" => "invalid", + "platform" => %{ + "password" => "too short", + "password_confirmation" => "does not match" + } + }) + |> render_submit() + + assert result =~ "Change Password" + assert result =~ "should be at least 12 character(s)" + assert result =~ "does not match password" + assert result =~ "is not valid" + end + end + + describe "confirm email" do + setup %{conn: conn} do + platform = platform_fixture() + email = unique_platform_email() + + token = + extract_platform_token(fn url -> + Platforms.deliver_platform_update_email_instructions(%{platform | email: email}, platform.email, url) + end) + + %{conn: log_in_platform(conn, platform), token: token, email: email, platform: platform} + end + + test "updates the platform email once", %{conn: conn, platform: platform, token: token, email: email} do + {:error, redirect} = live(conn, ~p"/platforms/settings/confirm_email/#{token}") + + assert {:live_redirect, %{to: path, flash: flash}} = redirect + assert path == ~p"/platforms/settings" + assert %{"info" => message} = flash + assert message == "Email changed successfully." + refute Platforms.get_platform_by_email(platform.email) + assert Platforms.get_platform_by_email(email) + + # use confirm token again + {:error, redirect} = live(conn, ~p"/platforms/settings/confirm_email/#{token}") + assert {:live_redirect, %{to: path, flash: flash}} = redirect + assert path == ~p"/platforms/settings" + assert %{"error" => message} = flash + assert message == "Email change link is invalid or it has expired." + end + + test "does not update email with invalid token", %{conn: conn, platform: platform} do + {:error, redirect} = live(conn, ~p"/platforms/settings/confirm_email/oops") + assert {:live_redirect, %{to: path, flash: flash}} = redirect + assert path == ~p"/platforms/settings" + assert %{"error" => message} = flash + assert message == "Email change link is invalid or it has expired." + assert Platforms.get_platform_by_email(platform.email) + end + + test "redirects if platform is not logged in", %{token: token} do + conn = build_conn() + {:error, redirect} = live(conn, ~p"/platforms/settings/confirm_email/#{token}") + assert {:redirect, %{to: path, flash: flash}} = redirect + assert path == ~p"/platforms/log_in" + assert %{"error" => message} = flash + assert message == "You must log in to access this page." + end + end +end diff --git a/services/bright/test/bright_web/platform_auth_test.exs b/services/bright/test/bright_web/platform_auth_test.exs new file mode 100644 index 0000000..d041a63 --- /dev/null +++ b/services/bright/test/bright_web/platform_auth_test.exs @@ -0,0 +1,272 @@ +defmodule BrightWeb.PlatformAuthTest do + use BrightWeb.ConnCase, async: true + + alias Phoenix.LiveView + alias Bright.Platforms + alias BrightWeb.PlatformAuth + import Bright.PlatformsFixtures + + @remember_me_cookie "_bright_web_platform_remember_me" + + setup %{conn: conn} do + conn = + conn + |> Map.replace!(:secret_key_base, BrightWeb.Endpoint.config(:secret_key_base)) + |> init_test_session(%{}) + + %{platform: platform_fixture(), conn: conn} + end + + describe "log_in_platform/3" do + test "stores the platform token in the session", %{conn: conn, platform: platform} do + conn = PlatformAuth.log_in_platform(conn, platform) + assert token = get_session(conn, :platform_token) + assert get_session(conn, :live_socket_id) == "platforms_sessions:#{Base.url_encode64(token)}" + assert redirected_to(conn) == ~p"/" + assert Platforms.get_platform_by_session_token(token) + end + + test "clears everything previously stored in the session", %{conn: conn, platform: platform} do + conn = conn |> put_session(:to_be_removed, "value") |> PlatformAuth.log_in_platform(platform) + refute get_session(conn, :to_be_removed) + end + + test "redirects to the configured path", %{conn: conn, platform: platform} do + conn = conn |> put_session(:platform_return_to, "/hello") |> PlatformAuth.log_in_platform(platform) + assert redirected_to(conn) == "/hello" + end + + test "writes a cookie if remember_me is configured", %{conn: conn, platform: platform} do + conn = conn |> fetch_cookies() |> PlatformAuth.log_in_platform(platform, %{"remember_me" => "true"}) + assert get_session(conn, :platform_token) == conn.cookies[@remember_me_cookie] + + assert %{value: signed_token, max_age: max_age} = conn.resp_cookies[@remember_me_cookie] + assert signed_token != get_session(conn, :platform_token) + assert max_age == 5_184_000 + end + end + + describe "logout_platform/1" do + test "erases session and cookies", %{conn: conn, platform: platform} do + platform_token = Platforms.generate_platform_session_token(platform) + + conn = + conn + |> put_session(:platform_token, platform_token) + |> put_req_cookie(@remember_me_cookie, platform_token) + |> fetch_cookies() + |> PlatformAuth.log_out_platform() + + refute get_session(conn, :platform_token) + refute conn.cookies[@remember_me_cookie] + assert %{max_age: 0} = conn.resp_cookies[@remember_me_cookie] + assert redirected_to(conn) == ~p"/" + refute Platforms.get_platform_by_session_token(platform_token) + end + + test "broadcasts to the given live_socket_id", %{conn: conn} do + live_socket_id = "platforms_sessions:abcdef-token" + BrightWeb.Endpoint.subscribe(live_socket_id) + + conn + |> put_session(:live_socket_id, live_socket_id) + |> PlatformAuth.log_out_platform() + + assert_receive %Phoenix.Socket.Broadcast{event: "disconnect", topic: ^live_socket_id} + end + + test "works even if platform is already logged out", %{conn: conn} do + conn = conn |> fetch_cookies() |> PlatformAuth.log_out_platform() + refute get_session(conn, :platform_token) + assert %{max_age: 0} = conn.resp_cookies[@remember_me_cookie] + assert redirected_to(conn) == ~p"/" + end + end + + describe "fetch_current_platform/2" do + test "authenticates platform from session", %{conn: conn, platform: platform} do + platform_token = Platforms.generate_platform_session_token(platform) + conn = conn |> put_session(:platform_token, platform_token) |> PlatformAuth.fetch_current_platform([]) + assert conn.assigns.current_platform.id == platform.id + end + + test "authenticates platform from cookies", %{conn: conn, platform: platform} do + logged_in_conn = + conn |> fetch_cookies() |> PlatformAuth.log_in_platform(platform, %{"remember_me" => "true"}) + + platform_token = logged_in_conn.cookies[@remember_me_cookie] + %{value: signed_token} = logged_in_conn.resp_cookies[@remember_me_cookie] + + conn = + conn + |> put_req_cookie(@remember_me_cookie, signed_token) + |> PlatformAuth.fetch_current_platform([]) + + assert conn.assigns.current_platform.id == platform.id + assert get_session(conn, :platform_token) == platform_token + + assert get_session(conn, :live_socket_id) == + "platforms_sessions:#{Base.url_encode64(platform_token)}" + end + + test "does not authenticate if data is missing", %{conn: conn, platform: platform} do + _ = Platforms.generate_platform_session_token(platform) + conn = PlatformAuth.fetch_current_platform(conn, []) + refute get_session(conn, :platform_token) + refute conn.assigns.current_platform + end + end + + describe "on_mount :mount_current_platform" do + test "assigns current_platform based on a valid platform_token", %{conn: conn, platform: platform} do + platform_token = Platforms.generate_platform_session_token(platform) + session = conn |> put_session(:platform_token, platform_token) |> get_session() + + {:cont, updated_socket} = + PlatformAuth.on_mount(:mount_current_platform, %{}, session, %LiveView.Socket{}) + + assert updated_socket.assigns.current_platform.id == platform.id + end + + test "assigns nil to current_platform assign if there isn't a valid platform_token", %{conn: conn} do + platform_token = "invalid_token" + session = conn |> put_session(:platform_token, platform_token) |> get_session() + + {:cont, updated_socket} = + PlatformAuth.on_mount(:mount_current_platform, %{}, session, %LiveView.Socket{}) + + assert updated_socket.assigns.current_platform == nil + end + + test "assigns nil to current_platform assign if there isn't a platform_token", %{conn: conn} do + session = conn |> get_session() + + {:cont, updated_socket} = + PlatformAuth.on_mount(:mount_current_platform, %{}, session, %LiveView.Socket{}) + + assert updated_socket.assigns.current_platform == nil + end + end + + describe "on_mount :ensure_authenticated" do + test "authenticates current_platform based on a valid platform_token", %{conn: conn, platform: platform} do + platform_token = Platforms.generate_platform_session_token(platform) + session = conn |> put_session(:platform_token, platform_token) |> get_session() + + {:cont, updated_socket} = + PlatformAuth.on_mount(:ensure_authenticated, %{}, session, %LiveView.Socket{}) + + assert updated_socket.assigns.current_platform.id == platform.id + end + + test "redirects to login page if there isn't a valid platform_token", %{conn: conn} do + platform_token = "invalid_token" + session = conn |> put_session(:platform_token, platform_token) |> get_session() + + socket = %LiveView.Socket{ + endpoint: BrightWeb.Endpoint, + assigns: %{__changed__: %{}, flash: %{}} + } + + {:halt, updated_socket} = PlatformAuth.on_mount(:ensure_authenticated, %{}, session, socket) + assert updated_socket.assigns.current_platform == nil + end + + test "redirects to login page if there isn't a platform_token", %{conn: conn} do + session = conn |> get_session() + + socket = %LiveView.Socket{ + endpoint: BrightWeb.Endpoint, + assigns: %{__changed__: %{}, flash: %{}} + } + + {:halt, updated_socket} = PlatformAuth.on_mount(:ensure_authenticated, %{}, session, socket) + assert updated_socket.assigns.current_platform == nil + end + end + + describe "on_mount :redirect_if_platform_is_authenticated" do + test "redirects if there is an authenticated platform ", %{conn: conn, platform: platform} do + platform_token = Platforms.generate_platform_session_token(platform) + session = conn |> put_session(:platform_token, platform_token) |> get_session() + + assert {:halt, _updated_socket} = + PlatformAuth.on_mount( + :redirect_if_platform_is_authenticated, + %{}, + session, + %LiveView.Socket{} + ) + end + + test "doesn't redirect if there is no authenticated platform", %{conn: conn} do + session = conn |> get_session() + + assert {:cont, _updated_socket} = + PlatformAuth.on_mount( + :redirect_if_platform_is_authenticated, + %{}, + session, + %LiveView.Socket{} + ) + end + end + + describe "redirect_if_platform_is_authenticated/2" do + test "redirects if platform is authenticated", %{conn: conn, platform: platform} do + conn = conn |> assign(:current_platform, platform) |> PlatformAuth.redirect_if_platform_is_authenticated([]) + assert conn.halted + assert redirected_to(conn) == ~p"/" + end + + test "does not redirect if platform is not authenticated", %{conn: conn} do + conn = PlatformAuth.redirect_if_platform_is_authenticated(conn, []) + refute conn.halted + refute conn.status + end + end + + describe "require_authenticated_platform/2" do + test "redirects if platform is not authenticated", %{conn: conn} do + conn = conn |> fetch_flash() |> PlatformAuth.require_authenticated_platform([]) + assert conn.halted + + assert redirected_to(conn) == ~p"/platforms/log_in" + + assert Phoenix.Flash.get(conn.assigns.flash, :error) == + "You must log in to access this page." + end + + test "stores the path to redirect to on GET", %{conn: conn} do + halted_conn = + %{conn | path_info: ["foo"], query_string: ""} + |> fetch_flash() + |> PlatformAuth.require_authenticated_platform([]) + + assert halted_conn.halted + assert get_session(halted_conn, :platform_return_to) == "/foo" + + halted_conn = + %{conn | path_info: ["foo"], query_string: "bar=baz"} + |> fetch_flash() + |> PlatformAuth.require_authenticated_platform([]) + + assert halted_conn.halted + assert get_session(halted_conn, :platform_return_to) == "/foo?bar=baz" + + halted_conn = + %{conn | path_info: ["foo"], query_string: "bar", method: "POST"} + |> fetch_flash() + |> PlatformAuth.require_authenticated_platform([]) + + assert halted_conn.halted + refute get_session(halted_conn, :platform_return_to) + end + + test "does not redirect if platform is authenticated", %{conn: conn, platform: platform} do + conn = conn |> assign(:current_platform, platform) |> PlatformAuth.require_authenticated_platform([]) + refute conn.halted + refute conn.status + end + end +end diff --git a/services/bright/test/support/conn_case.ex b/services/bright/test/support/conn_case.ex index ea00949..3c85964 100644 --- a/services/bright/test/support/conn_case.ex +++ b/services/bright/test/support/conn_case.ex @@ -35,4 +35,30 @@ defmodule BrightWeb.ConnCase do Bright.DataCase.setup_sandbox(tags) {:ok, conn: Phoenix.ConnTest.build_conn()} end + + @doc """ + Setup helper that registers and logs in platforms. + + setup :register_and_log_in_platform + + It stores an updated connection and a registered platform in the + test context. + """ + def register_and_log_in_platform(%{conn: conn}) do + platform = Bright.PlatformsFixtures.platform_fixture() + %{conn: log_in_platform(conn, platform), platform: platform} + end + + @doc """ + Logs the given `platform` into the `conn`. + + It returns an updated `conn`. + """ + def log_in_platform(conn, platform) do + token = Bright.Platforms.generate_platform_session_token(platform) + + conn + |> Phoenix.ConnTest.init_test_session(%{}) + |> Plug.Conn.put_session(:platform_token, token) + end end diff --git a/services/bright/test/support/fixtures/platforms_fixtures.ex b/services/bright/test/support/fixtures/platforms_fixtures.ex index 461fb78..301cf7a 100644 --- a/services/bright/test/support/fixtures/platforms_fixtures.ex +++ b/services/bright/test/support/fixtures/platforms_fixtures.ex @@ -4,20 +4,6 @@ defmodule Bright.PlatformsFixtures do entities via the `Bright.Platforms` context. """ - @doc """ - Generate a platform. - """ - def platform_fixture(attrs \\ %{}) do - {:ok, platform} = - attrs - |> Enum.into(%{ - - }) - |> Bright.Platforms.create_platform() - - platform - end - @doc """ Generate a platform. """ @@ -33,4 +19,29 @@ defmodule Bright.PlatformsFixtures do platform end + + def unique_platform_email, do: "platform#{System.unique_integer()}@example.com" + def valid_platform_password, do: "hello world!" + + def valid_platform_attributes(attrs \\ %{}) do + Enum.into(attrs, %{ + email: unique_platform_email(), + password: valid_platform_password() + }) + end + + def platform_fixture(attrs \\ %{}) do + {:ok, platform} = + attrs + |> valid_platform_attributes() + |> Bright.Platforms.register_platform() + + platform + end + + def extract_platform_token(fun) do + {:ok, captured_email} = fun.(&"[TOKEN]#{&1}[TOKEN]") + [_, token | _] = String.split(captured_email.text_body, "[TOKEN]") + token + end end diff --git a/services/bright/test/support/fixtures/tags_fixtures.ex b/services/bright/test/support/fixtures/tags_fixtures.ex index 24cbf24..c942580 100644 --- a/services/bright/test/support/fixtures/tags_fixtures.ex +++ b/services/bright/test/support/fixtures/tags_fixtures.ex @@ -4,19 +4,6 @@ defmodule Bright.TagsFixtures do entities via the `Bright.Tags` context. """ - @doc """ - Generate a tag. - """ - def tag_fixture(attrs \\ %{}) do - {:ok, tag} = - attrs - |> Enum.into(%{ - name: "some name" - }) - |> Bright.Tags.create_tag() - - tag - end @doc """ Generate a unique tag name. diff --git a/services/bright/test/support/fixtures/vtubers_fixtures.ex b/services/bright/test/support/fixtures/vtubers_fixtures.ex index 38f5173..4caed1f 100644 --- a/services/bright/test/support/fixtures/vtubers_fixtures.ex +++ b/services/bright/test/support/fixtures/vtubers_fixtures.ex @@ -43,17 +43,4 @@ defmodule Bright.VtubersFixtures do vtuber end - @doc """ - Generate a vtuber. - """ - def vtuber_fixture(attrs \\ %{}) do - {:ok, vtuber} = - attrs - |> Enum.into(%{ - - }) - |> Bright.Vtubers.create_vtuber() - - vtuber - end end diff --git a/services/bright/test/support/mox.ex b/services/bright/test/support/mox.ex new file mode 100644 index 0000000..734e273 --- /dev/null +++ b/services/bright/test/support/mox.ex @@ -0,0 +1 @@ +Mox.defmock(ApiClientBehaviourMock, for: Bright.Superstreamer.ApiClientBehaviour) diff --git a/services/factory/package.json b/services/factory/package.json index b6c360e..8a3c195 100644 --- a/services/factory/package.json +++ b/services/factory/package.json @@ -8,7 +8,7 @@ "test": "mocha", "dev": "pnpm run dev.nodemon # yes this is crazy to have nodemon execute tsx, but it's the only way I have found to get live reloading in TS/ESM/docker with Graphile Worker's way of loading tasks", "dev.tsx": "tsx ./src/index.ts", - "dev.nodemon": "nodemon --exitcrash --ext ts --exec \"pnpm run dev.tsx\"", + "dev.nodemon": "nodemon --verbose --exitcrash --ext ts --exec \"pnpm run dev.tsx\"", "dev.node": "node --no-warnings=ExperimentalWarning --loader ts-node/esm src/index.ts" }, "keywords": [ diff --git a/services/htmx/README.md b/services/htmx/README.md deleted file mode 100644 index 227b042..0000000 --- a/services/htmx/README.md +++ /dev/null @@ -1,15 +0,0 @@ -# bright.futureporn.net - -An htmx experiment. The goal here is to see if htmx can improve Futureporn performance. - -## Design requirements - -* [ ] performant -* [ ] serve FP video -* [ ] optimize for humans -* [ ] [HATEOAS](https://intercoolerjs.org/2016/05/08/hatoeas-is-for-humans.html) -* [ ] auth via supertokens - -## Based on - -[htmx-ts-starter-kit](https://github.com/claudioc/fastify-htmx-ts-starter-kit/tree/main) \ No newline at end of file diff --git a/services/htmx/app/vods/index.ts b/services/htmx/app/vods/index.ts deleted file mode 100644 index 9c4a39a..0000000 --- a/services/htmx/app/vods/index.ts +++ /dev/null @@ -1,26 +0,0 @@ - - -fastify.route({ - method: 'GET', - url: '/', - schema: { - querystring: { - type: 'object', - properties: { - name: { type: 'string' }, - excitement: { type: 'integer' } - } - }, - response: { - 200: { - type: 'object', - properties: { - hello: { type: 'string' } - } - } - } - }, - handler: function (request, reply) { - reply.send({ hello: 'world' }) - } -}) \ No newline at end of file diff --git a/services/htmx/app/vods/view.njk b/services/htmx/app/vods/view.njk deleted file mode 100644 index e69de29..0000000 diff --git a/services/htmx/config.ts b/services/htmx/config.ts deleted file mode 100644 index 5c0a0af..0000000 --- a/services/htmx/config.ts +++ /dev/null @@ -1,20 +0,0 @@ -const requiredEnvVars = [ - 'PORT' -] as const; - -const getEnvVar = (key: typeof requiredEnvVars[number]): string => { - const value = process.env[key]; - if (!value) { - throw new Error(`Missing ${key} env var`); - } - return value; -}; - -export interface Config { - port: number; -} - -export const configs: Config = { - port: parseInt(getEnvVar('PORT')) -} - diff --git a/services/htmx/index.ts b/services/htmx/index.ts deleted file mode 100644 index f149f89..0000000 --- a/services/htmx/index.ts +++ /dev/null @@ -1,21 +0,0 @@ -import { configs } from './config.ts' -import Fastify from 'fastify' - -const fastify = Fastify({ - logger: true -}) - - -// Declare a route -fastify.get('/', function (request, reply) { - reply.send({ hello: 'world' }) -}) - -// Run the server! -fastify.listen({ port: configs.port }, function (err, address) { - if (err) { - fastify.log.error(err) - process.exit(1) - } - // Server is now listening on ${address} -}) \ No newline at end of file diff --git a/services/htmx/package.json b/services/htmx/package.json deleted file mode 100644 index 45536a5..0000000 --- a/services/htmx/package.json +++ /dev/null @@ -1,23 +0,0 @@ -{ - "name": "htmx", - "version": "1.0.0", - "description": "", - "main": "index.js", - "scripts": { - "test": "echo \"Error: no test specified\" && exit 1", - "start": "node index.ts", - "dev": "pnpm run dev.nodemon # yes this is crazy to have nodemon execute tsx, but it's the only way I have found to get live reloading in TS/ESM/docker with Graphile Worker's way of loading tasks", - "dev.nodemon": "nodemon --ext ts --exec \"pnpm run dev.tsx\"", - "dev.tsx": "tsx ./app/index.ts" - }, - "keywords": [], - "author": "", - "license": "Unlicense", - "dependencies": { - "fastify": "^4.28.1" - }, - "devDependencies": { - "nodemon": "^3.1.4", - "tsx": "^4.19.0" - } -} diff --git a/services/htmx/pnpm-lock.yaml b/services/htmx/pnpm-lock.yaml deleted file mode 100644 index 7629935..0000000 --- a/services/htmx/pnpm-lock.yaml +++ /dev/null @@ -1,876 +0,0 @@ -lockfileVersion: '9.0' - -settings: - autoInstallPeers: true - excludeLinksFromLockfile: false - -importers: - - .: - dependencies: - fastify: - specifier: ^4.28.1 - version: 4.28.1 - devDependencies: - nodemon: - specifier: ^3.1.4 - version: 3.1.7 - tsx: - specifier: ^4.19.0 - version: 4.19.2 - -packages: - - '@esbuild/aix-ppc64@0.23.1': - resolution: {integrity: sha512-6VhYk1diRqrhBAqpJEdjASR/+WVRtfjpqKuNw11cLiaWpAT/Uu+nokB+UJnevzy/P9C/ty6AOe0dwueMrGh/iQ==} - engines: {node: '>=18'} - cpu: [ppc64] - os: [aix] - - '@esbuild/android-arm64@0.23.1': - resolution: {integrity: sha512-xw50ipykXcLstLeWH7WRdQuysJqejuAGPd30vd1i5zSyKK3WE+ijzHmLKxdiCMtH1pHz78rOg0BKSYOSB/2Khw==} - engines: {node: '>=18'} - cpu: [arm64] - os: [android] - - '@esbuild/android-arm@0.23.1': - resolution: {integrity: sha512-uz6/tEy2IFm9RYOyvKl88zdzZfwEfKZmnX9Cj1BHjeSGNuGLuMD1kR8y5bteYmwqKm1tj8m4cb/aKEorr6fHWQ==} - engines: {node: '>=18'} - cpu: [arm] - os: [android] - - '@esbuild/android-x64@0.23.1': - resolution: {integrity: sha512-nlN9B69St9BwUoB+jkyU090bru8L0NA3yFvAd7k8dNsVH8bi9a8cUAUSEcEEgTp2z3dbEDGJGfP6VUnkQnlReg==} - engines: {node: '>=18'} - cpu: [x64] - os: [android] - - '@esbuild/darwin-arm64@0.23.1': - resolution: {integrity: sha512-YsS2e3Wtgnw7Wq53XXBLcV6JhRsEq8hkfg91ESVadIrzr9wO6jJDMZnCQbHm1Guc5t/CdDiFSSfWP58FNuvT3Q==} - engines: {node: '>=18'} - cpu: [arm64] - os: [darwin] - - '@esbuild/darwin-x64@0.23.1': - resolution: {integrity: sha512-aClqdgTDVPSEGgoCS8QDG37Gu8yc9lTHNAQlsztQ6ENetKEO//b8y31MMu2ZaPbn4kVsIABzVLXYLhCGekGDqw==} - engines: {node: '>=18'} - cpu: [x64] - os: [darwin] - - '@esbuild/freebsd-arm64@0.23.1': - resolution: {integrity: sha512-h1k6yS8/pN/NHlMl5+v4XPfikhJulk4G+tKGFIOwURBSFzE8bixw1ebjluLOjfwtLqY0kewfjLSrO6tN2MgIhA==} - engines: {node: '>=18'} - cpu: [arm64] - os: [freebsd] - - '@esbuild/freebsd-x64@0.23.1': - resolution: {integrity: sha512-lK1eJeyk1ZX8UklqFd/3A60UuZ/6UVfGT2LuGo3Wp4/z7eRTRYY+0xOu2kpClP+vMTi9wKOfXi2vjUpO1Ro76g==} - engines: {node: '>=18'} - cpu: [x64] - os: [freebsd] - - '@esbuild/linux-arm64@0.23.1': - resolution: {integrity: sha512-/93bf2yxencYDnItMYV/v116zff6UyTjo4EtEQjUBeGiVpMmffDNUyD9UN2zV+V3LRV3/on4xdZ26NKzn6754g==} - engines: {node: '>=18'} - cpu: [arm64] - os: [linux] - - '@esbuild/linux-arm@0.23.1': - resolution: {integrity: sha512-CXXkzgn+dXAPs3WBwE+Kvnrf4WECwBdfjfeYHpMeVxWE0EceB6vhWGShs6wi0IYEqMSIzdOF1XjQ/Mkm5d7ZdQ==} - engines: {node: '>=18'} - cpu: [arm] - os: [linux] - - '@esbuild/linux-ia32@0.23.1': - resolution: {integrity: sha512-VTN4EuOHwXEkXzX5nTvVY4s7E/Krz7COC8xkftbbKRYAl96vPiUssGkeMELQMOnLOJ8k3BY1+ZY52tttZnHcXQ==} - engines: {node: '>=18'} - cpu: [ia32] - os: [linux] - - '@esbuild/linux-loong64@0.23.1': - resolution: {integrity: sha512-Vx09LzEoBa5zDnieH8LSMRToj7ir/Jeq0Gu6qJ/1GcBq9GkfoEAoXvLiW1U9J1qE/Y/Oyaq33w5p2ZWrNNHNEw==} - engines: {node: '>=18'} - cpu: [loong64] - os: [linux] - - '@esbuild/linux-mips64el@0.23.1': - resolution: {integrity: sha512-nrFzzMQ7W4WRLNUOU5dlWAqa6yVeI0P78WKGUo7lg2HShq/yx+UYkeNSE0SSfSure0SqgnsxPvmAUu/vu0E+3Q==} - engines: {node: '>=18'} - cpu: [mips64el] - os: [linux] - - '@esbuild/linux-ppc64@0.23.1': - resolution: {integrity: sha512-dKN8fgVqd0vUIjxuJI6P/9SSSe/mB9rvA98CSH2sJnlZ/OCZWO1DJvxj8jvKTfYUdGfcq2dDxoKaC6bHuTlgcw==} - engines: {node: '>=18'} - cpu: [ppc64] - os: [linux] - - '@esbuild/linux-riscv64@0.23.1': - resolution: {integrity: sha512-5AV4Pzp80fhHL83JM6LoA6pTQVWgB1HovMBsLQ9OZWLDqVY8MVobBXNSmAJi//Csh6tcY7e7Lny2Hg1tElMjIA==} - engines: {node: '>=18'} - cpu: [riscv64] - os: [linux] - - '@esbuild/linux-s390x@0.23.1': - resolution: {integrity: sha512-9ygs73tuFCe6f6m/Tb+9LtYxWR4c9yg7zjt2cYkjDbDpV/xVn+68cQxMXCjUpYwEkze2RcU/rMnfIXNRFmSoDw==} - engines: {node: '>=18'} - cpu: [s390x] - os: [linux] - - '@esbuild/linux-x64@0.23.1': - resolution: {integrity: sha512-EV6+ovTsEXCPAp58g2dD68LxoP/wK5pRvgy0J/HxPGB009omFPv3Yet0HiaqvrIrgPTBuC6wCH1LTOY91EO5hQ==} - engines: {node: '>=18'} - cpu: [x64] - os: [linux] - - '@esbuild/netbsd-x64@0.23.1': - resolution: {integrity: sha512-aevEkCNu7KlPRpYLjwmdcuNz6bDFiE7Z8XC4CPqExjTvrHugh28QzUXVOZtiYghciKUacNktqxdpymplil1beA==} - engines: {node: '>=18'} - cpu: [x64] - os: [netbsd] - - '@esbuild/openbsd-arm64@0.23.1': - resolution: {integrity: sha512-3x37szhLexNA4bXhLrCC/LImN/YtWis6WXr1VESlfVtVeoFJBRINPJ3f0a/6LV8zpikqoUg4hyXw0sFBt5Cr+Q==} - engines: {node: '>=18'} - cpu: [arm64] - os: [openbsd] - - '@esbuild/openbsd-x64@0.23.1': - resolution: {integrity: sha512-aY2gMmKmPhxfU+0EdnN+XNtGbjfQgwZj43k8G3fyrDM/UdZww6xrWxmDkuz2eCZchqVeABjV5BpildOrUbBTqA==} - engines: {node: '>=18'} - cpu: [x64] - os: [openbsd] - - '@esbuild/sunos-x64@0.23.1': - resolution: {integrity: sha512-RBRT2gqEl0IKQABT4XTj78tpk9v7ehp+mazn2HbUeZl1YMdaGAQqhapjGTCe7uw7y0frDi4gS0uHzhvpFuI1sA==} - engines: {node: '>=18'} - cpu: [x64] - os: [sunos] - - '@esbuild/win32-arm64@0.23.1': - resolution: {integrity: sha512-4O+gPR5rEBe2FpKOVyiJ7wNDPA8nGzDuJ6gN4okSA1gEOYZ67N8JPk58tkWtdtPeLz7lBnY6I5L3jdsr3S+A6A==} - engines: {node: '>=18'} - cpu: [arm64] - os: [win32] - - '@esbuild/win32-ia32@0.23.1': - resolution: {integrity: sha512-BcaL0Vn6QwCwre3Y717nVHZbAa4UBEigzFm6VdsVdT/MbZ38xoj1X9HPkZhbmaBGUD1W8vxAfffbDe8bA6AKnQ==} - engines: {node: '>=18'} - cpu: [ia32] - os: [win32] - - '@esbuild/win32-x64@0.23.1': - resolution: {integrity: sha512-BHpFFeslkWrXWyUPnbKm+xYYVYruCinGcftSBaa8zoF9hZO4BcSCFUvHVTtzpIY6YzUnYtuEhZ+C9iEXjxnasg==} - engines: {node: '>=18'} - cpu: [x64] - os: [win32] - - '@fastify/ajv-compiler@3.6.0': - resolution: {integrity: sha512-LwdXQJjmMD+GwLOkP7TVC68qa+pSSogeWWmznRJ/coyTcfe9qA05AHFSe1eZFwK6q+xVRpChnvFUkf1iYaSZsQ==} - - '@fastify/error@3.4.1': - resolution: {integrity: sha512-wWSvph+29GR783IhmvdwWnN4bUxTD01Vm5Xad4i7i1VuAOItLvbPAb69sb0IQ2N57yprvhNIwAP5B6xfKTmjmQ==} - - '@fastify/fast-json-stringify-compiler@4.3.0': - resolution: {integrity: sha512-aZAXGYo6m22Fk1zZzEUKBvut/CIIQe/BapEORnxiD5Qr0kPHqqI69NtEMCme74h+at72sPhbkb4ZrLd1W3KRLA==} - - '@fastify/merge-json-schemas@0.1.1': - resolution: {integrity: sha512-fERDVz7topgNjtXsJTTW1JKLy0rhuLRcquYqNR9rF7OcVpCa2OVW49ZPDIhaRRCaUuvVxI+N416xUoF76HNSXA==} - - abstract-logging@2.0.1: - resolution: {integrity: sha512-2BjRTZxTPvheOvGbBslFSYOUkr+SjPtOnrLP33f+VIWLzezQpZcqVg7ja3L4dBXmzzgwT+a029jRx5PCi3JuiA==} - - ajv-formats@2.1.1: - resolution: {integrity: sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==} - peerDependencies: - ajv: ^8.0.0 - peerDependenciesMeta: - ajv: - optional: true - - ajv-formats@3.0.1: - resolution: {integrity: sha512-8iUql50EUR+uUcdRQ3HDqa6EVyo3docL8g5WJ3FNcWmu62IbkGUue/pEyLBW8VGKKucTPgqeks4fIU1DA4yowQ==} - peerDependencies: - ajv: ^8.0.0 - peerDependenciesMeta: - ajv: - optional: true - - ajv@8.17.1: - resolution: {integrity: sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==} - - anymatch@3.1.3: - resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==} - engines: {node: '>= 8'} - - atomic-sleep@1.0.0: - resolution: {integrity: sha512-kNOjDqAh7px0XWNI+4QbzoiR/nTkHAWNud2uvnJquD1/x5a7EQZMJT0AczqK0Qn67oY/TTQ1LbUKajZpp3I9tQ==} - engines: {node: '>=8.0.0'} - - avvio@8.4.0: - resolution: {integrity: sha512-CDSwaxINFy59iNwhYnkvALBwZiTydGkOecZyPkqBpABYR1KqGEsET0VOOYDwtleZSUIdeY36DC2bSZ24CO1igA==} - - balanced-match@1.0.2: - resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==} - - binary-extensions@2.3.0: - resolution: {integrity: sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==} - engines: {node: '>=8'} - - brace-expansion@1.1.11: - resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==} - - braces@3.0.3: - resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==} - engines: {node: '>=8'} - - chokidar@3.6.0: - resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==} - engines: {node: '>= 8.10.0'} - - concat-map@0.0.1: - resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==} - - cookie@0.7.2: - resolution: {integrity: sha512-yki5XnKuf750l50uGTllt6kKILY4nQ1eNIQatoXEByZ5dWgnKqbnqmTrBE5B4N7lrMJKQ2ytWMiTO2o0v6Ew/w==} - engines: {node: '>= 0.6'} - - debug@4.3.7: - resolution: {integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==} - engines: {node: '>=6.0'} - peerDependencies: - supports-color: '*' - peerDependenciesMeta: - supports-color: - optional: true - - esbuild@0.23.1: - resolution: {integrity: sha512-VVNz/9Sa0bs5SELtn3f7qhJCDPCF5oMEl5cO9/SSinpE9hbPVvxbd572HH5AKiP7WD8INO53GgfDDhRjkylHEg==} - engines: {node: '>=18'} - hasBin: true - - fast-content-type-parse@1.1.0: - resolution: {integrity: sha512-fBHHqSTFLVnR61C+gltJuE5GkVQMV0S2nqUO8TJ+5Z3qAKG8vAx4FKai1s5jq/inV1+sREynIWSuQ6HgoSXpDQ==} - - fast-decode-uri-component@1.0.1: - resolution: {integrity: sha512-WKgKWg5eUxvRZGwW8FvfbaH7AXSh2cL+3j5fMGzUMCxWBJ3dV3a7Wz8y2f/uQ0e3B6WmodD3oS54jTQ9HVTIIg==} - - fast-deep-equal@3.1.3: - resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==} - - fast-json-stringify@5.16.1: - resolution: {integrity: sha512-KAdnLvy1yu/XrRtP+LJnxbBGrhN+xXu+gt3EUvZhYGKCr3lFHq/7UFJHHFgmJKoqlh6B40bZLEv7w46B0mqn1g==} - - fast-querystring@1.1.2: - resolution: {integrity: sha512-g6KuKWmFXc0fID8WWH0jit4g0AGBoJhCkJMb1RmbsSEUNvQ+ZC8D6CUZ+GtF8nMzSPXnhiePyyqqipzNNEnHjg==} - - fast-redact@3.5.0: - resolution: {integrity: sha512-dwsoQlS7h9hMeYUq1W++23NDcBLV4KqONnITDV9DjfS3q1SgDGVrBdvvTLUotWtPSD7asWDV9/CmsZPy8Hf70A==} - engines: {node: '>=6'} - - fast-uri@2.4.0: - resolution: {integrity: sha512-ypuAmmMKInk5q7XcepxlnUWDLWv4GFtaJqAzWKqn62IpQ3pejtr5dTVbt3vwqVaMKmkNR55sTT+CqUKIaT21BA==} - - fast-uri@3.0.3: - resolution: {integrity: sha512-aLrHthzCjH5He4Z2H9YZ+v6Ujb9ocRuW6ZzkJQOrTxleEijANq4v1TsaPaVG1PZcuurEzrLcWRyYBYXD5cEiaw==} - - fastify@4.28.1: - resolution: {integrity: sha512-kFWUtpNr4i7t5vY2EJPCN2KgMVpuqfU4NjnJNCgiNB900oiDeYqaNDRcAfeBbOF5hGixixxcKnOU4KN9z6QncQ==} - - fastq@1.17.1: - resolution: {integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==} - - fill-range@7.1.1: - resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==} - engines: {node: '>=8'} - - find-my-way@8.2.2: - resolution: {integrity: sha512-Dobi7gcTEq8yszimcfp/R7+owiT4WncAJ7VTTgFH1jYJ5GaG1FbhjwDG820hptN0QDFvzVY3RfCzdInvGPGzjA==} - engines: {node: '>=14'} - - forwarded@0.2.0: - resolution: {integrity: sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==} - engines: {node: '>= 0.6'} - - fsevents@2.3.3: - resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==} - engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0} - os: [darwin] - - get-tsconfig@4.8.1: - resolution: {integrity: sha512-k9PN+cFBmaLWtVz29SkUoqU5O0slLuHJXt/2P+tMVFT+phsSGXGkp9t3rQIqdz0e+06EHNGs3oM6ZX1s2zHxRg==} - - glob-parent@5.1.2: - resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==} - engines: {node: '>= 6'} - - has-flag@3.0.0: - resolution: {integrity: sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==} - engines: {node: '>=4'} - - ignore-by-default@1.0.1: - resolution: {integrity: sha512-Ius2VYcGNk7T90CppJqcIkS5ooHUZyIQK+ClZfMfMNFEF9VSE73Fq+906u/CWu92x4gzZMWOwfFYckPObzdEbA==} - - ipaddr.js@1.9.1: - resolution: {integrity: sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==} - engines: {node: '>= 0.10'} - - is-binary-path@2.1.0: - resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==} - engines: {node: '>=8'} - - is-extglob@2.1.1: - resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==} - engines: {node: '>=0.10.0'} - - is-glob@4.0.3: - resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==} - engines: {node: '>=0.10.0'} - - is-number@7.0.0: - resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==} - engines: {node: '>=0.12.0'} - - json-schema-ref-resolver@1.0.1: - resolution: {integrity: sha512-EJAj1pgHc1hxF6vo2Z3s69fMjO1INq6eGHXZ8Z6wCQeldCuwxGK9Sxf4/cScGn3FZubCVUehfWtcDM/PLteCQw==} - - json-schema-traverse@1.0.0: - resolution: {integrity: sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==} - - light-my-request@5.14.0: - resolution: {integrity: sha512-aORPWntbpH5esaYpGOOmri0OHDOe3wC5M2MQxZ9dvMLZm6DnaAn0kJlcbU9hwsQgLzmZyReKwFwwPkR+nHu5kA==} - - minimatch@3.1.2: - resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==} - - ms@2.1.3: - resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==} - - nodemon@3.1.7: - resolution: {integrity: sha512-hLj7fuMow6f0lbB0cD14Lz2xNjwsyruH251Pk4t/yIitCFJbmY1myuLlHm/q06aST4jg6EgAh74PIBBrRqpVAQ==} - engines: {node: '>=10'} - hasBin: true - - normalize-path@3.0.0: - resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==} - engines: {node: '>=0.10.0'} - - on-exit-leak-free@2.1.2: - resolution: {integrity: sha512-0eJJY6hXLGf1udHwfNftBqH+g73EU4B504nZeKpz1sYRKafAghwxEJunB2O7rDZkL4PGfsMVnTXZ2EjibbqcsA==} - engines: {node: '>=14.0.0'} - - picomatch@2.3.1: - resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} - engines: {node: '>=8.6'} - - pino-abstract-transport@2.0.0: - resolution: {integrity: sha512-F63x5tizV6WCh4R6RHyi2Ml+M70DNRXt/+HANowMflpgGFMAym/VKm6G7ZOQRjqN7XbGxK1Lg9t6ZrtzOaivMw==} - - pino-std-serializers@7.0.0: - resolution: {integrity: sha512-e906FRY0+tV27iq4juKzSYPbUj2do2X2JX4EzSca1631EB2QJQUqGbDuERal7LCtOpxl6x3+nvo9NPZcmjkiFA==} - - pino@9.5.0: - resolution: {integrity: sha512-xSEmD4pLnV54t0NOUN16yCl7RIB1c5UUOse5HSyEXtBp+FgFQyPeDutc+Q2ZO7/22vImV7VfEjH/1zV2QuqvYw==} - hasBin: true - - process-warning@3.0.0: - resolution: {integrity: sha512-mqn0kFRl0EoqhnL0GQ0veqFHyIN1yig9RHh/InzORTUiZHFRAur+aMtRkELNwGs9aNwKS6tg/An4NYBPGwvtzQ==} - - process-warning@4.0.0: - resolution: {integrity: sha512-/MyYDxttz7DfGMMHiysAsFE4qF+pQYAA8ziO/3NcRVrQ5fSk+Mns4QZA/oRPFzvcqNoVJXQNWNAsdwBXLUkQKw==} - - proxy-addr@2.0.7: - resolution: {integrity: sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==} - engines: {node: '>= 0.10'} - - pstree.remy@1.1.8: - resolution: {integrity: sha512-77DZwxQmxKnu3aR542U+X8FypNzbfJ+C5XQDk3uWjWxn6151aIMGthWYRXTqT1E5oJvg+ljaa2OJi+VfvCOQ8w==} - - quick-format-unescaped@4.0.4: - resolution: {integrity: sha512-tYC1Q1hgyRuHgloV/YXs2w15unPVh8qfu/qCTfhTYamaw7fyhumKa2yGpdSo87vY32rIclj+4fWYQXUMs9EHvg==} - - readdirp@3.6.0: - resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==} - engines: {node: '>=8.10.0'} - - real-require@0.2.0: - resolution: {integrity: sha512-57frrGM/OCTLqLOAh0mhVA9VBMHd+9U7Zb2THMGdBUoZVOtGbJzjxsYGDJ3A9AYYCP4hn6y1TVbaOfzWtm5GFg==} - engines: {node: '>= 12.13.0'} - - require-from-string@2.0.2: - resolution: {integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==} - engines: {node: '>=0.10.0'} - - resolve-pkg-maps@1.0.0: - resolution: {integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==} - - ret@0.4.3: - resolution: {integrity: sha512-0f4Memo5QP7WQyUEAYUO3esD/XjOc3Zjjg5CPsAq1p8sIu0XPeMbHJemKA0BO7tV0X7+A0FoEpbmHXWxPyD3wQ==} - engines: {node: '>=10'} - - reusify@1.0.4: - resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==} - engines: {iojs: '>=1.0.0', node: '>=0.10.0'} - - rfdc@1.4.1: - resolution: {integrity: sha512-q1b3N5QkRUWUl7iyylaaj3kOpIT0N2i9MqIEQXP73GVsN9cw3fdx8X63cEmWhJGi2PPCF23Ijp7ktmd39rawIA==} - - safe-regex2@3.1.0: - resolution: {integrity: sha512-RAAZAGbap2kBfbVhvmnTFv73NWLMvDGOITFYTZBAaY8eR+Ir4ef7Up/e7amo+y1+AH+3PtLkrt9mvcTsG9LXug==} - - safe-stable-stringify@2.5.0: - resolution: {integrity: sha512-b3rppTKm9T+PsVCBEOUR46GWI7fdOs00VKZ1+9c1EWDaDMvjQc6tUwuFyIprgGgTcWoVHSKrU8H31ZHA2e0RHA==} - engines: {node: '>=10'} - - secure-json-parse@2.7.0: - resolution: {integrity: sha512-6aU+Rwsezw7VR8/nyvKTx8QpWH9FrcYiXXlqC4z5d5XQBDRqtbfsRjnwGyqbi3gddNtWHuEk9OANUotL26qKUw==} - - semver@7.6.3: - resolution: {integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==} - engines: {node: '>=10'} - hasBin: true - - set-cookie-parser@2.7.1: - resolution: {integrity: sha512-IOc8uWeOZgnb3ptbCURJWNjWUPcO3ZnTTdzsurqERrP6nPyv+paC55vJM0LpOlT2ne+Ix+9+CRG1MNLlyZ4GjQ==} - - simple-update-notifier@2.0.0: - resolution: {integrity: sha512-a2B9Y0KlNXl9u/vsW6sTIu9vGEpfKu2wRV6l1H3XEas/0gUIzGzBoP/IouTcUQbm9JWZLH3COxyn03TYlFax6w==} - engines: {node: '>=10'} - - sonic-boom@4.2.0: - resolution: {integrity: sha512-INb7TM37/mAcsGmc9hyyI6+QR3rR1zVRu36B0NeGXKnOOLiZOfER5SA+N7X7k3yUYRzLWafduTDvJAfDswwEww==} - - split2@4.2.0: - resolution: {integrity: sha512-UcjcJOWknrNkF6PLX83qcHM6KHgVKNkV62Y8a5uYDVv9ydGQVwAHMKqHdJje1VTWpljG0WYpCDhrCdAOYH4TWg==} - engines: {node: '>= 10.x'} - - supports-color@5.5.0: - resolution: {integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==} - engines: {node: '>=4'} - - thread-stream@3.1.0: - resolution: {integrity: sha512-OqyPZ9u96VohAyMfJykzmivOrY2wfMSf3C5TtFJVgN+Hm6aj+voFhlK+kZEIv2FBh1X6Xp3DlnCOfEQ3B2J86A==} - - to-regex-range@5.0.1: - resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} - engines: {node: '>=8.0'} - - toad-cache@3.7.0: - resolution: {integrity: sha512-/m8M+2BJUpoJdgAHoG+baCwBT+tf2VraSfkBgl0Y00qIWt41DJ8R5B8nsEw0I58YwF5IZH6z24/2TobDKnqSWw==} - engines: {node: '>=12'} - - touch@3.1.1: - resolution: {integrity: sha512-r0eojU4bI8MnHr8c5bNo7lJDdI2qXlWWJk6a9EAFG7vbhTjElYhBVS3/miuE0uOuoLdb8Mc/rVfsmm6eo5o9GA==} - hasBin: true - - tsx@4.19.2: - resolution: {integrity: sha512-pOUl6Vo2LUq/bSa8S5q7b91cgNSjctn9ugq/+Mvow99qW6x/UZYwzxy/3NmqoT66eHYfCVvFvACC58UBPFf28g==} - engines: {node: '>=18.0.0'} - hasBin: true - - undefsafe@2.0.5: - resolution: {integrity: sha512-WxONCrssBM8TSPRqN5EmsjVrsv4A8X12J4ArBiiayv3DyyG3ZlIg6yysuuSYdZsVz3TKcTg2fd//Ujd4CHV1iA==} - -snapshots: - - '@esbuild/aix-ppc64@0.23.1': - optional: true - - '@esbuild/android-arm64@0.23.1': - optional: true - - '@esbuild/android-arm@0.23.1': - optional: true - - '@esbuild/android-x64@0.23.1': - optional: true - - '@esbuild/darwin-arm64@0.23.1': - optional: true - - '@esbuild/darwin-x64@0.23.1': - optional: true - - '@esbuild/freebsd-arm64@0.23.1': - optional: true - - '@esbuild/freebsd-x64@0.23.1': - optional: true - - '@esbuild/linux-arm64@0.23.1': - optional: true - - '@esbuild/linux-arm@0.23.1': - optional: true - - '@esbuild/linux-ia32@0.23.1': - optional: true - - '@esbuild/linux-loong64@0.23.1': - optional: true - - '@esbuild/linux-mips64el@0.23.1': - optional: true - - '@esbuild/linux-ppc64@0.23.1': - optional: true - - '@esbuild/linux-riscv64@0.23.1': - optional: true - - '@esbuild/linux-s390x@0.23.1': - optional: true - - '@esbuild/linux-x64@0.23.1': - optional: true - - '@esbuild/netbsd-x64@0.23.1': - optional: true - - '@esbuild/openbsd-arm64@0.23.1': - optional: true - - '@esbuild/openbsd-x64@0.23.1': - optional: true - - '@esbuild/sunos-x64@0.23.1': - optional: true - - '@esbuild/win32-arm64@0.23.1': - optional: true - - '@esbuild/win32-ia32@0.23.1': - optional: true - - '@esbuild/win32-x64@0.23.1': - optional: true - - '@fastify/ajv-compiler@3.6.0': - dependencies: - ajv: 8.17.1 - ajv-formats: 2.1.1(ajv@8.17.1) - fast-uri: 2.4.0 - - '@fastify/error@3.4.1': {} - - '@fastify/fast-json-stringify-compiler@4.3.0': - dependencies: - fast-json-stringify: 5.16.1 - - '@fastify/merge-json-schemas@0.1.1': - dependencies: - fast-deep-equal: 3.1.3 - - abstract-logging@2.0.1: {} - - ajv-formats@2.1.1(ajv@8.17.1): - optionalDependencies: - ajv: 8.17.1 - - ajv-formats@3.0.1(ajv@8.17.1): - optionalDependencies: - ajv: 8.17.1 - - ajv@8.17.1: - dependencies: - fast-deep-equal: 3.1.3 - fast-uri: 3.0.3 - json-schema-traverse: 1.0.0 - require-from-string: 2.0.2 - - anymatch@3.1.3: - dependencies: - normalize-path: 3.0.0 - picomatch: 2.3.1 - - atomic-sleep@1.0.0: {} - - avvio@8.4.0: - dependencies: - '@fastify/error': 3.4.1 - fastq: 1.17.1 - - balanced-match@1.0.2: {} - - binary-extensions@2.3.0: {} - - brace-expansion@1.1.11: - dependencies: - balanced-match: 1.0.2 - concat-map: 0.0.1 - - braces@3.0.3: - dependencies: - fill-range: 7.1.1 - - chokidar@3.6.0: - dependencies: - anymatch: 3.1.3 - braces: 3.0.3 - glob-parent: 5.1.2 - is-binary-path: 2.1.0 - is-glob: 4.0.3 - normalize-path: 3.0.0 - readdirp: 3.6.0 - optionalDependencies: - fsevents: 2.3.3 - - concat-map@0.0.1: {} - - cookie@0.7.2: {} - - debug@4.3.7(supports-color@5.5.0): - dependencies: - ms: 2.1.3 - optionalDependencies: - supports-color: 5.5.0 - - esbuild@0.23.1: - optionalDependencies: - '@esbuild/aix-ppc64': 0.23.1 - '@esbuild/android-arm': 0.23.1 - '@esbuild/android-arm64': 0.23.1 - '@esbuild/android-x64': 0.23.1 - '@esbuild/darwin-arm64': 0.23.1 - '@esbuild/darwin-x64': 0.23.1 - '@esbuild/freebsd-arm64': 0.23.1 - '@esbuild/freebsd-x64': 0.23.1 - '@esbuild/linux-arm': 0.23.1 - '@esbuild/linux-arm64': 0.23.1 - '@esbuild/linux-ia32': 0.23.1 - '@esbuild/linux-loong64': 0.23.1 - '@esbuild/linux-mips64el': 0.23.1 - '@esbuild/linux-ppc64': 0.23.1 - '@esbuild/linux-riscv64': 0.23.1 - '@esbuild/linux-s390x': 0.23.1 - '@esbuild/linux-x64': 0.23.1 - '@esbuild/netbsd-x64': 0.23.1 - '@esbuild/openbsd-arm64': 0.23.1 - '@esbuild/openbsd-x64': 0.23.1 - '@esbuild/sunos-x64': 0.23.1 - '@esbuild/win32-arm64': 0.23.1 - '@esbuild/win32-ia32': 0.23.1 - '@esbuild/win32-x64': 0.23.1 - - fast-content-type-parse@1.1.0: {} - - fast-decode-uri-component@1.0.1: {} - - fast-deep-equal@3.1.3: {} - - fast-json-stringify@5.16.1: - dependencies: - '@fastify/merge-json-schemas': 0.1.1 - ajv: 8.17.1 - ajv-formats: 3.0.1(ajv@8.17.1) - fast-deep-equal: 3.1.3 - fast-uri: 2.4.0 - json-schema-ref-resolver: 1.0.1 - rfdc: 1.4.1 - - fast-querystring@1.1.2: - dependencies: - fast-decode-uri-component: 1.0.1 - - fast-redact@3.5.0: {} - - fast-uri@2.4.0: {} - - fast-uri@3.0.3: {} - - fastify@4.28.1: - dependencies: - '@fastify/ajv-compiler': 3.6.0 - '@fastify/error': 3.4.1 - '@fastify/fast-json-stringify-compiler': 4.3.0 - abstract-logging: 2.0.1 - avvio: 8.4.0 - fast-content-type-parse: 1.1.0 - fast-json-stringify: 5.16.1 - find-my-way: 8.2.2 - light-my-request: 5.14.0 - pino: 9.5.0 - process-warning: 3.0.0 - proxy-addr: 2.0.7 - rfdc: 1.4.1 - secure-json-parse: 2.7.0 - semver: 7.6.3 - toad-cache: 3.7.0 - - fastq@1.17.1: - dependencies: - reusify: 1.0.4 - - fill-range@7.1.1: - dependencies: - to-regex-range: 5.0.1 - - find-my-way@8.2.2: - dependencies: - fast-deep-equal: 3.1.3 - fast-querystring: 1.1.2 - safe-regex2: 3.1.0 - - forwarded@0.2.0: {} - - fsevents@2.3.3: - optional: true - - get-tsconfig@4.8.1: - dependencies: - resolve-pkg-maps: 1.0.0 - - glob-parent@5.1.2: - dependencies: - is-glob: 4.0.3 - - has-flag@3.0.0: {} - - ignore-by-default@1.0.1: {} - - ipaddr.js@1.9.1: {} - - is-binary-path@2.1.0: - dependencies: - binary-extensions: 2.3.0 - - is-extglob@2.1.1: {} - - is-glob@4.0.3: - dependencies: - is-extglob: 2.1.1 - - is-number@7.0.0: {} - - json-schema-ref-resolver@1.0.1: - dependencies: - fast-deep-equal: 3.1.3 - - json-schema-traverse@1.0.0: {} - - light-my-request@5.14.0: - dependencies: - cookie: 0.7.2 - process-warning: 3.0.0 - set-cookie-parser: 2.7.1 - - minimatch@3.1.2: - dependencies: - brace-expansion: 1.1.11 - - ms@2.1.3: {} - - nodemon@3.1.7: - dependencies: - chokidar: 3.6.0 - debug: 4.3.7(supports-color@5.5.0) - ignore-by-default: 1.0.1 - minimatch: 3.1.2 - pstree.remy: 1.1.8 - semver: 7.6.3 - simple-update-notifier: 2.0.0 - supports-color: 5.5.0 - touch: 3.1.1 - undefsafe: 2.0.5 - - normalize-path@3.0.0: {} - - on-exit-leak-free@2.1.2: {} - - picomatch@2.3.1: {} - - pino-abstract-transport@2.0.0: - dependencies: - split2: 4.2.0 - - pino-std-serializers@7.0.0: {} - - pino@9.5.0: - dependencies: - atomic-sleep: 1.0.0 - fast-redact: 3.5.0 - on-exit-leak-free: 2.1.2 - pino-abstract-transport: 2.0.0 - pino-std-serializers: 7.0.0 - process-warning: 4.0.0 - quick-format-unescaped: 4.0.4 - real-require: 0.2.0 - safe-stable-stringify: 2.5.0 - sonic-boom: 4.2.0 - thread-stream: 3.1.0 - - process-warning@3.0.0: {} - - process-warning@4.0.0: {} - - proxy-addr@2.0.7: - dependencies: - forwarded: 0.2.0 - ipaddr.js: 1.9.1 - - pstree.remy@1.1.8: {} - - quick-format-unescaped@4.0.4: {} - - readdirp@3.6.0: - dependencies: - picomatch: 2.3.1 - - real-require@0.2.0: {} - - require-from-string@2.0.2: {} - - resolve-pkg-maps@1.0.0: {} - - ret@0.4.3: {} - - reusify@1.0.4: {} - - rfdc@1.4.1: {} - - safe-regex2@3.1.0: - dependencies: - ret: 0.4.3 - - safe-stable-stringify@2.5.0: {} - - secure-json-parse@2.7.0: {} - - semver@7.6.3: {} - - set-cookie-parser@2.7.1: {} - - simple-update-notifier@2.0.0: - dependencies: - semver: 7.6.3 - - sonic-boom@4.2.0: - dependencies: - atomic-sleep: 1.0.0 - - split2@4.2.0: {} - - supports-color@5.5.0: - dependencies: - has-flag: 3.0.0 - - thread-stream@3.1.0: - dependencies: - real-require: 0.2.0 - - to-regex-range@5.0.1: - dependencies: - is-number: 7.0.0 - - toad-cache@3.7.0: {} - - touch@3.1.1: {} - - tsx@4.19.2: - dependencies: - esbuild: 0.23.1 - get-tsconfig: 4.8.1 - optionalDependencies: - fsevents: 2.3.3 - - undefsafe@2.0.5: {} diff --git a/services/htmx/src/routes.ts b/services/htmx/src/routes.ts deleted file mode 100644 index 9c4a39a..0000000 --- a/services/htmx/src/routes.ts +++ /dev/null @@ -1,26 +0,0 @@ - - -fastify.route({ - method: 'GET', - url: '/', - schema: { - querystring: { - type: 'object', - properties: { - name: { type: 'string' }, - excitement: { type: 'integer' } - } - }, - response: { - 200: { - type: 'object', - properties: { - hello: { type: 'string' } - } - } - } - }, - handler: function (request, reply) { - reply.send({ hello: 'world' }) - } -}) \ No newline at end of file diff --git a/services/migrations-data/migrations/0001_from-strapi-to-postgrest-mk2.sql b/services/migrations-data/migrations/0001_from-strapi-to-postgrest-mk2.sql index 9ae1d1c..af96bee 100644 --- a/services/migrations-data/migrations/0001_from-strapi-to-postgrest-mk2.sql +++ b/services/migrations-data/migrations/0001_from-strapi-to-postgrest-mk2.sql @@ -587,7 +587,7 @@ SELECT streams.id, NULL AS platform_notification_type, -- Modify if necessary streams.date_2::TIMESTAMP WITH TIME ZONE AS date, - streams.date_2::TIMESTAMP WITH TIME ZONE AS date_2, + streams.date_2::TIMESTAMPTZ date_2, streams.created_at, streams.updated_at, links.vtuber_id AS vtuber_num, @@ -638,7 +638,7 @@ SELECT vods.published_at, vods.title, vods.date::TIMESTAMP WITH TIME ZONE, - vods.date_2::TIMESTAMP WITH TIME ZONE AS date_2, + vods.date_2::TIMESTAMPTZ AS date_2, vods.note, vods.video_src_hash AS ipfs_cid, vods.announce_title, diff --git a/services/migrations-schema/migrations/00139_add-timestamps-permissions.sql b/services/migrations-schema/migrations/00139_add-timestamps-permissions.sql new file mode 100644 index 0000000..1106229 --- /dev/null +++ b/services/migrations-schema/migrations/00139_add-timestamps-permissions.sql @@ -0,0 +1,2 @@ +GRANT all ON api.timestamps TO automation; +GRANT SELECT ON api.timestamps TO web_anon; diff --git a/services/migrations-schema/migrations/00140_add-permissions-for-links.sql b/services/migrations-schema/migrations/00140_add-permissions-for-links.sql new file mode 100644 index 0000000..6ebbce7 --- /dev/null +++ b/services/migrations-schema/migrations/00140_add-permissions-for-links.sql @@ -0,0 +1,15 @@ + +GRANT all ON api.timestamps_vod_links TO automation; +GRANT SELECT ON api.timestamps_vod_links TO web_anon; + + +GRANT all ON api.timestamps_tag_links TO automation; +GRANT SELECT ON api.timestamps_tag_links TO web_anon; + + +GRANT all ON api.toys_link_tag_links TO automation; +GRANT SELECT ON api.toys_link_tag_links TO web_anon; + +GRANT all ON api.vods_mux_asset_links TO automation; +GRANT SELECT ON api.vods_mux_asset_links TO web_anon; + diff --git a/services/migrations-schema/migrations/00141_add-permissions-timestamps_vod_links.sql b/services/migrations-schema/migrations/00141_add-permissions-timestamps_vod_links.sql new file mode 100644 index 0000000..d479f9f --- /dev/null +++ b/services/migrations-schema/migrations/00141_add-permissions-timestamps_vod_links.sql @@ -0,0 +1,2 @@ +GRANT all ON api.timestamps_vod_links TO automation; +GRANT SELECT ON api.timestamps_vod_links TO web_anon; diff --git a/services/migrations-schema/migrations/00142_add-permissions-for-tag_vod_relations.sql b/services/migrations-schema/migrations/00142_add-permissions-for-tag_vod_relations.sql new file mode 100644 index 0000000..a354df7 --- /dev/null +++ b/services/migrations-schema/migrations/00142_add-permissions-for-tag_vod_relations.sql @@ -0,0 +1,4 @@ + + +GRANT all ON api.tag_vod_relations TO automation; +GRANT SELECT ON api.tag_vod_relations TO web_anon; diff --git a/services/migrations-schema/migrations/00143_add-permissions-for-tag_vod_relations_vod_links.sql b/services/migrations-schema/migrations/00143_add-permissions-for-tag_vod_relations_vod_links.sql new file mode 100644 index 0000000..9a35c3b --- /dev/null +++ b/services/migrations-schema/migrations/00143_add-permissions-for-tag_vod_relations_vod_links.sql @@ -0,0 +1,6 @@ + + + + +GRANT all ON api.tag_vod_relations_vod_links TO automation; +GRANT SELECT ON api.tag_vod_relations_vod_links TO web_anon; diff --git a/services/migrations-schema/migrations/00144_add-permissions-for-tags_vods_links.sql b/services/migrations-schema/migrations/00144_add-permissions-for-tags_vods_links.sql new file mode 100644 index 0000000..6b2f805 --- /dev/null +++ b/services/migrations-schema/migrations/00144_add-permissions-for-tags_vods_links.sql @@ -0,0 +1,2 @@ +GRANT all ON api.tags_vods_links TO automation; +GRANT SELECT ON api.tags_vods_links TO web_anon; \ No newline at end of file diff --git a/services/next/app/api/patreon/currently-entitled-tiers/route.ts b/services/next/app/api/patreon/currently-entitled-tiers/route.ts index 46f4a93..f989cb4 100644 --- a/services/next/app/api/patreon/currently-entitled-tiers/route.ts +++ b/services/next/app/api/patreon/currently-entitled-tiers/route.ts @@ -2,8 +2,7 @@ import { NextResponse } from "next/server"; import { getServerSession } from "next-auth"; -import { getKeycloakIdpToken, getPatreonMemberships } from "@/app/lib/patreon"; -import { syncronizeKeycloakRoles } from '@/app/lib/keycloak'; +import { getPatreonMemberships } from "@/app/lib/patreon"; import { authOptions } from "@/app/lib/auth"; export async function GET(req: Request, res: Response) { @@ -25,7 +24,7 @@ export async function GET(req: Request, res: Response) { // console.log(session) - let keycloakIdpToken, patreonTiersList + let patreonTiersList if (!session.token?.access_token) { console.error('session.token.access_token was missing') @@ -36,15 +35,15 @@ export async function GET(req: Request, res: Response) { return NextResponse.json({ error: `failed to get profile.sub from Session` }, { status: 400 }) } - try { - keycloakIdpToken = await getKeycloakIdpToken(session.token.access_token) - } catch (e) { - console.error(e) - return NextResponse.json({ error: `Failed to get Patreon token (Keycloak IDP). e=${e}`}, { status: 401 }) - } + // try { + // idpToken = await get(session.token.access_token) + // } catch (e) { + // console.error(e) + // return NextResponse.json({ error: `Failed to get Patreon token (Keycloak IDP). e=${e}`}, { status: 401 }) + // } try { - patreonTiersList = await getPatreonMemberships(keycloakIdpToken) + patreonTiersList = await getPatreonMemberships(idpToken) } catch (e) { console.error(e) return NextResponse.json({ error: `Failed to get patreon memberships. e=${e}`}, { status: 401 }) diff --git a/services/next/app/api/v1.json/route.ts b/services/next/app/api/v1.json/route.ts index e954a7e..600a279 100644 --- a/services/next/app/api/v1.json/route.ts +++ b/services/next/app/api/v1.json/route.ts @@ -47,18 +47,18 @@ export async function GET(): Promise<Response> { const vods: IVod1[] = vodsRaw.map((v: IVod): IVod1 => ({ title: getVodTitle(v), - videoSrcHash: v.attributes.videoSrcHash, + videoSrcHash: v.videoSrcHash, video720Hash: '', video480Hash: '', video360Hash: '', - video240Hash: v.attributes.video240Hash, + video240Hash: v.video240Hash, thinHash: '', thiccHash: '', - announceTitle: v.attributes.announceTitle, - announceUrl: v.attributes.announceUrl, - date: v.attributes.date2, - note: v.attributes.note || '', - url: getUrl(v, v.attributes.vtuber.data.attributes.slug, v.attributes.date2), + announceTitle: v.announce_title, + announceUrl: v.announce_url, + date: v.date_2, + note: v.note || '', + url: getUrl(v, v.vtuber.slug, v.date_2), })); const response = { diff --git a/services/next/app/components/auth-buttons.tsx b/services/next/app/components/auth-buttons.tsx index 0ac89fa..eb2efcb 100644 --- a/services/next/app/components/auth-buttons.tsx +++ b/services/next/app/components/auth-buttons.tsx @@ -7,7 +7,7 @@ import { faUser } from "@fortawesome/free-solid-svg-icons"; export const LoginButton = () => { return ( - <button className="button" onClick={() => signIn('keycloak')}> + <button className="button" onClick={() => signIn('patreon')}> Sign in </button> ); diff --git a/services/next/app/components/auth.tsx.old b/services/next/app/components/auth.tsx.old deleted file mode 100644 index 8ce7801..0000000 --- a/services/next/app/components/auth.tsx.old +++ /dev/null @@ -1,116 +0,0 @@ -'use client'; - -import { createContext, useContext, ReactNode } from 'react'; -import { useRouter } from 'next/navigation'; -import { FontAwesomeIcon } from '@fortawesome/react-fontawesome'; -import { faPatreon } from '@fortawesome/free-brands-svg-icons'; -import { useLocalStorageValue } from '@react-hookz/web'; -import { faRightFromBracket } from '@fortawesome/free-solid-svg-icons'; -import Skeleton from 'react-loading-skeleton'; -import { strapiUrl } from '@/app/lib/constants'; -import NextAuth from 'next-auth'; -import Providers from 'next-auth/providers'; - -// export interface IJWT { -// jwt: string; -// user: IUser; -// } - -// export interface IUser { -// id: number; -// username: string; -// email: string; -// provider: string; -// confirmed: boolean; -// blocked: boolean; -// createdAt: string; -// updatedAt: string; -// isNamePublic: boolean; -// avatar: string | null; -// isLinkPublic: boolean; -// vanityLink: string | null; -// patreonBenefits: string; -// } - -// export interface IAuthData { -// accessToken: string | null; -// user: IUser | null; -// } - -// export interface IUseAuth { -// authData: IAuthData | null | undefined; -// setAuthData: (data: IAuthData | null) => void; -// lastVisitedPath: string | undefined; -// login: () => void; -// logout: () => void; -// } - -// export const AuthContext = createContext<IUseAuth | null>(null); - -// interface IAuthContextProps { -// children: ReactNode; -// } -// export function AuthProvider({ children }: IAuthContextProps): React.JSX.Element { -// const { value: authData, set: setAuthData } = useLocalStorageValue<IAuthData | null>('authData', { -// defaultValue: null, -// }); - -// const { value: lastVisitedPath, set: setLastVisitedPath } = useLocalStorageValue<string>('lastVisitedPath', { -// defaultValue: '/profile', -// initializeWithValue: false, -// }); -// const router = useRouter(); - -// const login = async () => { -// const currentPath = window.location.pathname; -// setLastVisitedPath(currentPath); -// router.push(`${strapiUrl}/api/connect/patreon`); -// }; - -// const logout = () => { -// setAuthData({ accessToken: null, user: null }); -// }; - -// return ( -// <AuthContext.Provider -// value={{ -// authData, -// setAuthData, -// lastVisitedPath, -// login, -// logout, -// }} -// > -// {children} -// </AuthContext.Provider> -// ); -// } - - - -// export function LogoutButton() { -// const context = useContext(AuthContext); -// if (!context) return <></>; -// const { logout } = context; -// return ( -// <button -// className="button is-secondary has-icons-left" -// onClick={() => { -// logout(); -// }} -// > -// <span className="icon is-small"> -// <FontAwesomeIcon icon={faRightFromBracket} className="fas fa-right-from-bracket" /> -// </span> -// <span>Logout</span> -// </button> -// ); -// } - -export function useAuth(): IUseAuth { - const context = useContext(AuthContext); - if (!context) { - throw new Error('useAuth must be used within an AuthProvider'); - } - return context; -} diff --git a/services/next/app/components/navbar.tsx b/services/next/app/components/navbar.tsx index c2b6dfd..8d8dc1d 100644 --- a/services/next/app/components/navbar.tsx +++ b/services/next/app/components/navbar.tsx @@ -2,8 +2,7 @@ import { useState } from 'react' import { FontAwesomeIcon } from "@fortawesome/react-fontawesome"; -import { faExternalLinkAlt } from "@fortawesome/free-solid-svg-icons"; -import { faUpload } from "@fortawesome/free-solid-svg-icons"; +import { faExternalLinkAlt, faUpload } from "@fortawesome/free-solid-svg-icons"; import Link from 'next/link' import { LoginButton, ProfileButton } from './auth-buttons'; import { Spinner } from './spinner'; @@ -67,7 +66,7 @@ export default function Navbar() { <span className="mr-1">Upload</span> <FontAwesomeIcon icon={faUpload} - className="fas fa-upload" + className="fas fa-upload is-disabled" ></FontAwesomeIcon> </Link> </ProtectedRoute> diff --git a/services/next/app/components/protected-route.tsx b/services/next/app/components/protected-route.tsx index 13eb863..17cf6db 100644 --- a/services/next/app/components/protected-route.tsx +++ b/services/next/app/components/protected-route.tsx @@ -43,7 +43,7 @@ const ProtectedRoute = (props: ProtectedRouteProps) => { if (status === 'loading') return (props.loading) ? props.loading : <Spinner></Spinner>; if (status !== 'authenticated' || !session.roles || !session.roles.includes(props.requiredUserRole)) { - return (props?.accessDenied) ? props.accessDenied : AccessDeniedScreen(props.requiredUserRole, props.featureName); + return (!!props?.accessDenied) ? props.accessDenied : AccessDeniedScreen(props.requiredUserRole, props.featureName); } else { return props.children; } diff --git a/services/next/app/components/sortable-tags.tsx b/services/next/app/components/sortable-tags.tsx index 669b02d..82a01ee 100644 --- a/services/next/app/components/sortable-tags.tsx +++ b/services/next/app/components/sortable-tags.tsx @@ -16,14 +16,14 @@ export default function SortableTags({ tags }: ISortableTagsProps) { const [sortOption, setSortOption] = useState('Sort'); const filteredTags = tags.filter((tag: ITag) => - tag.attributes.name.toLowerCase().includes(filterText.toLowerCase()) + tag.name.toLowerCase().includes(filterText.toLowerCase()) ); const sortedTags = [...filteredTags].sort((a, b) => { if (sortOption === 'Alphabetical') { - return a.attributes.name.localeCompare(b.attributes.name); + return a.name.localeCompare(b.name); } else if (sortOption === 'Frequency') { - return b.attributes.count - a.attributes.count; + return b.count - a.count; } return 0; }); @@ -59,8 +59,8 @@ export default function SortableTags({ tags }: ISortableTagsProps) { <div className="tags"> {sortedTags.map((tag: ITag) => ( <span key={tag.id} className="tag"> - <Link href={`/tags/${slugify(tag.attributes.name)}`} className="vod-tag"> - {tag.attributes.name} ({tag.attributes.count}) + <Link href={`/tags/${slugify(tag.name)}`} className="vod-tag"> + {tag.name} ({tag.count}) </Link> </span> ))} diff --git a/services/next/app/components/stream-page.tsx b/services/next/app/components/stream-page.tsx index 08d5d53..da4e9a8 100644 --- a/services/next/app/components/stream-page.tsx +++ b/services/next/app/components/stream-page.tsx @@ -1,5 +1,3 @@ -'use client'; - import { IStream } from "@futureporn/types"; import { IVod } from "@/app/lib/vods"; import Link from "next/link"; @@ -7,10 +5,9 @@ import Image from "next/legacy/image"; import { LocalizedDate } from "./localized-date"; import { FontAwesomeIcon, FontAwesomeIconProps } from "@fortawesome/react-fontawesome"; import { faTriangleExclamation, faCircleInfo, faThumbsUp, IconDefinition, faO, faX, faExternalLinkAlt } from "@fortawesome/free-solid-svg-icons"; -import { Hemisphere, Moon } from "lunarphase-js"; -import { useEffect, useState } from "react"; import { faXTwitter } from "@fortawesome/free-brands-svg-icons"; import { notFound } from "next/navigation"; +import ProtectedRoute from "./protected-route"; export interface IStreamProps { stream: IStream; @@ -19,8 +16,8 @@ type Status = 'missing' | 'issue' | 'good'; interface StyleDef { heading: string; icon: IconDefinition; - desc1: string; - desc2: string; + description: string; + prompt: string; } function capitalizeFirstLetter(string: string): string { @@ -50,35 +47,30 @@ export default function StreamPage({ stream }: IStreamProps) { if (!stream) notFound() const displayName = stream.vtuber.display_name; const date = new Date(stream.date); - const [hemisphere, setHemisphere] = useState(Hemisphere.NORTHERN); - const [selectedStatus, setSelectedStatus] = useState<Status>(determineStatus(stream)); + const selectedStatus = determineStatus(stream); const styleMap: Record<Status, StyleDef> = { 'missing': { heading: 'is-danger', icon: faTriangleExclamation, - desc1: "We don't have a VOD for this stream.", - desc2: 'Know someone who does?' + description: "We don't have a VOD for this stream.", + prompt: 'Know someone who does?' }, 'issue': { heading: 'is-warning', icon: faCircleInfo, - desc1: "We have a VOD for this stream, but it's not full quality.", - desc2: 'Have a better copy?' + description: "We have a VOD for this stream, but it's not full quality.", + prompt: 'Have a better copy?' }, 'good': { heading: 'is-success', icon: faThumbsUp, - desc1: "We have a VOD for this stream, and we think it's the best quality possible.", - desc2: "Have one that's even better?" + description: "We have a VOD for this stream, and we think it's the best quality possible.", + prompt: "Have one that's even better?" } }; - const { heading, icon, desc1, desc2 } = styleMap[selectedStatus] || {}; + const { heading, icon, description, prompt } = styleMap[selectedStatus] || {}; - useEffect(() => { - const randomHemisphere = (Math.random() < 0.5 ? 0 : 1) ? Hemisphere.NORTHERN : Hemisphere.SOUTHERN; - setHemisphere(randomHemisphere); - }, []); if (!stream) return <p>NotFound</p> // <NotFound></NotFound> @@ -132,10 +124,6 @@ export default function StreamPage({ stream }: IStreamProps) { </tr> </thead> <tbody> - {/* <tr> - <td>Announcement</td> - <td><Link target="_blank" href={stream.attributes.tweet.data.attributes.url}><FontAwesomeIcon icon={faXTwitter}></FontAwesomeIcon><FontAwesomeIcon icon={faExternalLinkAlt}></FontAwesomeIcon></Link></td> - </tr> */} <tr> <td>Platform</td> <td>{platformsList}</td> @@ -148,10 +136,6 @@ export default function StreamPage({ stream }: IStreamProps) { <td>Local Datetime</td> <td>{date.toLocaleDateString()} {date.toLocaleTimeString()}</td> </tr> - <tr> - <td>Lunar Phase</td> - <td>{Moon.lunarPhase(date)} {Moon.lunarPhaseEmoji(date, { hemisphere })}</td> - </tr> </tbody> </table> @@ -168,9 +152,11 @@ export default function StreamPage({ stream }: IStreamProps) { </div> <div className="message-body has-text-centered"> <span className="title is-1"><FontAwesomeIcon icon={icon}></FontAwesomeIcon></span> - <p className="mt-3">{desc1}</p> - <p className="mt-5">{desc2}<br /> - <Link href={`/upload?uuid=${stream.uuid}`}>Upload it here.</Link></p> + <p className="mt-3">{description}</p> + <ProtectedRoute requiredUserRole="patron" accessDenied={<span></span>} > + <p className="mt-5">{prompt}<br /> + <Link href={`/upload?uuid=${stream.uuid}`}>Upload it here.</Link></p> + </ProtectedRoute> </div> </article> </div> @@ -199,8 +185,8 @@ export default function StreamPage({ stream }: IStreamProps) { {/* <p>{JSON.stringify(vod, null, 2)}</p> */} <td><Link href={`/vt/${stream.vtuber.slug}/vod/${vod.uuid}`}>{vod.uuid}</Link></td> <td>{vod.publishedAt}</td> - {/* <td>{(!!vod?.attributes?.thumbnail?.data?.attributes?.cdnUrl) ? <Image alt="" src={vod.attributes.thumbnail.data.attributes.cdnUrl}></Image> : <FontAwesomeIcon icon={faX} />}</td> - <td>{(!!vod?.attributes?.duration) ? vod.attributes.duration : <FontAwesomeIcon icon={faX} />}</td> */} + {/* <td>{(!!vod?.attributes?.thumbnail?.data?.attributes?.cdnUrl) ? <Image alt="" src={vod.thumbnail.cdn_url}></Image> : <FontAwesomeIcon icon={faX} />}</td> + <td>{(!!vod?.attributes?.duration) ? vod.duration : <FontAwesomeIcon icon={faX} />}</td> */} <td>{vod.tagVodRelations.length}</td> <td>{vod.timestamps.length}</td> <td>{(!!vod.note) ? <FontAwesomeIcon icon={faO} /> : <FontAwesomeIcon icon={faX} />}</td> diff --git a/services/next/app/components/stream.tsx b/services/next/app/components/stream.tsx index 49e9f45..2e73f35 100644 --- a/services/next/app/components/stream.tsx +++ b/services/next/app/components/stream.tsx @@ -46,7 +46,7 @@ export function StreamSummary ({ stream }: IStreamProps) { })(); return ( - <Link href={`/streams/${stream.attributes.cuid}`}> + <Link href={`/streams/${stream.uuid}`}> <div className="columns"> {/* <pre> <code> @@ -57,25 +57,25 @@ export function StreamSummary ({ stream }: IStreamProps) { <span className="icon image"> <Image className='is-rounded' - src={stream.attributes.vtuber.data.attributes.image} - alt={stream.attributes.vtuber.data.attributes.displayName} + src={stream.vtuber.image} + alt={stream.vtuber.display_name} width={28} height={18} /> </span> </div> <div className="column"> - <span>{stream.attributes.vtuber.data.attributes.displayName}</span> + <span>{stream.vtuber.display_name}</span> </div> <div className="column"> - <LocalizedDate date={new Date(stream.attributes.date)}/> + <LocalizedDate date={new Date(stream.date)}/> </div> <div className="column"> - {(stream.attributes.isChaturbateStream) && <ChaturbateIcon width={18} height={18} className='mr-2'></ChaturbateIcon>} - {(stream.attributes.isFanslyStream) && <FanslyIcon width={18}></FanslyIcon>} + {(stream.is_chaturbate_stream) && <ChaturbateIcon width={18} height={18} className='mr-2'></ChaturbateIcon>} + {(stream.is_fansly_stream) && <FanslyIcon width={18}></FanslyIcon>} </div> <div className="column"> - <div className={`tag ${archiveStatusClassName}`}>{stream.attributes.archiveStatus}</div> + <div className={`tag ${archiveStatusClassName}`}>{stream.archive_status}</div> </div> <div className="column"> <div className=""></div> diff --git a/services/next/app/components/tag.tsx b/services/next/app/components/tag.tsx index 4131417..9d49264 100644 --- a/services/next/app/components/tag.tsx +++ b/services/next/app/components/tag.tsx @@ -1,12 +1,12 @@ 'use client'; -import { ITagVodRelation, ITagVodRelationsResponse } from "@/app/lib/tag-vod-relations" +import { ITagVodRelation } from "@/app/lib/tag-vod-relations" import { isWithinInterval, subHours } from "date-fns"; import { faTrash } from "@fortawesome/free-solid-svg-icons"; import { FontAwesomeIcon } from "@fortawesome/react-fontawesome"; import { useContext, useEffect, useState } from "react"; import { useRouter } from 'next/navigation'; -import { strapiUrl } from "@/app/lib/constants"; +import { postgrestLocalUrl } from "@/app/lib/constants"; export interface ITagParams { tvr: ITagVodRelation; @@ -24,7 +24,7 @@ function isCreatedByMeRecently(userId: number | undefined, tvr: ITagVodRelation) async function handleDelete(authContext: IUseAuth | null, tvr: ITagVodRelation): Promise<void> { if (!authContext) return; const { authData } = authContext; - const res = await fetch(`${strapiUrl}/api/tag-vod-relations/deleteMine/${tvr.id}`, { + const res = await fetch(`${postgrestLocalUrl}/api/tag-vod-relations/deleteMine/${tvr.id}`, { method: 'DELETE', headers: { 'Authorization': `Bearer ${authData?.accessToken}`, @@ -45,7 +45,7 @@ export function Tag({ tvr }: ITagParams) { return ( <span className="tags mr-2 mb-0"> - <span className="tag">{tvr.attributes.tag.data.attributes.name}</span> + <span className="tag">{tvr.attributes.tag.name}</span> {shouldRenderDeleteButton && <a onClick={ () => { handleDelete(authContext, tvr); router.refresh() diff --git a/services/next/app/components/tagger.tsx b/services/next/app/components/tagger.tsx index 429a17e..a42ecea 100644 --- a/services/next/app/components/tagger.tsx +++ b/services/next/app/components/tagger.tsx @@ -8,7 +8,7 @@ import { formatTimestamp } from '@/app/lib/dates'; import { readOrCreateTagVodRelation } from '@/app/lib/tag-vod-relations'; import { readOrCreateTag } from '@/app/lib/tags'; import { debounce } from 'lodash'; -import { strapiUrl } from '@/app/lib/constants'; +import { postgrestLocalUrl } from '@/app/lib/constants'; import { VideoContext } from './video-context'; import { useForm } from "react-hook-form"; import { ITimestamp, createTimestamp } from '@/app/lib/timestamps'; @@ -40,7 +40,7 @@ type FormData = { export function Tagger({ vod, setTimestamps }: ITaggerProps): React.JSX.Element { - + return <p>@todo Tagger</p> const { register, setValue, setError, setFocus, handleSubmit, watch, clearErrors, formState: { errors } } = useForm<FormData>({ defaultValues: { tagName: '', @@ -88,7 +88,7 @@ export function Tagger({ vod, setTimestamps }: ITaggerProps): React.JSX.Element async function getRandomSuggestions() { // @todo https://gitea.futureporn.net/futureporn/pm/issues/129 setTagSuggestions([]) - // const res = await fetch(`${strapiUrl}/api/tag/random`); + // const res = await fetch(`${postgrestLocalUrl}/tag/random`); // const tags = await res.json(); // setTagSuggestions(tags) } @@ -107,7 +107,7 @@ export function Tagger({ vod, setTimestamps }: ITaggerProps): React.JSX.Element } ) if (!value) return; - const res = await fetch(`${strapiUrl}/api/fuzzy-search/search?${query}`, { + const res = await fetch(`${postgrestLocalUrl}/fuzzy-search/search?${query}`, { headers: { 'Authorization': `Bearer ${authData?.accessToken}` } diff --git a/services/next/app/components/timestamps-list.tsx b/services/next/app/components/timestamps-list.tsx index 7f3af72..6bf09c1 100644 --- a/services/next/app/components/timestamps-list.tsx +++ b/services/next/app/components/timestamps-list.tsx @@ -20,17 +20,16 @@ export interface ITimestampsProps { setTimestamps: Function; } -function isCreatedByMeRecently(authData: IAuthData, ts: ITimestamp) { +function isCreatedByMeRecently(authData: any, ts: ITimestamp) { if (!authData?.user) return false; - if (authData.user.id !== ts.attributes.creatorId) return false; + if (authData.user.id !== ts.creator_id) return false; const last24H: Interval = { start: subHours(new Date(), 24), end: new Date() }; - return isWithinInterval(new Date(ts.attributes.createdAt), last24H); + return isWithinInterval(new Date(ts.created_at), last24H); } export function TimestampsList({ vod, timestamps, setTimestamps }: ITimestampsProps): React.JSX.Element { // const throttledTimestampFetch = throttle(getRawTimestampsForVod); - const authContext = useContext(AuthContext); const hasTimestamps = timestamps.length > 0; @@ -38,22 +37,20 @@ export function TimestampsList({ vod, timestamps, setTimestamps }: ITimestampsPr return ( <div className="timestamps mb-5"> - {hasTimestamps && ( timestamps.map((ts: ITimestamp) => ( <p key={ts.id}> - {/* {JSON.stringify(ts, null, 2)}<br/><br/><br/> */} + {JSON.stringify(ts, null, 2)}<br/><br/><br/> <Link - href={`?t=${formatUrlTimestamp(ts.attributes.time)}`} + href={`?t=${formatUrlTimestamp(ts.time)}`} > - {formatTimestamp(ts.attributes.time)} + {formatTimestamp(ts.time)} </Link>{' '} - <span className="mr-2">{ts.attributes.tag.data.attributes.name}</span> - {authContext?.authData && isCreatedByMeRecently(authContext.authData, ts) && ( + {/* <span className="mr-2">{ts.tag.name}</span> */} + {isCreatedByMeRecently({}, ts) && ( <button onClick={() => { - if (!authContext?.authData) return; - deleteTimestamp(authContext.authData, ts.id); + deleteTimestamp({}, ts.id); // @todo restore auth setTimestamps((prevTimestamps: ITimestamp[]) => prevTimestamps.filter((timestamp) => timestamp.id !== ts.id)); }} className={`button icon`} diff --git a/services/next/app/components/toys.tsx b/services/next/app/components/toys.tsx index c3ce36b..1739f78 100644 --- a/services/next/app/components/toys.tsx +++ b/services/next/app/components/toys.tsx @@ -50,7 +50,7 @@ export function ToyItem({ toy }: IToyProps) { return ( <div className="column is-half-mobile is-one-quarter-tablet is-one-fifth-desktop is-1-widescreen"> - <Link href={`/tags/${toy.attributes.linkTag.data.attributes.name}`}> + <Link href={`/tags/${toy.attributes.linkTag.name}`}> <figure style={{ position: 'relative', width: '100px', height: '100px' }}> <Image src={toy.attributes.image2} diff --git a/services/next/app/components/upload-form.tsx b/services/next/app/components/upload-form.tsx index d9b428b..25fbc46 100644 --- a/services/next/app/components/upload-form.tsx +++ b/services/next/app/components/upload-form.tsx @@ -12,7 +12,7 @@ import { projektMelodyEpoch } from "@/app/lib/constants"; import add from "date-fns/add"; import sub from "date-fns/sub"; import { FontAwesomeIcon } from "@fortawesome/react-fontawesome"; -import { faEraser, faPaperPlane, faSpinner, faX, faXmark } from "@fortawesome/free-solid-svg-icons"; +import { faEraser, faInfoCircle, faPaperPlane, faSpinner, faUpload, faX, faXmark } from "@fortawesome/free-solid-svg-icons"; import { useForm, ValidationMode } from 'react-hook-form'; import { yupResolver } from '@hookform/resolvers/yup'; import * as Yup from 'yup'; @@ -62,35 +62,49 @@ export default function UploadForm({ vtubers }: IUploadFormProps) { const searchParams = useSearchParams(); const cuid = searchParams.get('cuid'); - const { authData } = useAuth(); + return ( + <div className="columns is-centered"> + <div className="column is-half"> + <article className={`message`}> + <div className="message-header"> + <span>VOD Uploading</span> + </div> + <div className="message-body has-text-centered"> + <span className="title is-1"><FontAwesomeIcon icon={faInfoCircle}></FontAwesomeIcon></span> + <p className="mt-3">Coming soon, patrons will be able to upload VODs to Futureporn's archive. Together we can achieve 100% archival!</p> + </div> + </article> + </div> + </div> + ) - const uppy = new Uppy( - { - autoProceed: true, - debug: true, - logger: { - debug: console.info, - warn: console.log, - error: console.error - }, - } - ) - .use(RemoteSources, { - companionUrl, - sources: [ - 'GoogleDrive', - 'Dropbox', - 'Url' - ] - }) - .use(AwsS3, { - companionUrl, - shouldUseMultipart: true, - abortMultipartUpload: () => {}, // @see https://github.com/transloadit/uppy/issues/1197#issuecomment-491756118 - companionHeaders: { - 'authorization': `Bearer ${authData?.accessToken}` - } - }) + // const uppy = new Uppy( + // { + // autoProceed: true, + // debug: true, + // logger: { + // debug: console.info, + // warn: console.log, + // error: console.error + // }, + // } + // ) + // .use(RemoteSources, { + // companionUrl, + // sources: [ + // 'GoogleDrive', + // 'Dropbox', + // 'Url' + // ] + // }) + // .use(AwsS3, { + // companionUrl, + // shouldUseMultipart: true, + // abortMultipartUpload: () => {}, // @see https://github.com/transloadit/uppy/issues/1197#issuecomment-491756118 + // companionHeaders: { + // 'authorization': `Bearer ${authData?.accessToken}` + // } + // }) @@ -127,7 +141,7 @@ export default function UploadForm({ vtubers }: IUploadFormProps) { // } // } // }); - // const res = await fetch(`${process.env.NEXT_PUBLIC_STRAPI_URL}/api/streams?${query}`); + // const res = await fetch(`${process.env.NEXT_PUBLIC_STRAPI_URL}/streams?${query}`); // if (!res.ok) return; // const matchingStream = (await res.json()).data as IStream; // console.log(matchingStream); @@ -142,7 +156,7 @@ export default function UploadForm({ vtubers }: IUploadFormProps) { async function createUSC(data: IFormSchema) { try { - const res = await fetch(`${process.env.NEXT_PUBLIC_STRAPI_URL}/api/user-submitted-contents/createFromUppy`, { + const res = await fetch(`${process.env.NEXT_PUBLIC_STRAPI_URL}/user-submitted-contents/createFromUppy`, { method: 'POST', headers: { 'authorization': `Bearer ${authData?.accessToken}`, @@ -162,7 +176,7 @@ export default function UploadForm({ vtubers }: IUploadFormProps) { }); if (!res.ok) { - console.error('failed to fetch /api/user-submitted-contents/createFromUppy'); + console.error('failed to fetch /user-submitted-contents/createFromUppy'); const body = await res.json(); const error = body.error; toast.error(`${error.type} ${error.message}`, { theme: 'dark' }); @@ -315,7 +329,7 @@ export default function UploadForm({ vtubers }: IUploadFormProps) { {...register('vtuber')} > {vtubers.map((vtuber: IVtuber) => ( - <option key={vtuber.id} value={vtuber.id}>{vtuber.attributes.displayName}</option> + <option key={vtuber.id} value={vtuber.id}>{vtuber.display_name}</option> ))} </select> </div> diff --git a/services/next/app/components/user-controls.tsx b/services/next/app/components/user-controls.tsx index 8c1df02..6a76717 100644 --- a/services/next/app/components/user-controls.tsx +++ b/services/next/app/components/user-controls.tsx @@ -1,7 +1,7 @@ 'use client'; import React, { useState } from 'react'; -import { patreonQuantumSupporterId, strapiUrl } from '../lib/constants'; +import { patreonQuantumSupporterId } from '../lib/constants'; import { FontAwesomeIcon } from "@fortawesome/react-fontawesome"; import { faSave, faTimes, faCheck } from "@fortawesome/free-solid-svg-icons"; import Skeleton from 'react-loading-skeleton'; @@ -115,7 +115,7 @@ export function SaveButton({ try { setIsLoading(true); - const response = await fetch(`${strapiUrl}/api/profile/${authData.user.id}`, { + const response = await fetch(`${postgrestLocalUrl}/profile/${authData.user.id}`, { method: 'PUT', headers: { 'Content-Type': 'application/json', diff --git a/services/next/app/components/video-context.tsx b/services/next/app/components/video-context.tsx index 9d592d5..97c5599 100644 --- a/services/next/app/components/video-context.tsx +++ b/services/next/app/components/video-context.tsx @@ -32,7 +32,7 @@ export const VideoContext = createContext<IVideoContextValue>({} as IVideoContex // const login = async () => { // const currentPath = window.location.pathname; // setLastVisitedPath(currentPath); -// router.push(`${strapiUrl}/api/connect/patreon`); +// router.push(`${postgrestLocalUrl}/connect/patreon`); // }; // const logout = () => { diff --git a/services/next/app/components/video-interactive.tsx b/services/next/app/components/video-interactive.tsx index 13c55ce..5d21819 100644 --- a/services/next/app/components/video-interactive.tsx +++ b/services/next/app/components/video-interactive.tsx @@ -4,7 +4,7 @@ import { IVod } from "@/app/lib/vods"; import { useRef, useState, useEffect, useCallback } from "react"; import { VideoPlayer } from "./video-player"; import { Tagger } from './tagger'; -import { ITimestamp, getTimestampsForVod } from "@/app/lib/timestamps"; +import { ITimestamp, getTimestampsVodLinksForVod } from "@/app/lib/timestamps"; import { TimestampsList } from "./timestamps-list"; import { ITagVodRelation } from "@/app/lib/tag-vod-relations"; import { VideoContext } from "./video-context"; @@ -66,7 +66,7 @@ export function VideoInteractive({ vod }: IVideoInteractiveProps): React.JSX.Ele const [currentTsPage, setCurrentTsPage] = useState(1); const getTimestampPage = useCallback(async (page: number) => { - const timestamps = await getTimestampsForVod(vod.id, page); + const timestamps = await getTimestampsVodLinksForVod(vod.id, page); setTimestamps(timestamps); }, [vod.id, setTimestamps]); // IGNORE TS LINTER! DO NOT PUT timestamps HERE! IT CAUSES SELF-DDOS! @@ -110,23 +110,37 @@ export function VideoInteractive({ vod }: IVideoInteractiveProps): React.JSX.Ele <VodNav vod={vod}></VodNav> <div className='mb-3 fp-vod-data'> - {vod.attributes.note && ( + {vod.note && ( <> <LinkableHeading text="Notes" slug="notes" icon={faNoteSticky}></LinkableHeading> - <div className='notification'>{vod.attributes.note}</div> + <div className='notification'>{vod.note}</div> </> )} <LinkableHeading text="Tags" slug="tags" icon={faTags}></LinkableHeading> - + <pre> + <code> + {JSON.stringify(vod, null, 2)} + </code> + </pre> <div className="tags has-addons mb-5"> - {vod.attributes.tagVodRelations.data.length === 0 && <div className="ml-5 mr-2"><p><i>This vod has no tags</i></p></div>} - {vod.attributes.tagVodRelations.data.map((tvr: ITagVodRelation) => ( - <Tag key={tvr.id} tvr={tvr}></Tag> - ))} - <Tagger vod={vod} setTimestamps={setTimestamps}></Tagger> + { + (!vod?.tag_vod_relations || vod.tag_vod_relations.length === 0) + ? <div className="ml-5 mr-2"><p><i>This vod has no tags</i></p></div> + : + vod.tag_vod_relations.map((tvr: ITagVodRelation) => ( + <Tag key={tvr.id} tvr={tvr}></Tag> + )) + } + {/* <Tagger vod={vod} setTimestamps={setTimestamps}></Tagger> */} </div> <LinkableHeading text="Timestamps" slug="timestamps" icon={faClock}></LinkableHeading> + <pre> + <code> + {JSON.stringify(timestamps, null, 2)} + </code> + </pre> + <TimestampsList timestamps={timestamps} setTimestamps={setTimestamps} vod={vod}></TimestampsList> </div> diff --git a/services/next/app/components/video-player.tsx b/services/next/app/components/video-player.tsx index 4f62671..e467371 100644 --- a/services/next/app/components/video-player.tsx +++ b/services/next/app/components/video-player.tsx @@ -5,7 +5,7 @@ import { IVod } from '@/app/lib/vods'; import { getVodTitle } from './vod-page'; import { VideoSourceSelector } from '@/app/components/video-source-selector' import { buildIpfsUrl } from '@/app/lib/ipfs'; -import { strapiUrl } from '@/app/lib/constants'; +import { postgrestLocalUrl } from '@/app/lib/constants'; import MuxPlayer from '@mux/mux-player-react/lazy'; import { VideoContext } from './video-context'; import MuxPlayerElement from '@mux/mux-player'; @@ -22,8 +22,8 @@ interface ITokens { thumbnailToken: string; } -async function getMuxPlaybackTokens(playbackId: string, jwt: string): Promise<ITokens> { - const res = await fetch(`${strapiUrl}/api/mux-asset/secure?id=${playbackId}`, { +async function getMuxPlaybackTokens(playback_id: string, jwt: string): Promise<ITokens> { + const res = await fetch(`${postgrestLocalUrl}/api/mux-asset/secure?id=${playback_id}`, { headers: { 'Authorization': `Bearer ${jwt}` } @@ -49,12 +49,12 @@ function hexToRgba(hex: string, alpha: number) { export const VideoPlayer = forwardRef(function VideoPlayer( props: IPlayerProps, ref: Ref<MuxPlayerElement> ): React.JSX.Element { const { vod, setIsPlayerReady } = props const title: string = getVodTitle(vod); - // const { authData } = useAuth(); + const [selectedVideoSource, setSelectedVideoSource] = useState(''); const [isEntitledToCDN, setIsEntitledToCDN] = useState(false); const [hlsSource, setHlsSource] = useState<string>(''); const [isClient, setIsClient] = useState(false); - const [playbackId, setPlaybackId] = useState(''); + const [playback_id, setplayback_id] = useState(''); const [src, setSrc] = useState(''); const [tokens, setTokens] = useState({}); const { setTimeStamp } = useContext(VideoContext); @@ -63,23 +63,21 @@ export const VideoPlayer = forwardRef(function VideoPlayer( props: IPlayerProps, useEffect(() => { setIsClient(true); - const token = authData?.accessToken; - const playbackId = vod?.attributes.muxAsset?.data?.attributes?.playbackId; + const playback_id = vod?.mux_asset?.playback_id; - if (token) setIsEntitledToCDN(true); if (selectedVideoSource === 'Mux') { - if (!!token && !!playbackId) { + if (!!token && !!playback_id) { try { - getMuxPlaybackTokens(vod.attributes.muxAsset.data.attributes.playbackId, token) + getMuxPlaybackTokens(vod.mux_asset.playback_id, token) .then((tokens) => { setTokens({ playback: tokens.playbackToken, storyboard: tokens.storyboardToken, thumbnail: tokens.thumbnailToken }) - setHlsSource(vod.attributes.muxAsset.data.attributes.playbackId) - setPlaybackId(vod.attributes.muxAsset.data.attributes.playbackId) + setHlsSource(vod.mux_asset.playback_id) + setplayback_id(vod.mux_asset.playback_id) }); } @@ -88,18 +86,10 @@ export const VideoPlayer = forwardRef(function VideoPlayer( props: IPlayerProps, } } } else if (selectedVideoSource === 'B2') { - if (!vod.attributes.videoSrcB2) return; // This shouldn't happen because videoSourceSelector won't choose B2 if there is no b2. This return is only for satisfying TS - setHlsSource(vod.attributes.videoSrcB2.data.attributes.cdnUrl); - setPlaybackId(''); - setSrc(vod.attributes.videoSrcB2.data.attributes.cdnUrl); - } else if (selectedVideoSource === 'IPFSSource') { - setHlsSource(''); - setPlaybackId(''); - setSrc(buildIpfsUrl(vod.attributes.videoSrcHash)) - } else if (selectedVideoSource === 'IPFS240') { - setHlsSource(''); - setPlaybackId(''); - setSrc(buildIpfsUrl(vod.attributes.video240Hash)) + if (!vod.s3_file) return; // This shouldn't happen because videoSourceSelector won't choose B2 if there is no b2. This return is only for satisfying TS + setHlsSource(vod.s3_file.cdn_url); + setplayback_id(''); + setSrc(vod.s3_file.cdn_url); } }, [selectedVideoSource, vod, setHlsSource]); @@ -117,7 +107,7 @@ export const VideoPlayer = forwardRef(function VideoPlayer( props: IPlayerProps, preload="auto" crossOrigin="*" loading="viewport" - playbackId={playbackId} + playback_id={playback_id} src={src} tokens={tokens} primaryColor="#FFFFFF" @@ -134,24 +124,22 @@ export const VideoPlayer = forwardRef(function VideoPlayer( props: IPlayerProps, muted ></MuxPlayer> - {/* {vod?.attributes?.videoSrcB2?.data?.attributes?.cdnUrl && (<> + {/* {vod?.attributes?.videoSrcB2?.data?.attributes?.cdn_url && (<> <p className='notification'>CDN2</p> <video id="player" playsinline controls data-poster="/path/to/poster.jpg"> - <source src={vod?.attributes.videoSrcB2?.data?.attributes?.cdnUrl} type="video/mp4" /> + <source src={vod?.attributes.videoSrcB2?.data?.attributes?.cdn_url} type="video/mp4" /> <track kind="captions" label="English captions" src="/path/to/captions.vtt" srclang="en" default /> </video> </>)} */} - <VideoSourceSelector - isMux={!!vod?.attributes.muxAsset?.data?.attributes?.playbackId} - isB2={!!vod?.attributes.videoSrcB2?.data?.attributes?.cdnUrl} - isIPFSSource={!!vod?.attributes.videoSrcHash} - isIPFS240={!!vod?.attributes.video240Hash} + {/* <VideoSourceSelector + isMux={!!vod?.mux_asset?.playback_id} + isB2={!!vod?.s3_file?.cdn_url} isEntitledToCDN={isEntitledToCDN} selectedVideoSource={selectedVideoSource} setSelectedVideoSource={setSelectedVideoSource} - ></VideoSourceSelector> + ></VideoSourceSelector> */} </> ) }) \ No newline at end of file diff --git a/services/next/app/components/vod-card.tsx b/services/next/app/components/vod-card.tsx index ad2a2df..ea653fe 100644 --- a/services/next/app/components/vod-card.tsx +++ b/services/next/app/components/vod-card.tsx @@ -15,9 +15,20 @@ interface IVodCardProps { } -export default function VodCard({id, title, date, muxAsset, thumbnail = 'https://futureporn-b2.b-cdn.net/default-thumbnail.webp', vtuber}: IVodCardProps) { +export default function VodCard({ id, title, date, muxAsset, thumbnail = 'https://futureporn-b2.b-cdn.net/default-thumbnail.webp', vtuber }: IVodCardProps) { - if (!vtuber?.slug) return <div className="card mb-3 mr-5"><p>VOD {id} is missing VTuber.slug~</p></div> + + // return (<p>@todo W VodCard</p>) + + if (!vtuber?.slug) return ( + <div key={id} className="column is-full-mobile is-one-third-tablet is-one-fourth-desktop is-one-fifth-fullhd"> + <div className="card"> + <div className="card-content"> + <article className="is-danger notification">VOD {id} is missing VTuber.slug</article> + </div> + </div> + </div> + ) return ( @@ -25,7 +36,7 @@ export default function VodCard({id, title, date, muxAsset, thumbnail = 'https:/ <div className="card"> <Link href={`/vt/${vtuber.slug}/vod/${getSafeDate(date)}`}> <div className="card-image"> - {thumbnail && + {thumbnail && <figure className="image is-16by9"> <Image src={thumbnail} @@ -51,7 +62,7 @@ export default function VodCard({id, title, date, muxAsset, thumbnail = 'https:/ </div> ) - } +} diff --git a/services/next/app/components/vod-nav.tsx b/services/next/app/components/vod-nav.tsx index 8106134..7c21383 100644 --- a/services/next/app/components/vod-nav.tsx +++ b/services/next/app/components/vod-nav.tsx @@ -22,34 +22,34 @@ export interface IVodNavProps { } export default function VodNav ({ vod }: IVodNavProps) { - const safeDate = getSafeDate(vod.attributes.date2); + const safeDate = getSafeDate(vod.date_2); return ( <nav className='level'> <div className='level-left'> <div className="level-item"> - <Link href={`/vt/${vod.attributes.vtuber.data.attributes.slug}`}> + <Link href={`/vt/${vod.vtuber.slug}`}> <VtuberButton size="medium" - image={vod.attributes.vtuber.data.attributes.image} - displayName={vod.attributes.vtuber.data.attributes.displayName} + image={vod.vtuber.image} + displayName={vod.vtuber.display_name} ></VtuberButton> </Link> </div> <div className="level-item"> - {/* <StreamButton stream={vod.attributes.stream.data} /> */} - {vod.attributes.date2} + {/* <StreamButton stream={vod.stream.data} /> */} + {vod.date_2} </div> </div> <div className='level-right'> - {vod.attributes.videoSrcHash && ( + {vod.ipfs_cid && ( <> <div className='level-item'> <Link - download={getDownloadLink(vod.attributes.videoSrcHash, safeDate, vod.attributes.vtuber.data.attributes.slug, 'source')} + download={getDownloadLink(vod.ipfs_cid, safeDate, vod.vtuber.slug, 'source')} className='button is-info is-small' target="_blank" prefetch={false} - href={getDownloadLink(vod.attributes.videoSrcHash, safeDate, vod.attributes.vtuber.data.attributes.slug, 'source')} + href={getDownloadLink(vod.ipfs_cid, safeDate, vod.vtuber.slug, 'source')} > <FontAwesomeIcon icon={faVideo} className="fas fa-download mr-1" /> <span className='mr-1'>Source</span> @@ -58,28 +58,12 @@ export default function VodNav ({ vod }: IVodNavProps) { </div> </> )} - {vod.attributes.video240Hash && ( - <div className='level-item'> - <span> - <Link - download={getDownloadLink(vod.attributes.video240Hash, safeDate, vod.attributes.vtuber.data.attributes.slug, '240p')} - className='button is-info is-small' - target="_blank" - prefetch={false} - href={getDownloadLink(vod.attributes.video240Hash, safeDate, vod.attributes.vtuber.data.attributes.slug, '240p')} - > - <FontAwesomeIcon icon={faVideo} className="fas fa-download mr-1" /> - <span className='mr-1'>240p</span> - <FontAwesomeIcon icon={faExternalLinkAlt} className="fas fa-external-link-alt" /> - </Link> - </span> - </div> - )} - {vod.attributes.announceUrl && ( + + {vod.announce_url && ( <div className='level-item'> <Link target="_blank" - href={vod.attributes.announceUrl} + href={vod.announce_url} className="button is-small" > <span className="mr-2"><FontAwesomeIcon icon={faXTwitter} className="fab fa-x-twitter" /></span><span><FontAwesomeIcon icon={faExternalLinkAlt} className="fas fa-external-link-alt" /></span> diff --git a/services/next/app/components/vod-page-2.tsx b/services/next/app/components/vod-page-2.tsx new file mode 100644 index 0000000..e2c1de8 --- /dev/null +++ b/services/next/app/components/vod-page-2.tsx @@ -0,0 +1,61 @@ +import { IVod } from "@futureporn/types"; +import Link from "next/link"; +import { FontAwesomeIcon } from "@fortawesome/react-fontawesome"; +import { faChevronLeft, faChevronRight } from "@fortawesome/free-solid-svg-icons"; +import { getNextVod, getPreviousVod, getUrl } from "../lib/vods"; +import { getLocalizedDate } from "../lib/vods"; +import Footer from "./footer"; + +export default async function VodPage2 ({ vod }: { vod: IVod }) { + + // use vod 337 for prototyping, because 337 has both timestamps and tags. + + const nextVod = await getNextVod(vod) + const previousVod = await getPreviousVod(vod) + const slug = vod.vtuber.slug + + return ( + <> + <p className="title">VodPage2</p> + <p>@todo insert video player here</p> + <p>@todo insert title here</p> + <p>@todo insert notes</p> + <p>@todo insert tags here</p> + <p>@todo insert timestamps here</p> + <nav className="level mt-5"> + <div className='level-left'> + <div className='level-item'> + {!!previousVod && ( + <Link className='button' href={getUrl(previousVod, slug, previousVod.date_2)}> + <FontAwesomeIcon + icon={faChevronLeft} + className='fas faChevronLeft' + ></FontAwesomeIcon> + <span className="ml-2">Prev VOD {getLocalizedDate(previousVod)}</span> + </Link> + )} + </div> + </div> + <div className='level-center'> + <div className='level-item'> + <p className='has-text-grey-darker'>ID {vod.id}</p> + </div> + </div> + <div className='level-right'> + <div className='level-item'> + {!!nextVod && ( + <Link className='button' href={getUrl(nextVod, slug, nextVod.date_2)}> + <span className="mr-2">Next VOD {getLocalizedDate(nextVod)}</span> + <FontAwesomeIcon + icon={faChevronRight} + className='fas faChevronRight' + ></FontAwesomeIcon> + </Link> + )} + </div> + </div> + </nav> + </> + ) +} + diff --git a/services/next/app/components/vod-page.tsx b/services/next/app/components/vod-page.tsx index eed0735..7e9a61e 100644 --- a/services/next/app/components/vod-page.tsx +++ b/services/next/app/components/vod-page.tsx @@ -13,8 +13,8 @@ import Thumbnail from './thumbnail'; export function getVodTitle(vod: IVod): string { // console.log('lets getVodTitle, ey?') // console.log(JSON.stringify(vod, null, 2)) - return vod.attributes?.title || vod.attributes?.announce_title || `VOD ${vod.id}` - // return vod.attributes.title || vod.attributes.announceTitle || (vod.attributes?.date2 && vod.attributes?.vtuber?.data?.attributes?.displayName) ? `${vod.attributes.vtuber.data.attributes.displayName} ${vod.attributes.date2}` : `VOD ${vod.id}`; + return vod.title || vod.announce_title || `VOD ${vod.id}` + // return vod.title || vod.announceTitle || (vod?.date2 && vod?.vtuber?.display_name) ? `${vod.vtuber.display_name} ${vod.date_2}` : `VOD ${vod.id}`; } export function buildMuxUrl(playbackId: string, token: string) { @@ -31,34 +31,34 @@ export function buildMuxThumbnailUrl(playbackId: string, token: string) { export default async function VodPage({vod}: { vod: IVod }) { - // console.log('vod page helllo') - // console.log(vod) if (!vod) notFound(); - const slug = vod.attributes.vtuber.data.attributes.slug; + if (!vod.vtuber) { + throw new Error(`vod.vtuber was falsy.`) + } + const slug = vod.vtuber.slug; const previousVod = await getPreviousVod(vod); const nextVod = await getNextVod(vod); - + // return <pre><code>{JSON.stringify(previousVod, null, 2)}</code></pre> + // return <p>{slug} VOD @todo previousVod={previousVod.title} nextVod={nextVod?.title}</p> return ( <div className="container"> <div className="section pt-0"> <VideoInteractive vod={vod}></VideoInteractive> + {/* <pre><code>{JSON.stringify(vod, null, 2)}</code></pre> */} - {(vod.attributes.thumbnail) && (<div className='mb-5'> + {(vod.thumbnail) && (<div className='mb-5'> <LinkableHeading text="Thumbnail Image" slug="thumb" icon={faImage}></LinkableHeading> - <Thumbnail url={vod.attributes.thumbnail.data.attributes.cdnUrl}></Thumbnail> + <Thumbnail url={vod.thumbnail.cdn_url}></Thumbnail> </div>)} - {(vod.attributes.videoSrcHash || vod.attributes.video240Hash) && ( + {(vod.ipfs_cid) && ( <> <LinkableHeading text="IPFS Content IDs" slug="ipfs" icon={faGlobe}></LinkableHeading> - {vod.attributes.videoSrcHash && ( - <IpfsCid label="Source" cid={vod.attributes.videoSrcHash}></IpfsCid> - )} - {vod.attributes.video240Hash && ( - <IpfsCid label="240p" cid={vod.attributes.video240Hash}></IpfsCid> + {vod.ipfs_cid && ( + <IpfsCid label="Source" cid={vod.ipfs_cid}></IpfsCid> )} </> )} @@ -68,7 +68,7 @@ export default async function VodPage({vod}: { vod: IVod }) { <div className='level-left'> <div className='level-item'> {!!previousVod && ( - <Link className='button' href={getUrl(previousVod, slug, previousVod.attributes.date2)}> + <Link className='button' href={getUrl(previousVod, slug, previousVod.date_2)}> <FontAwesomeIcon icon={faChevronLeft} className='fas faChevronLeft' @@ -80,13 +80,14 @@ export default async function VodPage({vod}: { vod: IVod }) { </div> <div className='level-center'> <div className='level-item'> - <p className='has-text-grey-darker'>UID {vod.attributes.cuid}</p> + {/* <p className='has-text-grey-darker'>UUID {vod.uuid}</p> UUID is too long for this space! */} + <p className='has-text-grey-darker'>ID {vod.id}</p> </div> </div> <div className='level-right'> <div className='level-item'> {!!nextVod && ( - <Link className='button' href={getUrl(nextVod, slug, nextVod.attributes.date2)}> + <Link className='button' href={getUrl(nextVod, slug, nextVod.date_2)}> <span className="mr-2">Next VOD {getLocalizedDate(nextVod)}</span> <FontAwesomeIcon icon={faChevronRight} diff --git a/services/next/app/components/vods-list.tsx b/services/next/app/components/vods-list.tsx index 1b326a4..b7dd8fd 100644 --- a/services/next/app/components/vods-list.tsx +++ b/services/next/app/components/vods-list.tsx @@ -43,7 +43,7 @@ export default function VodsList({ vods, page = 1, pageSize = 24 }: IVodsListPro {/* <pre> <code> - {JSON.stringify(vods.data, null, 2)} + {JSON.stringify(vods, null, 2)} </code> </pre> */} @@ -54,7 +54,7 @@ export default function VodsList({ vods, page = 1, pageSize = 24 }: IVodsListPro key={vod.id} id={vod.id} title={getVodTitle(vod)} - date={vod.date} + date={vod.date_2} muxAsset={vod.mux_asset?.playback_id} vtuber={vod.vtuber} thumbnail={vod.thumbnail?.cdn_url} diff --git a/services/next/app/components/vtuber-card.tsx b/services/next/app/components/vtuber-card.tsx index 190cd0a..739f54e 100644 --- a/services/next/app/components/vtuber-card.tsx +++ b/services/next/app/components/vtuber-card.tsx @@ -7,7 +7,7 @@ import ArchiveProgress from "./archive-progress"; export default async function VTuberCard(vtuber: IVtuber) { const { id, slug, display_name, image_blur, image } = vtuber; - if (!image_blur) return <p>This VTuberCard is missing image_blur</p> + if (!image_blur) return <div className="column is-full-mobile is-half-tablet"><div className="card"><div className="card-content">This VTuberCard is missing image_blur</div></div></div> const vods = await getVodsForVtuber(id) if (!vods) return <NotFound></NotFound> return ( diff --git a/services/next/app/connect/patreon/redirect/page.tsx b/services/next/app/connect/patreon/redirect/page.tsx index 8c00f41..40b65a0 100644 --- a/services/next/app/connect/patreon/redirect/page.tsx +++ b/services/next/app/connect/patreon/redirect/page.tsx @@ -3,7 +3,7 @@ import { useSearchParams, useRouter } from 'next/navigation' import Link from 'next/link' import { useEffect, useState } from 'react' -import { strapiUrl } from '@/app/lib/constants' +import { postgrestLocalUrl } from '@/app/lib/constants' import { DangerNotification } from '@/app/components/notifications' export type AccessToken = string | null; @@ -53,7 +53,7 @@ export default function Page() { const getJwt = async (accessToken: AccessToken): Promise<IJWT | null> => { try { - const response = await fetch(`${strapiUrl}/api/auth/patreon/callback?access_token=${accessToken}`); + const response = await fetch(`${postgrestLocalUrl}/api/auth/patreon/callback?access_token=${accessToken}`); if (!response.ok) { // Handle non-2xx HTTP response status diff --git a/services/next/app/latest-vods/page.tsx b/services/next/app/latest-vods/page.tsx index b7d0fe1..3a750d2 100644 --- a/services/next/app/latest-vods/page.tsx +++ b/services/next/app/latest-vods/page.tsx @@ -13,13 +13,13 @@ interface IPageParams { export default async function Page({ params }: IPageParams) { const pageSize = 24 - const vods = await getVods(1, pageSize); + const { vods, count } = await getVods(1, pageSize); return ( <> <h2 className='title is-2'>Latest VODs</h2> <p className='subtitle'>page 1</p> <VodsList vods={vods} page={1} pageSize={24} /> - <Pager baseUrl='/latest-vods' page={1} pageCount={vods.length/pageSize} /> + <Pager baseUrl='/latest-vods' page={1} pageCount={count/pageSize} /> </> ) } \ No newline at end of file diff --git a/services/next/app/lib/auth.ts b/services/next/app/lib/auth.ts index 1c7a690..44e3579 100644 --- a/services/next/app/lib/auth.ts +++ b/services/next/app/lib/auth.ts @@ -2,10 +2,11 @@ import KeycloakProvider, { type KeycloakProfile } from "next-auth/providers/keyc import { NextAuthOptions } from "next-auth"; import { jwtDecode } from "jwt-decode"; import { type JWT } from "next-auth/jwt"; -import { User, Profile } from "next-auth"; +import NextAuth, { User, Profile } from "next-auth"; import { configs } from "../config/configs"; -import { getPatreonMemberships, getKeycloakIdpToken, updateKeycloakUserPatreonEntitlements, tiersToRolesMap } from "./patreon"; +import { extractCurrentlyEntitledTiers, mapTierIdsToRoles } from "./patreon"; import { getTierNameFromTierId } from "./keycloak"; +import type { OAuthConfig, OAuthUserConfig } from "next-auth/providers/oauth"; declare module "next-auth" { @@ -37,6 +38,49 @@ declare module "next-auth/jwt" { } +export interface PatreonProfile extends Record<string, any> { + sub: string + nickname: string + email: string + picture: string +} + + + +export default function Patreon<P extends PatreonProfile>( + options: OAuthUserConfig<P> +): OAuthConfig<P> { + return { + id: "patreon", + name: "Patreon", + type: "oauth", + version: "2.0", + authorization: { + url: "https://www.patreon.com/oauth2/authorize", + params: { scope: "identity" }, + }, + token: "https://www.patreon.com/api/oauth2/token", + userinfo: "https://www.patreon.com/api/oauth2/v2/identity?fields%5Buser%5D=about,created,email,first_name,full_name,image_url,last_name,thumb_url,url,vanity&include=memberships,memberships.currently_entitled_tiers,memberships.currently_entitled_tiers.benefits", + profile(profile) { + console.log(`profile callback!!!! userinfo as follows`) + // console.log(profile) + + const tiers = extractCurrentlyEntitledTiers(profile) + console.log(tiers) + + return { + id: profile.data.id, + name: profile.data.attributes.full_name, + email: profile.data.attributes.email, + image: profile.data.attributes.image_url, + currently_entitled_tiers: tiers + } + }, + style: { logo: "/patreon.svg", bg: "#e85b46", text: "#fff" }, + options, + } +} + @@ -46,136 +90,55 @@ export const authOptions: NextAuthOptions = { strategy: "jwt" }, providers: [ - KeycloakProvider({ - clientId: configs.keycloakClientId, - clientSecret: configs.keycloakClientSecret, - issuer: configs.keycloakIssuer + Patreon({ + clientId: configs.patreonClientId, + clientSecret: configs.patreonClientSecret, }) ], callbacks: { - - async jwt({ token, account, profile }): Promise<JWT> { + // Using the `...rest` parameter to be able to narrow down the type based on `trigger` + jwt({ token, trigger, session, account, profile, user }) { + console.log(`next-auth jwt callback! trigger=${trigger}`) if (account) { - // First-time login, save the `access_token`, its expiry and the `refresh_token` - const decodedAccountToken = jwtDecode(account.access_token as any) as KeycloakProfile - return { - ...token, - access_token: account.access_token, - expires_at: account.expires_at, - refresh_token: account.refresh_token, - client_roles: decodedAccountToken.realm_access.roles, - scope: decodedAccountToken.scope, - resource_access: decodedAccountToken.resource_access, - profile: profile, - } - } else if (Date.now() < token.expires_at * 1000) { - // Subsequent logins, but the `access_token` is still valid - return token - } else { - // Subsequent logins, but the `access_token` has expired, try to refresh it - if (!token.refresh_token) throw new TypeError("Missing refresh_token") - - try { - console.log(`>>> we are refreshing the token`) - const response = await fetch(`https://keycloak.fp.sbtp.xyz/realms/futureporn/protocol/openid-connect/token`, { - method: 'POST', - headers: { - 'content-type': 'application/x-www-form-urlencoded', - }, - body: new URLSearchParams({ - grant_type: 'refresh_token', - client_id: configs.keycloakClientId, - client_secret: configs.keycloakClientSecret, - refresh_token: token.refresh_token, - }).toString(), - }) - - const tokensOrError = await response.json() - - if (!response.ok) throw tokensOrError - - const newTokens = tokensOrError as { - access_token: string - expires_in: number - refresh_token?: string - } - - token.access_token = newTokens.access_token - token.expires_at = Math.floor( - Date.now() / 1000 + newTokens.expires_in - ) - // Some providers only issue refresh tokens once, so preserve if we did not get a new one - if (newTokens.refresh_token) { - token.refresh_token = newTokens.refresh_token - } - - - - return token - } catch (error) { - console.error("Error refreshing access_token", error) - // If we fail to refresh the token, return an error so we can handle it on the page - token.error = "RefreshTokenError" - return token - } + console.log(`>>>> account was present!`) + console.log(account) + console.log(user) + token.currently_entitled_tiers = user.currently_entitled_tiers } + if (trigger === 'signIn' && profile) { + console.log('trigger is signIn and profile as follows') + console.log(profile) + token.test = true + return token + } + if (trigger === "update" && session?.name) { + // Note, that `session` can be any arbitrary object, remember to validate it! + token.name = session.name + } + + token.test = 'yessir' + return token }, - - - // async jwt({ token, account, profile }) { - - - - // if (account) { - // const decodedAccountToken = jwtDecode(account.access_token as any) as KeycloakProfile - // // console.log(`jwt() callback. decodedAccountToken as follows.`) - // // console.log(decodedAccountToken) - // token.client_roles = decodedAccountToken.realm_access.roles - // token.scope = decodedAccountToken.scope - // token.resource_access = decodedAccountToken.resource_access; - - // token.expires_at = account.expires_at ?? 0; - // token.access_token = account.access_token!; - // token.refresh_token = account.refresh_token!; - // } - - // if (profile) { - // token.profile = profile - // } - - // return token; - // }, - async session({ session, token, trigger }) { - - // console.log(`Token interceptor to add token info to the session to use on the pages. trigger=${trigger}`) - // console.log(JSON.stringify(token, null, 2)) - // console.log('session as follows') - // console.log(JSON.stringify(session, null, 2)) - - - // get user's patreon tiers and adds them to the appropriate keycloak group - const entitledTiers = await updateKeycloakUserPatreonEntitlements(token) - // console.log(`entitledTiers=${JSON.stringify(entitledTiers)}`) - const entitledTierName = getTierNameFromTierId(entitledTiers[0]) - const entitledRoles = tiersToRolesMap[entitledTierName] - console.log(`entitledRoles=${entitledRoles.join(', ')}`) - - const userId = token?.sub - if (!userId) throw new Error('failed to get userId from token.sub'); - - - - // session.account = token.account - session.profile = token.profile - session.roles = entitledRoles // this is a hack to avoid the user having to log in twice to get synced with keycloak roles + async session({ session, token, user }) { + console.log('Send properties to the client, like an access_token and user id from a provider.') + console.log(token) + console.log(session) + console.log(user) session.token = token - + if (token?.currently_entitled_tiers) { + session.roles = mapTierIdsToRoles(token.currently_entitled_tiers) + } + + return session } } } +export const { handler, signIn, signOut, auth } = NextAuth(authOptions) + + // async jwt({ token, account, profile }) { // try { diff --git a/services/next/app/lib/b2File.ts b/services/next/app/lib/b2File.ts index 03bcd9b..389ab10 100644 --- a/services/next/app/lib/b2File.ts +++ b/services/next/app/lib/b2File.ts @@ -1,13 +1,2 @@ import { IMeta } from "@futureporn/types"; -export interface IB2File { - id: number; - url: string; - key: string; - uploadId: string; - cdn_url: string; -} -export interface IB2FileResponse { - data: IB2File; - meta: IMeta; -} \ No newline at end of file diff --git a/services/next/app/lib/constants.ts b/services/next/app/lib/constants.ts index 50e3a52..30bde6b 100644 --- a/services/next/app/lib/constants.ts +++ b/services/next/app/lib/constants.ts @@ -4,7 +4,6 @@ if (!process.env.NEXT_PUBLIC_UPPY_COMPANION_URL) console.error('NEXT_PUBLIC_UPPY export const companionUrl = ''+process.env.NEXT_PUBLIC_UPPY_COMPANION_URL export const siteUrl = ''+process.env.NEXT_PUBLIC_SITE_URL -export const strapiUrl = ''+process.env.NEXT_PUBLIC_STRAPI_URL export const postgrestUrl = ''+process.env.NEXT_PUBLIC_POSTGREST_URL export const postgrestLocalUrl = 'http://postgrest.futureporn.svc.cluster.local:9000' export const patreonCampaignId: string = '8012692' diff --git a/services/next/app/lib/contributors.ts b/services/next/app/lib/contributors.ts index e2e0788..22a4798 100644 --- a/services/next/app/lib/contributors.ts +++ b/services/next/app/lib/contributors.ts @@ -1,14 +1,12 @@ -import { strapiUrl } from "./constants"; +import { postgrestLocalUrl } from "./constants"; import fetchAPI from "./fetch-api"; export interface IContributor { id: number; - attributes: { - name: string; - url?: string; - isFinancialDonor: boolean; - isVodProvider: boolean; - } + name: string; + url?: string; + isFinancialDonor: boolean; + isVodProvider: boolean; } diff --git a/services/next/app/lib/dates.ts b/services/next/app/lib/dates.ts index fa4ab5f..330dab2 100644 --- a/services/next/app/lib/dates.ts +++ b/services/next/app/lib/dates.ts @@ -8,7 +8,7 @@ const localTimeZone = Intl.DateTimeFormat().resolvedOptions().timeZone; export function getSafeDate(date: string | Date): string { let dateString: string; - if (!date) throw new Error(`date passed to getSafeDate() was falsy`); + if (!date) throw new Error(`date passed to getSafeDate() was falsy. ${date}`); if (typeof date === 'string') { const dateObject = toZonedTime(date, 'UTC'); dateString = format(dateObject, safeDateFormatString, { timeZone: 'UTC' }); @@ -21,6 +21,7 @@ export function getSafeDate(date: string | Date): string { export function getDateFromSafeDate(safeDate: string): Date { + console.log(`getDateFromSafeDate(). safeDate=${safeDate}`) const date = parse(safeDate, safeDateFormatString, new Date()) const utcDate = fromZonedTime(date, 'UTC') return utcDate; diff --git a/services/next/app/lib/fetch-api.ts b/services/next/app/lib/fetch-api.ts index 76bf82f..8db3165 100644 --- a/services/next/app/lib/fetch-api.ts +++ b/services/next/app/lib/fetch-api.ts @@ -1,7 +1,7 @@ // greets https://github.com/strapi/nextjs-corporate-starter/blob/main/frontend/src/app/%5Blang%5D/utils/fetch-api.tsx#L4 import qs from "qs"; -import { postgrestLocalUrl, strapiUrl } from "./constants"; +import { postgrestLocalUrl } from "./constants"; export default async function fetchAPI( path: string, diff --git a/services/next/app/lib/fetchers.ts b/services/next/app/lib/fetchers.ts index 3e28468..98b6e5a 100644 --- a/services/next/app/lib/fetchers.ts +++ b/services/next/app/lib/fetchers.ts @@ -1,4 +1,14 @@ -import { strapiUrl } from "./constants"; +import { postgrestLocalUrl } from "./constants"; + +/* + * https://postgrest.org/en/latest/references/api/pagination_count.html + * HTTP/1.1 206 Partial Content + * Content-Range: 0-24/3572000 + */ +export function getCountFromHeaders(res: Response) { + const count = parseInt(res.headers.get('Content-Range')?.split('/').at(-1) || '0') + return count +} export async function fetchPaginatedData(apiEndpoint: string, pageSize: number, queryParams: Record<string, any> = {}): Promise<any[]> { let data: any[] = []; @@ -12,7 +22,7 @@ export async function fetchPaginatedData(apiEndpoint: string, pageSize: number, 'pagination[pageSize]': pageSize.toString(), ...queryParams, }); - const url = `${strapiUrl}${apiEndpoint}?${params}`; + const url = `${postgrestLocalUrl}${apiEndpoint}?${params}`; const response = await fetch(url, { method: 'GET' diff --git a/services/next/app/lib/patreon.ts b/services/next/app/lib/patreon.ts index 2bbbd2c..574cdcb 100644 --- a/services/next/app/lib/patreon.ts +++ b/services/next/app/lib/patreon.ts @@ -23,15 +23,15 @@ interface KeycloakIdpToken { scope: string; version: string; } -interface PatreonResponse { - data: UserData; +export interface PatreonResponse { + data: PatreonUserData; included: IncludedItem[]; links: { self: string; }; } -interface UserData { +export interface PatreonUserData { attributes: UserAttributes; id: string; relationships: { @@ -137,6 +137,28 @@ export const tiersToRolesMap: Record<string, string[]> = { }; +export const mapTierIdsToRoles = (tierIds: string[]): string[] => { + + console.log(`mapTierIdsToRoles tierIds=${JSON.stringify(tierIds, null, 2)}`) + // Reverse map of tiers for easier lookup by tier ID + const idToTier = Object.entries(tiers).reduce<Record<string, string>>( + (acc, [tierName, tierId]) => { + acc[tierId] = tierName; + return acc; + }, + {} + ); + + // Aggregate roles for all tier IDs + const roles = tierIds.flatMap((tierId) => { + const tierName = idToTier[tierId]; + return tierName ? tiersToRolesMap[tierName] : []; + }); + + // Remove duplicates and return + return [...new Set(roles)]; +}; + export async function updateKeycloakUserPatreonEntitlements(token: JWT): Promise<TiersList> { @@ -183,10 +205,12 @@ export async function getKeycloakIdpToken(access_token: string): Promise<Keycloa return idpToken } -export function extractCurrentlyEntitledTiers(response: PatreonResponse): Relationship[] { +export function extractCurrentlyEntitledTiers(response: PatreonResponse): string[] { return response.included .filter((item): item is Member => item.type === "member") - .flatMap(member => member.relationships.currently_entitled_tiers.data); + .flatMap(member => member.relationships.currently_entitled_tiers.data) + .map((t) => t.id) // from the currently_entitled_tiers, we only want the id. + .filter((t) => Object.values(tiers).includes(t)) // we filter out any non-futureporn patreon tiers. } export async function getPatreonMemberships(token: KeycloakIdpToken): Promise<TiersList> { @@ -246,8 +270,8 @@ export async function getCampaign(): Promise<ICampaign> { }) const campaignData = await res.json(); const data = { - patronCount: campaignData.data.attributes.patron_count, - pledgeSum: campaignData.data.attributes.campaign_pledge_sum + patronCount: campaignData.patron_count, + pledgeSum: campaignData.campaign_pledge_sum } return data } diff --git a/services/next/app/lib/rss.ts b/services/next/app/lib/rss.ts index 962c9b2..74ba374 100644 --- a/services/next/app/lib/rss.ts +++ b/services/next/app/lib/rss.ts @@ -31,12 +31,12 @@ export async function generateFeeds() { vods.data.map((vod: IVod) => { feed.addItem({ - title: vod.attributes.title || vod.attributes.announceTitle, - description: vod.attributes.title, // @todo vod.attributes.spoiler or vod.attributes.note could go here - content: vod.attributes.tagVodRelations.data.map((tvr: ITagVodRelation) => tvr.attributes.tag.data.attributes.name).join(' '), - link: getUrl(vod, vod.attributes.vtuber.data.attributes.slug, vod.attributes.date2), - date: new Date(vod.attributes.date2), - image: vod.attributes.vtuber.data.attributes.image + title: vod.title || vod.announceTitle, + description: vod.title, // @todo vod.spoiler or vod.note could go here + content: vod.tagVodRelations.data.map((tvr: ITagVodRelation) => tvr.attributes.tag.name).join(' '), + link: getUrl(vod, vod.vtuber.slug, vod.date2), + date: new Date(vod.date2), + image: vod.vtuber.image }) }) diff --git a/services/next/app/lib/streams.ts b/services/next/app/lib/streams.ts index ee93f1e..4d0a993 100644 --- a/services/next/app/lib/streams.ts +++ b/services/next/app/lib/streams.ts @@ -1,5 +1,5 @@ -import { postgrestLocalUrl, postgrestUrl, siteUrl, strapiUrl } from './constants'; +import { postgrestLocalUrl, postgrestUrl, siteUrl } from './constants'; import { getSafeDate } from './dates'; import qs from 'qs'; import { IStream } from '@futureporn/types'; @@ -50,6 +50,7 @@ export async function getStreamByUUID(uuid: string): Promise<IStream> { } export function getUrl(stream: IStream, slug: string, date: string): string { + console.log(`getUrl() invoked with idk idk`) return `${siteUrl}/vt/${slug}/stream/${getSafeDate(date)}` } @@ -251,7 +252,7 @@ export async function getAllStreamsForVtuber(vtuberId: number, archiveStatuses = }, }); - // console.log(`strapiUrl=${strapiUrl}`) + // console.log(`postgrestLocalUrl=${postgrestLocalUrl}`) const response = await fetch(`${postgrestUrl}/streams?${query}`, fetchStreamsOptions) if (response.status !== 200) { @@ -351,7 +352,7 @@ export async function getStreamCountForVtuber(vtuberId: number, archiveStatuses } export async function getStreamsForVtuber(vtuberId: number, page: number = 1, pageSize: number = 25, sortDesc = true): Promise<IStream[]> { - // console.log(`getStreamsForVtuber() with strapiUrl=${strapiUrl}`) + // console.log(`getStreamsForVtuber() with postgrestLocalUrl=${postgrestLocalUrl}`) const query = qs.stringify( { populate: { diff --git a/services/next/app/lib/tag-vod-relations.ts b/services/next/app/lib/tag-vod-relations.ts index e1db946..dad7e93 100644 --- a/services/next/app/lib/tag-vod-relations.ts +++ b/services/next/app/lib/tag-vod-relations.ts @@ -7,32 +7,16 @@ import qs from 'qs'; -import { strapiUrl } from './constants' -import { ITagResponse, IToyTagResponse } from './tags'; -import { IVod, IVodResponse } from './vods'; +import { postgrestLocalUrl } from './constants' +import { ITag, IToyTag } from './tags'; +import { IVod } from './vods'; import { IMeta } from '@futureporn/types'; -export interface ITagVodRelation { - id: number; - attributes: { - tag: ITagResponse | IToyTagResponse; - vod: IVodResponse; - creatorId: number; - createdAt: string; - } -} - - -export interface ITagVodRelationsResponse { - data: ITagVodRelation[]; - meta: IMeta; -} - export async function deleteTvr(authData: IAuthData, tagId: number) { - return fetch(`${strapiUrl}/api/tag-vod-relations/deleteMine/${tagId}`, { + return fetch(`${postgrestLocalUrl}/tag-vod-relations/deleteMine/${tagId}`, { method: 'DELETE', headers: { 'Authorization': `Bearer ${authData.accessToken}`, @@ -63,7 +47,7 @@ export async function readTagVodRelation(accessToken: string, tagId: number, vod ] } }); - const res = await fetch(`${strapiUrl}/api/tag-vod-relations?${findQuery}`); + const res = await fetch(`${postgrestLocalUrl}/tag-vod-relations?${findQuery}`); const json = await res.json(); return json.data[0]; } @@ -76,7 +60,7 @@ export async function createTagVodRelation(accessToken: string, tagId: number, v tag: tagId, vod: vodId } - const res = await fetch(`${strapiUrl}/api/tag-vod-relations`, { + const res = await fetch(`${postgrestLocalUrl}/tag-vod-relations`, { method: 'POST', body: JSON.stringify({ data: payload }), headers: { @@ -109,7 +93,7 @@ export async function readOrCreateTagVodRelation (accessToken: string, tagId: nu // vodId: vodId // }; // try { -// const res = await fetch(`${strapiUrl}/api/tag-vod-relations/tag`, { +// const res = await fetch(`${postgrestLocalUrl}/tag-vod-relations/tag`, { // method: 'POST', // body: JSON.stringify({ data }), // headers: { @@ -125,7 +109,7 @@ export async function readOrCreateTagVodRelation (accessToken: string, tagId: nu // } -export async function getTagVodRelationsForVtuber(vtuberId: number, page: number = 1, pageSize: number = 25): Promise<ITagVodRelationsResponse|null> { +export async function getTagVodRelationsForVtuber(vtuberId: number, page: number = 1, pageSize: number = 25): Promise<ITagVodRelation|null> { // get the tag-vod-relations where the vtuber is the vtuber we are interested in. const query = qs.stringify( { @@ -182,7 +166,7 @@ export async function getTagVodRelationsForVtuber(vtuberId: number, page: number // to get an IToys object, we have to get a list of toys from tvrs. - const res = await fetch(`${strapiUrl}/api/tag-vod-relations?${query}`); + const res = await fetch(`${postgrestLocalUrl}/tag-vod-relations?${query}`); if (!res.ok) return null; const tvrs = await res.json() return tvrs; diff --git a/services/next/app/lib/tags.ts b/services/next/app/lib/tags.ts index 192281b..0850f5c 100644 --- a/services/next/app/lib/tags.ts +++ b/services/next/app/lib/tags.ts @@ -1,4 +1,4 @@ -import { strapiUrl } from './constants' +import { postgrestLocalUrl } from './constants' import { fetchPaginatedData } from './fetchers'; import { IVod } from './vods'; import slugify from 'slugify'; @@ -9,30 +9,8 @@ import { IMeta } from '@futureporn/types'; export interface ITag { id: number; - attributes: { - name: string; - count: number; - } -} - -export interface ITagsResponse { - data: ITag[]; - meta: IMeta; -} - -export interface ITagResponse { - data: ITag; - meta: IMeta; -} - -export interface IToyTagResponse { - data: IToyTag; - meta: IMeta; -} - - -export interface IToyTag extends ITag { - toy: IToy; + name: string; + count: number; } @@ -46,7 +24,7 @@ export async function createTag(accessToken: string, tagName: string): Promise<I const payload = { name: slugify(tagName) }; - const res = await fetch(`${strapiUrl}/api/tags`, { + const res = await fetch(`${postgrestLocalUrl}/tags`, { method: 'POST', headers: { 'authorization': `Bearer ${accessToken}`, @@ -71,7 +49,7 @@ export async function readTag(accessToken: string, tagName: string): Promise<ITa } } }); - const findResponse = await fetch(`${strapiUrl}/api/tags?${findQuery}`, { + const findResponse = await fetch(`${postgrestLocalUrl}/tags?${findQuery}`, { method: 'GET', headers: { 'Authorization': `Bearer ${accessToken}`, @@ -101,14 +79,14 @@ export async function readOrCreateTag(accessToken: string, tagName: string): Pro } export async function getTags(): Promise<ITag[]> { - const tagVodRelations = await fetchPaginatedData('/api/tag-vod-relations', 100, { 'populate[0]': 'tag', 'populate[1]': 'vod' }); + const tagVodRelations = await fetchPaginatedData('/tag-vod-relations', 100, { 'populate[0]': 'tag', 'populate[1]': 'vod' }); // Create a Map to store tag data, including counts and IDs const tagDataMap = new Map<string, { id: number, count: number }>(); // Populate the tag data map with counts and IDs tagVodRelations.forEach(tvr => { - const tagName = tvr.attributes.tag.data.attributes.name; + const tagName = tvr.attributes.tag.name; const tagId = tvr.attributes.tag.data.id; if (!tagDataMap.has(tagName)) { diff --git a/services/next/app/lib/timestamps.ts b/services/next/app/lib/timestamps.ts index 3ac12fe..1f70423 100644 --- a/services/next/app/lib/timestamps.ts +++ b/services/next/app/lib/timestamps.ts @@ -1,22 +1,21 @@ import qs from 'qs'; -import { strapiUrl } from './constants' +import { postgrestLocalUrl, postgrestUrl } from './constants' import { ITagsResponse, ITag, ITagResponse } from './tags'; import { IMeta } from '@futureporn/types'; +import { getCountFromHeaders } from './fetchers'; export interface ITimestamp { id: number; - attributes: { - time: number; - tagName: string; - tnShort: string; - tagId: number; - vodId: number; - tag: ITagResponse; - createdAt: string; - creatorId: number; - } + time: number; + tag_name: string; + tn_short: string; + tag_id: number; + vod_id: number; + tag: ITagResponse; + created_at: string; + creator_id: number; } @@ -39,7 +38,7 @@ function truncateString(str: string, maxLength: number) { } export function deleteTimestamp(authData: IAuthData, tsId: number) { - return fetch(`${strapiUrl}/api/timestamps/deleteMine/${tsId}`, { + return fetch(`${postgrestLocalUrl}/timestamps/deleteMine/${tsId}`, { method: 'DELETE', headers: { 'Authorization': `Bearer ${authData.accessToken}`, @@ -66,7 +65,7 @@ export async function createTimestamp( const query = qs.stringify({ populate: '*' }); - const response = await fetch(`${strapiUrl}/api/timestamps?${query}`, { + const response = await fetch(`${postgrestLocalUrl}/timestamps?${query}`, { method: 'POST', headers: { 'Authorization': `Bearer ${authData.accessToken}`, @@ -93,34 +92,34 @@ export async function createTimestamp( -export async function getTimestampsForVod(vodId: number, page: number = 1, pageSize: number = 25): Promise<ITimestamp[]> { - const query = qs.stringify({ - filters: { - vod: { - id: { - $eq: vodId, - }, - }, - }, - populate: '*', - sort: 'time:asc', - pagination: { - page: page, - pageSize: pageSize, - }, +export async function getTimestampsVodLinksForVod(vodId: number, page: number = 1, pageSize: number = 25): Promise<ITimestamp[]> { + // const query = qs.stringify({ + // filters: { + // vod: { + // id: { + // $eq: vodId, + // }, + // }, + // }, + // populate: '*', + // sort: 'time:asc', + // pagination: { + // page: page, + // pageSize: pageSize, + // }, + // }); + + const query = `select=*,tags_vods(tag_id,tags(*))&id=eq.${vodId}`; + const response = await fetch(`${postgrestUrl}/vods?${query}`, { + headers: { + "Prefer": "count=exact" + } }); - const response = await fetch(`${strapiUrl}/api/timestamps?${query}`); - const data = await response.json() as ITimestampsResponse; + // /vods?id=eq.326&select=timestamps_vod_links(timestamps(timestamps_tag_links(tags(id,name)))) - const timestamps: ITimestamp[] = data.data || []; - // If there are more pages, recursively fetch them and concatenate the results - if (data.meta.pagination && (data.meta.pagination.page < data.meta.pagination.pageCount)) { - const nextPage = (data.meta.pagination.page + 1); - const nextPageTimestamps = await getTimestampsForVod(vodId, nextPage, pageSize); - timestamps.push(...nextPageTimestamps); - } + const data = await response.json() as ITimestamp[]; - return timestamps; + return data; } \ No newline at end of file diff --git a/services/next/app/lib/toys.ts b/services/next/app/lib/toys.ts index 2cf5def..53cbea8 100644 --- a/services/next/app/lib/toys.ts +++ b/services/next/app/lib/toys.ts @@ -3,29 +3,6 @@ import { ITag, ITagResponse, ITagsResponse } from '@/app/lib/tags' import { IMeta } from '@futureporn/types'; -export interface IToysResponse { - data: IToy[]; - meta: IMeta; -} - -export interface IToy { - id: number; - attributes: { - tags: ITagsResponse; - linkTag: ITagResponse; - make: string; - model: string; - aspectRatio: string; - image2: string; - } -} - - -interface IToysListProps { - toys: IToysResponse; - page: number; - pageSize: number; -} /** This endpoint doesn't exist at the moment, but definitely could in the future */ diff --git a/services/next/app/lib/users.ts b/services/next/app/lib/users.ts index 93cb431..188ae90 100644 --- a/services/next/app/lib/users.ts +++ b/services/next/app/lib/users.ts @@ -1,16 +1 @@ import { IMeta } from "@futureporn/types"; - - -export interface IUser { - id: number; - attributes: { - username: string; - vanityLink?: string; - image: string; - } -} - -export interface IUserResponse { - data: IUser; - meta: IMeta; -} \ No newline at end of file diff --git a/services/next/app/lib/vods.ts b/services/next/app/lib/vods.ts index 0be5def..ae3bc6f 100644 --- a/services/next/app/lib/vods.ts +++ b/services/next/app/lib/vods.ts @@ -1,63 +1,31 @@ import { postgrestLocalUrl, siteUrl } from './constants'; import { getDateFromSafeDate, getSafeDate } from './dates'; -import { IVtuber, IStream, IStreamResponse } from '@futureporn/types'; +import { IVtuber, IStream, ITimestamp, IVod } from '@futureporn/types'; import qs from 'qs'; -import { ITagVodRelationsResponse } from './tag-vod-relations'; -import { ITimestampsResponse } from './timestamps'; +import { ITagVodRelation } from './tag-vod-relations'; import { IMeta, IMuxAsset, IMuxAssetResponse } from '@futureporn/types'; -import { IB2File, IB2FileResponse } from '@/app/lib/b2File'; +import { IS3File, IS3FileResponse } from '@/app/lib/b2File'; import fetchAPI from './fetch-api'; import { IUserResponse } from './users'; +import { getCountFromHeaders } from './fetchers'; /** - * Dec 2023 CUIDs were introduced. - * Going forward, use CUIDs where possible. + * Dec 2024 UUIDs were introduced. + * Going forward, use UUIDs where possible. * safeDates are retained for backwards compatibility. * * @see https://www.w3.org/Provider/Style/URI */ export interface IVodPageProps { params: { - safeDateOrCuid: string; + safeDateOrUUID: string; slug: string; }; } -export interface IVodsResponse { - data: IVod[]; - meta: IMeta; -} - -export interface IVodResponse { - data: IVod; - meta: IMeta; -} - -export interface IVod { - id: number; - stream: IStreamResponse; - published_at?: string; - cuid: string; - title?: string; - duration?: number; - date: string; - date2: string; - mux_asset: IMuxAsset; - thumbnail?: IB2File; - vtuber: IVtuber; - tag_vod_relations: ITagVodRelationsResponse; - timestamps: ITimestampsResponse; - video240Hash: string; - videoSrcHash: string; - videoSrcB2: IB2FileResponse | null; - announce_title: string; - announce_url: string; - uploader: IUserResponse; - note: string; -} const fetchVodsOptions = { next: { @@ -66,18 +34,20 @@ const fetchVodsOptions = { } -export async function getVodFromSafeDateOrCuid(safeDateOrCuid: string): Promise<IVod | null> { +export async function getVodFromSafeDateOrUUID(safeDateOrUUID: string): Promise<IVod | null> { let vod: IVod | null; let date: Date; - if (!safeDateOrCuid) { - console.log(`safeDateOrCuid was missing`); + if (!safeDateOrUUID) { + console.log(`safeDateOrUUID was missing`); return null; - } else if (/^[0-9a-z]{10}$/.test(safeDateOrCuid)) { - console.log('this is a CUID!'); - vod = await getVodByCuid(safeDateOrCuid); + } else if (/^[0-9a-f]{8}-[0-9a-f]{4}-[0-5][0-9a-f]{3}-[089ab][0-9a-f]{3}-[0-9a-f]{12}$/i.test(safeDateOrUUID)) { + console.log('this is a UUID!'); + vod = await getVodByUUID(safeDateOrUUID); if (!vod) return null; } else { - date = await getDateFromSafeDate(safeDateOrCuid); + console.log(`this is a safe date. ${safeDateOrUUID}`) + date = getDateFromSafeDate(safeDateOrUUID); + console.log(`date=${date.toISOString()}`) if (!date) { console.log('there is no date') return null; @@ -87,6 +57,8 @@ export async function getVodFromSafeDateOrCuid(safeDateOrCuid: string): Promise< return vod; } + + export function getUrl(vod: IVod, slug: string, date: string): string { return `/vt/${slug}/vod/${getSafeDate(date)}` } @@ -101,114 +73,67 @@ export function getPaginatedUrl(): (slug: string, pageNumber: number) => string /** @deprecated old format for futureporn.net/api/v1.json, which is deprecated. Please use getUrl() instead */ export function getDeprecatedUrl(vod: IVod): string { - return `${siteUrl}/vods/${getSafeDate(vod.date2)}` + return `${siteUrl}/vods/${getSafeDate(vod.date_2)}` } -export async function getNextVod(vod: IVod): Promise<IVod | null> { - const query = qs.stringify({ - filters: { - date2: { - $gt: vod.date2 - }, - vtuber: { - slug: { - $eq: vod.vtuber.slug - } - }, - publishedAt: { - $notNull: true - } - }, - sort: { - date2: 'asc' - }, - fields: ['date2', 'title', 'announceTitle'], - populate: { - vtuber: { - fields: ['slug'] - } - } - }) - const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, fetchVodsOptions); - if (!res.ok) throw new Error('could not fetch next vod'); - const json = await res.json(); - const nextVod = json.data[0]; - if (!nextVod) return null; - return nextVod +export async function getNextVod(vod: IVod): Promise<IVod|null> { + const query = new URLSearchParams({ + select: 'date_2,title,announce_title,vtuber:vtubers(slug)', + [`date_2`]: `gt.${vod.date_2}`, + [`vtuber.slug`]: `eq.${vod.vtuber.slug}`, + ['published_at']: 'not.is.null', + limit: '1', + order: 'date_2.asc', + }).toString(); + const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, fetchVodsOptions) + const data = await res.json() + if (!res.ok) { + throw new Error(`res.status=${res.status} res.statusText=${res.statusText} \ndata=${JSON.stringify(data, null, 2)}`); + } + return data[0]; } + export function getLocalizedDate(vod: IVod): string { - return new Date(vod.date2).toLocaleDateString() + return new Date(vod.date_2).toLocaleDateString() } export async function getPreviousVod(vod: IVod): Promise<IVod> { - const res = await fetchAPI( - '/vods', - { - filters: { - date2: { - $lt: vod.date2 - }, - vtuber: { - slug: { - $eq: vod.vtuber.slug - } - } - }, - sort: { - date2: 'desc' - }, - fields: ['date2', 'title', 'announceTitle'], - populate: { - vtuber: { - fields: ['slug'] - } - }, - pagination: { - limit: 1 - } - }, - fetchVodsOptions - ) - return res.data[0]; + const query = new URLSearchParams({ + select: 'date_2,title,announce_title,vtuber:vtubers(slug)', + [`date_2`]: `lt.${vod.date_2}`, + [`vtuber.slug`]: `eq.${vod.vtuber.slug}`, + limit: '1', + order: 'date_2.desc', + }).toString(); + const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, fetchVodsOptions) + const data = await res.json() + if (!res.ok) { + throw new Error(`res.status=${res.status} res.statusText=${res.statusText} \ndata=${JSON.stringify(data, null, 2)}`); + } + return data[0]; } -export async function getVodByCuid(cuid: string): Promise<IVod | null> { - const query = qs.stringify( - { - filters: { - cuid: { - $eq: cuid - } - }, - populate: { - vtuber: { - fields: ['slug', 'displayName', 'image', 'imageBlur', 'themeColor'] - }, - muxAsset: { - fields: ['playbackId', 'assetId'] - }, - thumbnail: { - fields: ['cdnUrl', 'url'] - }, - tagVodRelations: { - fields: ['tag', 'createdAt', 'creatorId'], - populate: ['tag'] - }, - videoSrcB2: { - fields: ['url', 'key', 'uploadId', 'cdnUrl'] - }, - stream: { - fields: ['archiveStatus', 'date', 'tweet', 'cuid'] - } - } - }) +export async function getVodByUUID(uuid: string): Promise<IVod | null> { + const query = new URLSearchParams({ + uuid: `eq.${uuid}`, + select: ` + vtuber(slug,displayName,image,imageBlur,themeColor), + muxAsset(playbackId,assetId), + thumbnail(cdnUrl,url), + tagVodRelations(tag,createdAt,creatorId,tag(*)), + videoSrcB2(url,key,uploadId,cdnUrl), + stream(archiveStatus,date,tweet,uuid), + timestamps_vod_links(timestamps(timestamps_tag_links(tags(id,name)))) + `.replace(/\s+/g, ''), // Remove whitespace for URL encoding + }); + try { const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, { cache: 'no-store', next: { tags: ['vods'] } }) if (!res.ok) { - throw new Error('failed to fetch vodForDate') + throw new Error('failed to fetch getVodByUUID') } const json = await res.json() const vod = json.data[0] @@ -221,57 +146,49 @@ export async function getVodByCuid(cuid: string): Promise<IVod | null> { return null; } } - export async function getVodForDate(date: Date): Promise<IVod | null> { - // if (!date) return null; - // console.log(date) - // console.log(`getting vod for ${date.toISOString()}`) - try { - const iso8601DateString = date.toISOString().split('T')[0]; - const query = qs.stringify( - { - filters: { - date2: { - $eq: date.toISOString() - } - }, - populate: { - vtuber: { - fields: ['slug', 'displayName', 'image', 'imageBlur', 'themeColor'] - }, - muxAsset: { - fields: ['playbackId', 'assetId'] - }, - thumbnail: { - fields: ['cdnUrl', 'url'] - }, - tagVodRelations: { - fields: ['tag', 'createdAt', 'creatorId'], - populate: ['tag'] - }, - videoSrcB2: { - fields: ['url', 'key', 'uploadId', 'cdnUrl'] - }, - stream: { - fields: ['archiveStatus', 'date', 'tweet', 'cuid'] - } - } - } - ) - const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, { cache: 'no-store', next: { tags: ['vods'] } }) - if (!res.ok) { - throw new Error('failed to fetch vodForDate') - } - const json = await res.json() - const vod = json.data[0] - if (!vod) return null; - return vod; - } catch (e) { + const iso8601DateString = date.toISOString(); + console.log(`getVodForDate ison8601DateString=${iso8601DateString}`) - return null; + const selectFields = [ + 'id', + 'date_2', + 'title', + 'announce_title', + 'vtuber:vtubers(slug,display_name,image,image_blur,theme_color)', + 'timestamps_vod_links(timestamps(timestamps_tag_links(tags(id,name))))', + ].join(','); + + const queryParams = { + select: selectFields, + date_2: `eq.${iso8601DateString}`, + published_at: 'not.is.null', + limit: '1', + }; + + const query = new URLSearchParams(queryParams).toString(); + + console.log(query) + + const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, { + cache: 'no-store', + next: { tags: ['vods'] } + }); + + const json = await res.json(); + if (!res.ok) { + console.log(`res.status=${res.status} res.statusText=${res.statusText} body=${JSON.stringify(json, null, 2)}`) + throw new Error('Failed to fetch vodForDate'); } + + const vod = json[0]; // PostgREST returns an array of results + if (!vod) return null; + + return vod; + } + export async function getVod(id: number): Promise<IVod | null> { const query = qs.stringify( { @@ -347,10 +264,9 @@ export async function getVods(page: number = 1, pageSize: number = 25, sortDesc console.log(`${data.length} vods. sample as follows.`) console.log(data[0]) - // https://postgrest.org/en/latest/references/api/pagination_count.html - // HTTP/1.1 206 Partial Content - // Content-Range: 0-24/3572000 - const count = parseInt(res.headers.get('Content-Range')?.split('/').at(-1) || '0') + + const count = getCountFromHeaders(res) + return { vods: data, count: count @@ -426,40 +342,42 @@ export async function getAllVods(): Promise<IVod[] | null> { -export async function getVodsForVtuber(vtuberId: number, page: number = 1, pageSize: number = 25, sortDesc = true): Promise<IVod[] | null> { - const res = await fetch(`${postgrestLocalUrl}/vods?select=*,vtuber:vtubers(id,slug,image,display_name,image_blur)&vtuber.id=eq.${vtuberId}`, fetchVodsOptions) +export async function getVodsForVtuber(vtuberId: number, page: number = 1, pageSize: number = 25, sortDesc = true): Promise<{ vods: IVod[] | null, count: number }> { + const res = await fetch(`${postgrestLocalUrl}/vods?limit=${pageSize}&offset=${page*pageSize}&select=*,thumbnail:b2_files(cdn_url),vtuber:vtubers(id,slug,image,display_name,image_blur)&vtuber.id=eq.${vtuberId}`, fetchVodsOptions) if (!res.ok) { const body = await res.text() console.error(`getVodsForVtuber() failed. ok=${res.ok} status=${res.status} statusText=${res.statusText} body=${body}`); - return null; + return { vods: null, count: 0 }; } - const data = await res.json() as IVod[]; - return data; + const vods = await res.json() as IVod[]; + const count = getCountFromHeaders(res) + return { vods, count }; } -export async function getVodsForTag(tag: string): Promise<IVodsResponse | null> { - const query = qs.stringify( - { - populate: { - vtuber: { - fields: ['slug', 'displayName', 'image', 'imageBlur'] - }, - videoSrcB2: { - fields: ['url', 'key', 'uploadId', 'cdnUrl'] - } - }, - filters: { - tagVodRelations: { - tag: { - name: { - $eq: tag - } - } - } - } - } - ) +export async function getVodsForTag(tag: string): Promise<IVod[] | null> { + // const query = qs.stringify( + // { + // populate: { + // vtuber: { + // fields: ['slug', 'displayName', 'image', 'imageBlur'] + // }, + // videoSrcB2: { + // fields: ['url', 'key', 'uploadId', 'cdnUrl'] + // } + // }, + // filters: { + // tagVodRelations: { + // tag: { + // name: { + // $eq: tag + // } + // } + // } + // } + // } + // ) + const query = 'select(*),vtuber:vtubers(id,slug,image,display_name,image_blur),thumbnail:b2_files(cdn_url)' const res = await fetch(`${postgrestLocalUrl}/vods?${query}`, fetchVodsOptions) if (!res.ok) return null; const vods = await res.json() diff --git a/services/next/app/lib/vtubers.ts b/services/next/app/lib/vtubers.ts index 1028e87..4289984 100644 --- a/services/next/app/lib/vtubers.ts +++ b/services/next/app/lib/vtubers.ts @@ -1,7 +1,7 @@ import { IVod } from './vods' -import { strapiUrl, siteUrl, postgrestLocalUrl } from './constants'; +import { postgrestLocalUrl, siteUrl } from './constants'; import qs from 'qs'; import { IMeta, IVtuber } from '@futureporn/types'; @@ -60,16 +60,13 @@ export async function getAllVtubers(): Promise<IVtuber[] | null> { let currentPage = 1; while (true) { - const query = qs.stringify({ - pagination: { - pageSize, - page: currentPage, - }, - }); - + const query = new URLSearchParams({ + offset: ''+currentPage, + limit: ''+pageSize + }).toString() try { - console.log(`Getting ${strapiUrl}/api/vtubers page=${currentPage}`); - const response = await fetch(`${strapiUrl}/api/vtubers?${query}`, fetchVtubersOptions); + console.log(`Getting ${postgrestLocalUrl}/vtubers page=${currentPage}`); + const response = await fetch(`${postgrestLocalUrl}/vtubers?${query}`, fetchVtubersOptions); if (!response.ok) { // Handle non-successful response (e.g., HTTP error) diff --git a/services/next/app/page.tsx b/services/next/app/page.tsx index f1d2031..2985faa 100644 --- a/services/next/app/page.tsx +++ b/services/next/app/page.tsx @@ -40,14 +40,19 @@ export default async function Page() { <div className="columns is-multiline is-mobile"> - {!vods && <div className="section"><p>Error: Failed to fetch VODs from the database</p></div> } + {(count === 0) && <div className="section"><p>Error: Failed to fetch VODs from the database</p></div> } + {/* <pre> + <code> + {JSON.stringify(vods, null, 2)} + </code> + </pre> */} {vods && vods.map((vod: IVod) => ( <VodCard key={vod.id} id={vod.id} title={getVodTitle(vod)} - date={vod.date} + date={vod.date_2} muxAsset={vod.mux_asset?.asset_id} vtuber={vod?.vtuber} thumbnail={vod?.thumbnail?.cdn_url} diff --git a/services/next/app/profile/hooks/keycloakGroup.ts b/services/next/app/profile/hooks/keycloakGroup.ts deleted file mode 100644 index 3bcd1b8..0000000 --- a/services/next/app/profile/hooks/keycloakGroup.ts +++ /dev/null @@ -1,10 +0,0 @@ - -import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query' -import { JWT } from 'next-auth/jwt' - - -const fetchKeycloakGroup = async (): Promise<JWT> => { - const response = await fetch(`/api/auth/renew`) - const data = await response.json() - return data -} diff --git a/services/next/app/profile/page.tsx b/services/next/app/profile/page.tsx index 0a54f91..dcf51ba 100644 --- a/services/next/app/profile/page.tsx +++ b/services/next/app/profile/page.tsx @@ -154,7 +154,7 @@ export default function Page() { <div className='box'> <h3 className="title is-3">Premium Content Delivery Network (CDN1)</h3> <ProtectedRoute featureName="CDN1" requiredUserRole="patron"> - <p><FontAwesomeIcon icon={faCheckCircle} className="mr-2"></FontAwesomeIcon> You have access to Futureporn's Premium CDN for reliable video playback</p> + <p><FontAwesomeIcon icon={faCheckCircle} className="mr-2 is-success"></FontAwesomeIcon> You have access to Futureporn's Premium CDN for reliable video playback</p> </ProtectedRoute> </div> diff --git a/services/next/app/tags/[slug]/page.tsx b/services/next/app/tags/[slug]/page.tsx index 5d30b5e..b06e93c 100644 --- a/services/next/app/tags/[slug]/page.tsx +++ b/services/next/app/tags/[slug]/page.tsx @@ -14,15 +14,15 @@ export default async function Page({ params }: { params: { slug: string }}) { </div> <div className="columns is-multiline"> - {vods.data.map((vod: IVod) => ( + {vods.map((vod: IVod) => ( <VodCard key={vod.id} id={vod.id} title={getVodTitle(vod)} - date={vod.date2} - muxAsset={vod.muxAsset?.assetId} - thumbnail={vod.thumbnail?.cdnUrl} - vtuber={vod.vtuber.data} + date={vod.date_2} + muxAsset={vod.mux_asset?.asset_id} + thumbnail={vod.thumbnail?.cdn_url} + vtuber={vod.vtuber} /> ))} </div> diff --git a/services/next/app/upload/page.tsx b/services/next/app/upload/page.tsx index 8954401..8f633c9 100644 --- a/services/next/app/upload/page.tsx +++ b/services/next/app/upload/page.tsx @@ -1,20 +1,22 @@ import { getAllVtubers } from '@/app/lib/vtubers'; + + import UploadForm from '@/app/components/upload-form'; import { Suspense } from 'react'; import '@uppy/core/dist/style.min.css'; import '@uppy/dashboard/dist/style.min.css'; -import { getStreamByCuid } from '@/app/lib/streams'; +import { getStreamByUUID } from '@/app/lib/streams'; export default async function Page() { - const vtubers = await getAllVtubers(); if (!vtubers) return ( <aside className='notification is-danger'>Failed to fetch vtubers list. Please try again later.</aside> ) + return ( <> diff --git a/services/next/app/upload/page.tsx.old b/services/next/app/upload/page.tsx.old deleted file mode 100644 index 80213e3..0000000 --- a/services/next/app/upload/page.tsx.old +++ /dev/null @@ -1,240 +0,0 @@ -'use client' - -import React, { useEffect } from 'react'; -import Uppy from '@uppy/core'; -import { Dashboard } from '@uppy/react'; -import RemoteSources from '@uppy/remote-sources'; -import AwsS3Multipart from '@uppy/aws-s3-multipart'; -import '@uppy/core/dist/style.min.css'; -import '@uppy/dashboard/dist/style.min.css'; -import Image from 'next/image'; -import Link from 'next/link'; - -const uppy = new Uppy() - - - -// uppy.use(AwsS3Multipart, { -// limit: 6, -// companionUrl: process.env.NEXT_PUBLIC_UPPY_COMPANION_URL, -// // companionHeaders: { -// // // @todo -// // // Authorization: `Bearer ${Alpine.store('auth').jwt}` -// // } -// }) - - -// Dashboard, -// { -// inline: true, -// target: '#uppy-dashboard', -// theme: 'auto', -// proudlyDisplayPoweredByUppy: false, -// disableInformer: false, -// // metaFields: [ -// // @todo maybe add meta fields once https://github.com/transloadit/uppy/issues/4427 is fixed -// // { -// // id: 'announceUrl', -// // name: 'Stream Announcement URL', -// // placeholder: 'this is a placeholder' -// // }, -// // { -// // id: 'note', -// // name: 'Note' -// // } -// // { -// // id: 'date', -// // name: 'Stream Date (ISO 8601)', -// // placeholder: '2022-12-30' -// // }, -// // ] -// } -// ) - -// import Uppy from '@uppy/core'; -// import Dashboard from '@uppy/dashboard'; -// import '/@root/node_modules/@uppy/core/dist/style.min.css'; -// import '/@root/node_modules/@uppy/dashboard/dist/style.min.css'; - - - -export default function Page() { - // const dashboard = new Dashboard({ - // inline: true, - // target: '#uppy-dashboard', - // theme: 'dark', - // proudlyDisplayPoweredByUppy: false, - // disableInformer: false, - // }) - - - // useEffect(() => { - // uppy.setOptions({ - // Dashboard: { - // theme: 'dark' - // } - // }) - // }) - - // useEffect(() => { - // uppy.setOptions({ - // restrictions: props.restrictions - // }) - // }, [props.restrictions]) - - // .use( - // Dashboard, - // { - // inline: true, - // target: '#uppy-dashboard', - // theme: 'auto', - // proudlyDisplayPoweredByUppy: false, - // disableInformer: false, - // // metaFields: [ - // // @todo maybe add meta fields once https://github.com/transloadit/uppy/issues/4427 is fixed - // // { - // // id: 'announceUrl', - // // name: 'Stream Announcement URL', - // // placeholder: 'this is a placeholder' - // // }, - // // { - // // id: 'note', - // // name: 'Note' - // // } - // // { - // // id: 'date', - // // name: 'Stream Date (ISO 8601)', - // // placeholder: '2022-12-30' - // // }, - // // ] - // } - // ) - // .use(RemoteSources, { - // companionUrl: process.env.NEXT_PUBLIC_UPPY_COMPANION_URL, - // sources: ['Box', 'OneDrive', 'Dropbox', 'GoogleDrive', 'Url'], - // }) - // .use(AwsS3Multipart, { - // limit: 6, - // companionUrl: process.env.NEXT_PUBLIC_UPPY_COMPANION_URL, - // // companionHeaders: { - // // Authorization: `Bearer ${Alpine.store('auth').jwt}` - // // } - // }) - - return ( - <> - <Dashboard - uppy={uppy} - plugins={[ - 'Dashboard', - 'AwsS3Multipart', - 'RemoteSources' - ]} - theme={'auto'} - ></Dashboard> - </> - ) -} - -// export default function upload () { -// return { -// date: '', -// note: '', -// init () { -// const that = this -// const uppy = new Uppy({ -// onBeforeUpload (files) { -// if (!that.date) { -// const msg = 'File is missing a Stream Date' -// uppy.info(msg, 'error') -// throw new Error(msg) -// } -// }, -// restrictions: { -// maxNumberOfFiles: 1, -// // requiredMetaFields: [ -// // 'announceUrl', -// // 'date' -// // ] -// }, -// }) -// .use( -// Dashboard, -// { -// inline: true, -// target: '#uppy-dashboard', -// theme: 'auto', -// proudlyDisplayPoweredByUppy: false, -// disableInformer: false, -// // metaFields: [ -// // @todo maybe add meta fields once https://github.com/transloadit/uppy/issues/4427 is fixed -// // { -// // id: 'announceUrl', -// // name: 'Stream Announcement URL', -// // placeholder: 'this is a placeholder' -// // }, -// // { -// // id: 'note', -// // name: 'Note' -// // } -// // { -// // id: 'date', -// // name: 'Stream Date (ISO 8601)', -// // placeholder: '2022-12-30' -// // }, -// // ] -// } -// ) -// .use(RemoteSources, { -// companionUrl: window.companionUrl, -// sources: ['Box', 'OneDrive', 'Dropbox', 'GoogleDrive', 'Url'], -// }) -// .use(AwsS3Multipart, { -// limit: 6, -// companionUrl: window.companionUrl, -// companionHeaders: { -// Authorization: `Bearer ${Alpine.store('auth').jwt}` -// } -// }) - - -// uppy.on('file-added', (file) => { -// if (!that.date) { -// uppy.info("Please add the Stream Date to metadata", 'info', 5000) -// } -// }); - - -// uppy.on('complete', (result) => { -// // for each uploaded vod, create a Vod in Strapi -// result.successful.forEach(async (upload) => { -// const res = await fetch(`${Alpine.store('env').backend}/api/vod/createFromUppy`, { -// method: 'POST', -// headers: { -// 'Authorization': `Bearer ${Alpine.store('auth').jwt}`, -// 'Accept': 'application/json', -// 'Content-Type': 'application/json' -// }, -// body: JSON.stringify({ -// data: { -// date: that.date, -// videoSrcB2: { -// key: upload.s3Multipart.key, -// uploadId: upload.s3Multipart.uploadId -// }, -// note: that.note, -// } -// }) -// }) - -// if (res.ok) { -// uppy.info("Thank you. The VOD is queued for approval by a moderator.", 'success', 60000) -// } else { -// uppy.error("There was a problem while uploading. Please try again later.", 'error', 10000) -// } -// }) - -// }) -// } -// } -// } \ No newline at end of file diff --git a/services/next/app/vods/[safeDateOrCuid]/page.tsx b/services/next/app/vods/[safeDateOrUUID]/page.tsx similarity index 63% rename from services/next/app/vods/[safeDateOrCuid]/page.tsx rename to services/next/app/vods/[safeDateOrUUID]/page.tsx index 856ecbe..b7914b3 100644 --- a/services/next/app/vods/[safeDateOrCuid]/page.tsx +++ b/services/next/app/vods/[safeDateOrUUID]/page.tsx @@ -1,6 +1,6 @@ import VodPage from '@/app/components/vod-page'; -import { IVodPageProps, getVodFromSafeDateOrCuid } from '@/app/lib/vods'; +import { IVodPageProps, getVodFromSafeDateOrUUID } from '@/app/lib/vods'; import { notFound } from 'next/navigation'; @@ -8,8 +8,8 @@ import { notFound } from 'next/navigation'; * This route exists as backwards compatibility for Futureporn 0.0.0 which was on neocities * @see https://www.w3.org/Provider/Style/URI */ -export default async function Page({ params: { safeDateOrCuid, slug } }: IVodPageProps) { - const vod = await getVodFromSafeDateOrCuid(safeDateOrCuid); +export default async function Page({ params: { safeDateOrUUID, slug } }: IVodPageProps) { + const vod = await getVodFromSafeDateOrUUID(safeDateOrUUID); if (!vod) notFound(); return <VodPage vod={vod} /> } diff --git a/services/next/app/vt/[slug]/not-found.tsx b/services/next/app/vt/[slug]/not-found.tsx index 8027f63..87c153f 100644 --- a/services/next/app/vt/[slug]/not-found.tsx +++ b/services/next/app/vt/[slug]/not-found.tsx @@ -4,7 +4,6 @@ export default function NotFound() { return ( <div className='section'> <h2 className='title is-2'>404 Not Found</h2> - <p>Could not find a matching vtubler.</p> <Link href="/vt">Return to vtuber list</Link> </div> diff --git a/services/next/app/vt/[slug]/page.tsx b/services/next/app/vt/[slug]/page.tsx index 5b99a03..fd9299b 100644 --- a/services/next/app/vt/[slug]/page.tsx +++ b/services/next/app/vt/[slug]/page.tsx @@ -26,7 +26,9 @@ export default async function Page({ params }: { params: { slug: string } }) { const vtuber = await getVtuberBySlug(params.slug); if (!vtuber) notFound(); - const vods = await getVodsForVtuber(vtuber.id, 1, 9); + const pageSize = 9 + const page = 1 + const { vods, count } = await getVodsForVtuber(vtuber.id, page, pageSize); if (!vods) notFound(); @@ -203,7 +205,7 @@ export default async function Page({ params }: { params: { slug: string } }) { <Link href="#vods">Vods</Link> </h2> - <VodsList vtuber={vtuber} vods={vods} page={1} pageSize={9} /> + <VodsList vtuber={vtuber} vods={vods} page={page} pageSize={pageSize} /> { (vods) ? ( <Link className='button mb-5' href={`/vt/${vtuber.slug}/vods/1`}>See all {vtuber.display_name} vods</Link> diff --git a/services/next/app/vt/[slug]/toys/[page]/page.tsx b/services/next/app/vt/[slug]/toys/[page]/page.tsx index ab46e5d..fb01d2a 100644 --- a/services/next/app/vt/[slug]/toys/[page]/page.tsx +++ b/services/next/app/vt/[slug]/toys/[page]/page.tsx @@ -19,7 +19,7 @@ export default async function Page() { // return ( // <div className='box'> // <div className=""> - // <ToysListHeading slug={vtuber.slug} displayName={vtuber.displayName} /> + // <ToysListHeading slug={vtuber.slug} displayName={vtuber.display_name} /> // <ToysList toys={toys} pageSize={12}></ToysList> // <Pager // collection='toys' diff --git a/services/next/app/vt/[slug]/toys/page.tsx b/services/next/app/vt/[slug]/toys/page.tsx index 5a5ca98..0062aae 100644 --- a/services/next/app/vt/[slug]/toys/page.tsx +++ b/services/next/app/vt/[slug]/toys/page.tsx @@ -18,7 +18,7 @@ export default async function Page({ params }: IPageParams) { // return ( // <div className='box'> // <div className=""> - // {/* <VodsListHeading slug={vtuber.slug} displayName={vtuber.displayName} /> */} + // {/* <VodsListHeading slug={vtuber.slug} displayName={vtuber.display_name} /> */} // {/* <VodsList vtuber={vtuber} vods={vods} page={params.page} pageSize={24} /> */} // <ToysList toys={toys} pageSize={12}></ToysList> // <Pager diff --git a/services/next/app/vt/[slug]/vod/[safeDateOrCuid]/page.tsx b/services/next/app/vt/[slug]/vod/[safeDateOrCuid]/page.tsx deleted file mode 100644 index 2cec295..0000000 --- a/services/next/app/vt/[slug]/vod/[safeDateOrCuid]/page.tsx +++ /dev/null @@ -1,12 +0,0 @@ - -import VodPage from '@/app/components/vod-page' -import { IVodPageProps, getVodFromSafeDateOrCuid } from '@/app/lib/vods' -import { notFound } from 'next/navigation'; - - -export default async function Page({ params: { safeDateOrCuid } }: IVodPageProps) { - const vod = await getVodFromSafeDateOrCuid(safeDateOrCuid); - if (!vod) return notFound(); - return <VodPage vod={vod} /> -} - diff --git a/services/next/app/vt/[slug]/vod/[safeDateOrUUID]/page.tsx b/services/next/app/vt/[slug]/vod/[safeDateOrUUID]/page.tsx new file mode 100644 index 0000000..49184b6 --- /dev/null +++ b/services/next/app/vt/[slug]/vod/[safeDateOrUUID]/page.tsx @@ -0,0 +1,19 @@ + +import VodPage2 from '@/app/components/vod-page-2' +import { IVodPageProps, getVodFromSafeDateOrUUID } from '@/app/lib/vods' +import { notFound } from 'next/navigation'; + + +export default async function Page({ params: { safeDateOrUUID } }: IVodPageProps) { + const vod = await getVodFromSafeDateOrUUID(safeDateOrUUID); + if (!vod) return notFound(); + // return ( + // <pre> + // <code> + // {JSON.stringify(vod, null, 2)} + // </code> + // </pre> + // ) + return <VodPage2 vod={vod} /> +} + diff --git a/services/next/app/vt/[slug]/vods/[page]/page.tsx b/services/next/app/vt/[slug]/vods/[page]/page.tsx index b4ccf4b..db67580 100644 --- a/services/next/app/vt/[slug]/vods/[page]/page.tsx +++ b/services/next/app/vt/[slug]/vods/[page]/page.tsx @@ -13,23 +13,25 @@ interface IPageParams { } export default async function Page({ params }: IPageParams) { - let vtuber, vods; const pageNumber = parseInt(params.page); const pageSize = 24 - try { - vtuber = await getVtuberBySlug(params.slug); - if (!vtuber) notFound(); - vods = await getVodsForVtuber(vtuber.id, pageNumber, 24, true); - } catch (error) { - // Handle the error here (e.g., display an error message) - console.error("An error occurred:", error); - // You might also want to return an error page or message - return <div>Error: {JSON.stringify(error)}</div>; + console.log(`lets get us some vtuber and vods`); + const vtuber = await getVtuberBySlug(params.slug); + if (!vtuber) { + console.error('getVtuberBySlug failed to get us a vtuber object.') + return <p>failed to get vtuber</p> + // return notFound(); + } + + + const {vods, count} = await getVodsForVtuber(vtuber.id, pageNumber, 24, true); + if (!vods) { + return <p>failed to get vods</p> + console.error('getVodsForVtuber failed to get us a vods object.') + // return notFound(); } - - if (!vods) return <p>error</p> return ( <> <VodsListHeading slug={vtuber.slug} displayName={vtuber.display_name} /> diff --git a/services/next/middleware.ts b/services/next/middleware.ts deleted file mode 100644 index 1cc033e..0000000 --- a/services/next/middleware.ts +++ /dev/null @@ -1,208 +0,0 @@ -/** - * middleware.ts - * - * 2024-12-04 - * The purpose of this middleware is to keep our Keycloak session up-to-date, so we can call Keycloak endpoints and not get rejected. - * We are doing this because Keycloak client tokens expire after 5 minutes. - * Ultimately we are doing this so we can get a Keycloak Identity Provider (Patreon) token, - * get a list of the user's currently entitled tiers, - * and assign them appropriate roles for access control. - * - * - * @see https://github.com/nextauthjs/next-auth/discussions/9715#discussioncomment-10640404 - * @see https://github.com/nextauthjs/next-auth/discussions/3940 - * @see https://nextjs.org/docs/app/building-your-application/routing/middleware - * @see https://github.com/keycloak/keycloak/blob/main/services/src/main/java/org/keycloak/services/resources/IdentityBrokerService.java#L517 - * @see https://github.com/nextauthjs/next-auth/discussions/3940#discussioncomment-8292882 tl;dr: use next.js middleware to refresh session - * - */ - -import { NextMiddleware, NextRequest, NextResponse } from "next/server"; -import { encode, JWT } from 'next-auth/jwt'; -import { getToken } from "next-auth/jwt"; -import { configs } from "./app/config/configs"; - -export const tokenRefreshBufferSeconds = 300; -export const isSessionSecure = configs.nextAuthUrl.startsWith("https://"); -export const sessionCookieName = isSessionSecure ? "__Secure-next-auth.session-token" : "next-auth.session-token"; -// export const sessionTimeout = 60 * 60 * 24 * 30; // 30 days -export const sessionTimeout = 60 * 5 -export const signinSubUrl = "/api/auth/signin"; - -let isRefreshing = false; - - -export async function refreshAccessToken(token: JWT): Promise<JWT> { - - if (isRefreshing) { - return token; - } - - const timeInSeconds = Math.floor(Date.now() / 1000); - isRefreshing = true; - - try { - const newAccessTokenRes = await fetch(`https://keycloak.fp.sbtp.xyz/realms/futureporn/protocol/openid-connect/token`, { - method: 'POST', - headers: { - 'content-type': 'application/x-www-form-urlencoded', - }, - body: new URLSearchParams({ - grant_type: 'refresh_token', - client_id: configs.keycloakClientId, - client_secret: configs.keycloakClientSecret, - refresh_token: token.refresh_token, - }).toString(), - }) - const newAccessToken = await newAccessTokenRes.json() - // console.log('newAccessToken json as follows') - // console.log(newAccessToken) - if (!newAccessTokenRes.ok) { - console.error(newAccessToken) - throw new Error(JSON.stringify(newAccessToken)); - } - - const newToken = { - ...token, - access_token: newAccessToken?.access_token ?? token?.access_token, - expires_at: newAccessToken?.expires_in + timeInSeconds, - refresh_token: newAccessToken?.refresh_token ?? token?.refresh_token - }; - console.log('refreshAccessToken() succeeded.') - return newToken - - } catch (e) { - console.error('failed to refreshAccessToken()') - console.error(e); - } finally { - isRefreshing = false; - } - - return token; -} - - -/** - * @see https://github.com/nextauthjs/next-auth/discussions/9715#discussioncomment-8319836 - */ -export function shouldUpdateToken(token: JWT): boolean { - const timeInSeconds = Math.floor(Date.now() / 1000); - const timeRemaining = token?.expires_at - timeInSeconds; // Calculate time remaining - console.log(`shouldUpdateToken() -- access_token -- ${getTokenExpiryStatus(token.expires_at)}`); - return timeRemaining <= tokenRefreshBufferSeconds; // Should refresh if within buffer -} - - -export function updateCookie( - sessionToken: string | null, - request: NextRequest, - response: NextResponse -): NextResponse<unknown> { - /* - * BASIC IDEA: - * - * 1. Set request cookies for the incoming getServerSession to read new session - * 2. Updated request cookie can only be passed to server if it's passed down here after setting its updates - * 3. Set response cookies to send back to browser - */ - - if (sessionToken) { - // Set the session token in the request and response cookies for a valid session - request.cookies.set(sessionCookieName, sessionToken); - response = NextResponse.next({ - request: { - headers: request.headers - } - }); - response.cookies.set(sessionCookieName, sessionToken, { - httpOnly: true, - maxAge: sessionTimeout, - secure: isSessionSecure, - sameSite: "lax" - }); - } else { - request.cookies.delete(sessionCookieName); - return NextResponse.redirect(new URL(signinSubUrl, request.url)); - } - - return response; -} - -function getTokenExpiryStatus(expiryDate: number): string { - const now = Date.now(); // Current time in milliseconds - - // Convert expiryDate (which is in seconds) to milliseconds - const expiryTime = expiryDate * 1000; - - const differenceInSeconds = Math.floor((expiryTime - now) / 1000); // Difference in seconds - - if (differenceInSeconds > 0) { - return `Token will expire in ${differenceInSeconds} seconds (${expiryDate})`; - } else if (differenceInSeconds < 0) { - return `Token expired ${Math.abs(differenceInSeconds)} seconds ago (${expiryDate})`; - } else { - return "Token is expiring now"; // Edge case when the token expires exactly at the current time - } -} - - -// @todo this is broken. The updated session token does not get used! -export const middleware: NextMiddleware = async (request: NextRequest) => { - - const path = request.nextUrl.pathname; - const token = await getToken({ req: request }); - - let response = NextResponse.next(); - return response - - console.log(`middleware on path=${path}`) - response.cookies.set('cookie-crisp', 'yummy-cereal-yum-yum!'); - - - if (!token) { - return response; - } - - if (path.startsWith('/api/auth')) { - return response; - } - - - - if (shouldUpdateToken(token)) { - console.log(`Attempting to update the token.`) - try { - console.log(`middleware.ts before refreshAccessToken() we are looking at token -- ${getTokenExpiryStatus(token.expires_at)}`) - const newToken = await refreshAccessToken(token) - console.log(`middleware.ts after refreshAccessToken() -- ${getTokenExpiryStatus(newToken.expires_at)}`) - // console.log(JSON.stringify(newToken)) - const newSessionToken = await encode({ - secret: configs.nextAuthSecret, - token: newToken, - maxAge: sessionTimeout - }); - console.log('newSessionToken as follows') - console.log(newSessionToken) - response = updateCookie(newSessionToken, request, response); - } catch (error) { - console.log("Error refreshing token: ", error); - return updateCookie(null, request, response); - } - } - - console.log(`We succeeded in updating the token.`) - - - return response; -}; - - -export const config = { - matcher: [ - /* - * Match all request paths that start with: - * - /api/patreon/ - */ - '/api/patreon/:path*', - ], -} \ No newline at end of file diff --git a/services/next/tsconfig.json b/services/next/tsconfig.json index a6e306c..f991314 100644 --- a/services/next/tsconfig.json +++ b/services/next/tsconfig.json @@ -1,27 +1,41 @@ { - "compilerOptions": { - "lib": ["dom", "dom.iterable", "esnext"], - "allowJs": true, - "skipLibCheck": true, - "strict": true, - "noEmit": true, - "esModuleInterop": true, - "module": "esnext", - "moduleResolution": "bundler", - "resolveJsonModule": true, - "isolatedModules": true, - "jsx": "preserve", - "incremental": true, - "plugins": [ - { - "name": "next" - } - ], - "paths": { - "@/*": ["./*"] + "compilerOptions": { + "target": "ES2015", + "lib": [ + "dom", + "dom.iterable", + "esnext" + ], + "allowJs": true, + "skipLibCheck": true, + "strict": true, + "noEmit": true, + "esModuleInterop": true, + "module": "esnext", + "moduleResolution": "bundler", + "resolveJsonModule": true, + "isolatedModules": true, + "jsx": "preserve", + "incremental": true, + "plugins": [ + { + "name": "next" } - }, - "include": ["next-env.d.ts", "**/*.ts", "**/*.tsx", ".next/types/**/*.ts", "app/components/auth.tsx.old"], - "exclude": ["node_modules"] - } - \ No newline at end of file + ], + "paths": { + "@/*": [ + "./*" + ] + } + }, + "include": [ + "next-env.d.ts", + "**/*.ts", + "**/*.tsx", + ".next/types/**/*.ts", + "app/components/auth.tsx.old" + ], + "exclude": [ + "node_modules" + ] +} \ No newline at end of file