hyperframes 0.1.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/cli.js +22905 -0
- package/dist/docs/compositions.md +26 -0
- package/dist/docs/data-attributes.md +22 -0
- package/dist/docs/gsap.md +23 -0
- package/dist/docs/rendering.md +23 -0
- package/dist/docs/templates.md +15 -0
- package/dist/docs/troubleshooting.md +22 -0
- package/dist/hyperframe-runtime.js +12 -0
- package/dist/studio/assets/index-B1830ANq.js +78 -0
- package/dist/studio/assets/index-KoBceNoU.css +1 -0
- package/dist/studio/icons/timeline/audio.svg +7 -0
- package/dist/studio/icons/timeline/captions.svg +5 -0
- package/dist/studio/icons/timeline/composition.svg +12 -0
- package/dist/studio/icons/timeline/image.svg +18 -0
- package/dist/studio/icons/timeline/music.svg +10 -0
- package/dist/studio/icons/timeline/text.svg +3 -0
- package/dist/studio/index.html +13 -0
- package/dist/templates/play-mode/compositions/captions.html +97 -0
- package/dist/templates/play-mode/compositions/intro.html +88 -0
- package/dist/templates/play-mode/compositions/stats.html +252 -0
- package/dist/templates/play-mode/index.html +173 -0
- package/dist/templates/swiss-grid/assets/swiss-grid.svg +116 -0
- package/dist/templates/swiss-grid/compositions/captions.html +95 -0
- package/dist/templates/swiss-grid/compositions/graphics.html +198 -0
- package/dist/templates/swiss-grid/compositions/intro.html +114 -0
- package/dist/templates/swiss-grid/index.html +172 -0
- package/dist/templates/vignelli/compositions/captions.html +122 -0
- package/dist/templates/vignelli/compositions/overlays.html +271 -0
- package/dist/templates/vignelli/index.html +171 -0
- package/dist/templates/warm-grain/compositions/captions.html +133 -0
- package/dist/templates/warm-grain/compositions/graphics.html +157 -0
- package/dist/templates/warm-grain/compositions/intro.html +77 -0
- package/dist/templates/warm-grain/index.html +195 -0
- package/package.json +54 -0
|
@@ -0,0 +1,26 @@
|
|
|
1
|
+
# Compositions
|
|
2
|
+
|
|
3
|
+
A composition is an HTML document that defines a video timeline.
|
|
4
|
+
|
|
5
|
+
## Structure
|
|
6
|
+
Every composition needs a root element with `data-composition-id`:
|
|
7
|
+
```html
|
|
8
|
+
<div id="root" data-composition-id="root" data-width="1920" data-height="1080">
|
|
9
|
+
<!-- Elements go here -->
|
|
10
|
+
</div>
|
|
11
|
+
```
|
|
12
|
+
|
|
13
|
+
## Nested Compositions
|
|
14
|
+
Embed one composition inside another:
|
|
15
|
+
```html
|
|
16
|
+
<div data-composition-src="./intro.html" data-start="0" data-duration="5"></div>
|
|
17
|
+
```
|
|
18
|
+
|
|
19
|
+
## Listing Compositions
|
|
20
|
+
Use `npx hyperframes compositions` to see all compositions in a project.
|
|
21
|
+
|
|
22
|
+
## Variables
|
|
23
|
+
Compositions can expose variables for dynamic content:
|
|
24
|
+
```html
|
|
25
|
+
<div data-composition-id="card" data-var-title="string" data-var-color="color">
|
|
26
|
+
```
|
|
@@ -0,0 +1,22 @@
|
|
|
1
|
+
# Data Attributes
|
|
2
|
+
|
|
3
|
+
Core attributes for controlling element timing and behavior.
|
|
4
|
+
|
|
5
|
+
## Timing
|
|
6
|
+
- `data-start="0"` — Start time in seconds
|
|
7
|
+
- `data-duration="5"` — Duration in seconds
|
|
8
|
+
- `data-track-index="0"` — Timeline track number (controls z-ordering)
|
|
9
|
+
|
|
10
|
+
## Media
|
|
11
|
+
- `data-media-start="2"` — Media playback offset / trim point (seconds)
|
|
12
|
+
- `data-volume="0.8"` — Audio/video volume, 0 to 1
|
|
13
|
+
- `data-has-audio="true"` — Indicates video has an audio track
|
|
14
|
+
|
|
15
|
+
## Composition
|
|
16
|
+
- `data-composition-id="root"` — Unique ID for composition wrapper (required)
|
|
17
|
+
- `data-width="1920"` — Composition width in pixels
|
|
18
|
+
- `data-height="1080"` — Composition height in pixels
|
|
19
|
+
- `data-composition-src="./intro.html"` — Nested composition source
|
|
20
|
+
|
|
21
|
+
## Element Visibility
|
|
22
|
+
Add `class="clip"` to timed elements so the runtime can manage their visibility lifecycle.
|
|
@@ -0,0 +1,23 @@
|
|
|
1
|
+
# GSAP Animation
|
|
2
|
+
|
|
3
|
+
HyperFrames uses GSAP for animation. Timelines are paused and controlled by the runtime.
|
|
4
|
+
|
|
5
|
+
## Setup
|
|
6
|
+
```html
|
|
7
|
+
<script src="https://cdn.jsdelivr.net/npm/gsap@3/dist/gsap.min.js"></script>
|
|
8
|
+
<script>
|
|
9
|
+
const tl = gsap.timeline({ paused: true });
|
|
10
|
+
tl.to("#title", { opacity: 1, duration: 0.5 }, 0);
|
|
11
|
+
window.__timelines = window.__timelines || {};
|
|
12
|
+
window.__timelines["root"] = tl;
|
|
13
|
+
</script>
|
|
14
|
+
```
|
|
15
|
+
|
|
16
|
+
## Key Rules
|
|
17
|
+
- Always create timelines with `{ paused: true }`
|
|
18
|
+
- Register timelines on `window.__timelines` with the composition ID as key
|
|
19
|
+
- Position parameter (3rd arg) sets absolute time: `tl.to(el, vars, 1.5)`
|
|
20
|
+
- Supported methods: `set`, `to`, `from`, `fromTo`
|
|
21
|
+
|
|
22
|
+
## Supported Properties
|
|
23
|
+
opacity, x, y, scale, scaleX, scaleY, rotation, width, height, visibility
|
|
@@ -0,0 +1,23 @@
|
|
|
1
|
+
# Rendering
|
|
2
|
+
|
|
3
|
+
Render compositions to MP4 with `npx hyperframes render`.
|
|
4
|
+
|
|
5
|
+
## Local Mode (default)
|
|
6
|
+
Uses Puppeteer (bundled Chromium) + system FFmpeg. Fast for iteration.
|
|
7
|
+
Requires: FFmpeg installed (`brew install ffmpeg` or `apt install ffmpeg`).
|
|
8
|
+
|
|
9
|
+
## Docker Mode (--docker)
|
|
10
|
+
Deterministic output with exact Chrome version and fonts. For production.
|
|
11
|
+
Requires: Docker installed and running.
|
|
12
|
+
|
|
13
|
+
## Options
|
|
14
|
+
- `-f, --fps` — 24, 30, or 60 (default: 30)
|
|
15
|
+
- `-q, --quality` — draft, standard, high (default: standard)
|
|
16
|
+
- `-w, --workers` — Parallel workers 1-8 (default: auto)
|
|
17
|
+
- `--gpu` — Use GPU encoding (NVENC, VideoToolbox, VAAPI)
|
|
18
|
+
- `-o, --output` — Custom output path
|
|
19
|
+
|
|
20
|
+
## Tips
|
|
21
|
+
- Use `draft` quality for fast previews during development
|
|
22
|
+
- Use `npx hyperframes benchmark` to find optimal settings
|
|
23
|
+
- 4 workers is usually the sweet spot for most compositions
|
|
@@ -0,0 +1,15 @@
|
|
|
1
|
+
# Templates
|
|
2
|
+
|
|
3
|
+
Built-in templates available via `npx hyperframes init --template <name>`.
|
|
4
|
+
|
|
5
|
+
## blank
|
|
6
|
+
Empty 1920x1080 composition with GSAP timeline wired up. Start from scratch.
|
|
7
|
+
|
|
8
|
+
## title-card
|
|
9
|
+
Animated title and subtitle with GSAP fade-in/out. Good for intro cards.
|
|
10
|
+
|
|
11
|
+
## video-edit
|
|
12
|
+
Video element with trimming, audio, and track controls. Starting point for video editing.
|
|
13
|
+
|
|
14
|
+
## Custom Templates
|
|
15
|
+
Any directory with an `index.html` can serve as a template. Copy it manually or build your own init workflow.
|
|
@@ -0,0 +1,22 @@
|
|
|
1
|
+
# Troubleshooting
|
|
2
|
+
|
|
3
|
+
## "No composition found"
|
|
4
|
+
Your directory needs an `index.html`. Run `npx hyperframes init` to create one.
|
|
5
|
+
|
|
6
|
+
## "FFmpeg not found"
|
|
7
|
+
Local rendering requires FFmpeg. Install it:
|
|
8
|
+
- macOS: `brew install ffmpeg`
|
|
9
|
+
- Ubuntu: `sudo apt install ffmpeg`
|
|
10
|
+
- Windows: Download from https://ffmpeg.org/download.html
|
|
11
|
+
|
|
12
|
+
## Lint errors
|
|
13
|
+
Run `npx hyperframes lint` to check for common issues:
|
|
14
|
+
- Missing `data-composition-id` on root element
|
|
15
|
+
- Missing `class="clip"` on timed elements
|
|
16
|
+
- Overlapping timelines or invalid data attributes
|
|
17
|
+
|
|
18
|
+
## Preview not updating
|
|
19
|
+
Make sure you're editing the `index.html` in the project directory. The preview server watches for file changes and auto-reloads.
|
|
20
|
+
|
|
21
|
+
## Render looks different from preview
|
|
22
|
+
Use `--docker` mode for deterministic output. Local renders may differ due to font availability and Chrome version.
|
|
@@ -0,0 +1,12 @@
|
|
|
1
|
+
"use strict";(()=>{function X(e){try{window.parent.postMessage(e,"*")}catch{}}function Ue(e){let n=i=>{let a=i.data;if(!a||a.source!=="hf-parent"||a.type!=="control")return;let d=a.action;if(d==="play"){e.onPlay();return}if(d==="pause"){e.onPause();return}if(d==="seek"){e.onSeek(Number(a.frame??0),a.seekMode??"commit");return}if(d==="set-muted"){e.onSetMuted(!!a.muted);return}if(d==="set-playback-rate"){e.onSetPlaybackRate(Number(a.playbackRate??1));return}if(d==="enable-pick-mode"){e.onEnablePickMode();return}if(d==="disable-pick-mode"){e.onDisablePickMode();return}if(d==="flash-elements"){let g=a.selectors,S=a.duration||800;g&&dt(g,S)}};return window.addEventListener("message",n),n}function dt(e,n){if(!document.getElementById("__hf-flash-styles")){let i=document.createElement("style");i.id="__hf-flash-styles",i.textContent=`
|
|
2
|
+
.__hf-flash {
|
|
3
|
+
outline: 2px solid rgba(59, 130, 246, 0.6) !important;
|
|
4
|
+
outline-offset: 2px !important;
|
|
5
|
+
animation: __hf-flash-pulse ${n}ms ease-out forwards !important;
|
|
6
|
+
}
|
|
7
|
+
@keyframes __hf-flash-pulse {
|
|
8
|
+
0% { outline-color: rgba(59, 130, 246, 0.8); }
|
|
9
|
+
100% { outline-color: transparent; }
|
|
10
|
+
}
|
|
11
|
+
`,document.head.appendChild(i)}for(let i of e)try{document.querySelectorAll(i).forEach(d=>{d.classList.add("__hf-flash"),setTimeout(()=>d.classList.remove("__hf-flash"),n)})}catch{}}var De=null;function qe(e){De=e}function be(e,n){if(De)try{De({source:"hf-preview",type:"analytics",event:e,properties:n??{}})}catch{}}function Ve(e){let n=[];return{name:"css",discover:()=>{n=[];let i=document.querySelectorAll("*");for(let a of i){if(!(a instanceof HTMLElement))continue;let d=window.getComputedStyle(a);!d.animationName||d.animationName==="none"||n.push({el:a,baseDelay:a.style.animationDelay||"",basePlayState:a.style.animationPlayState||""})}},seek:i=>{let a=Number(i.time)||0;for(let d of n){if(!d.el.isConnected)continue;let g=e?.resolveStartSeconds?e.resolveStartSeconds(d.el):Number.parseFloat(d.el.getAttribute("data-start")??"0")||0,S=Math.max(0,a-g);d.el.style.animationPlayState="paused",d.el.style.animationDelay=`-${S.toFixed(3)}s`}},pause:()=>{for(let i of n)i.el.isConnected&&(i.el.style.animationPlayState=i.basePlayState||"paused",i.baseDelay&&(i.el.style.animationDelay=i.baseDelay))},revert:()=>{n=[]}}}function $e(e){return{name:"gsap",discover:()=>{},seek:n=>{let i=e.getTimeline();if(!i)return;i.pause();let a=Math.max(0,Number(n.time)||0);typeof i.totalTime=="function"?i.totalTime(a,!1):i.seek(a,!1)},pause:()=>{let n=e.getTimeline();n&&n.pause()}}}function ze(){return{name:"lottie",discover:()=>{try{let e=window.lottie;if(e&&typeof e.getRegisteredAnimations=="function"){let n=e.getRegisteredAnimations();if(Array.isArray(n)&&n.length>0){let i=window.__hfLottie??[],a=new Set(i);for(let d of n)a.has(d)||i.push(d);window.__hfLottie=i}}}catch{}},seek:e=>{let n=Math.max(0,Number(e.time)||0),i=window.__hfLottie;if(!(!i||i.length===0))for(let a of i)try{if(Ce(a))a.goToAndStop(n*1e3,!1);else if(Ie(a)){if(typeof a.setCurrentRawFrameValue=="function"){let d=a.totalFrames??0,g=a.frameRate??30,S=n*g;d>0&&a.setCurrentRawFrameValue(Math.min(S,d-1))}else if(typeof a.seek=="function"){let d=a.duration??1,g=Math.min(100,n/d*100);a.seek(g)}}}catch{}},pause:()=>{let e=window.__hfLottie;if(!(!e||e.length===0))for(let n of e)try{(Ce(n)||Ie(n))&&n.pause()}catch{}},play:()=>{let e=window.__hfLottie;if(!(!e||e.length===0))for(let n of e)try{(Ce(n)||Ie(n))&&n.play()}catch{}},revert:()=>{}}}function Ce(e){return typeof e=="object"&&e!==null&&typeof e.goToAndStop=="function"}function Ie(e){return typeof e=="object"&&e!==null&&typeof e.pause=="function"&&("totalFrames"in e||"duration"in e)}function Ge(){let e=null,n=0;return{name:"three",discover:()=>{},seek:i=>{e=Math.max(0,Number(i.time)||0),n=e,window.__hfThreeTime=e;try{window.dispatchEvent(new CustomEvent("hf-seek",{detail:{time:e}}))}catch{}},pause:()=>{e==null&&(e=Math.max(0,n))},play:()=>{e=null},revert:()=>{e=null,n=0}}}function Ke(){return{name:"waapi",discover:()=>{},seek:e=>{if(!document.getAnimations)return;let n=Math.max(0,(Number(e.time)||0)*1e3);for(let i of document.getAnimations())try{i.pause(),i.currentTime=n}catch{}},pause:()=>{if(document.getAnimations)for(let e of document.getAnimations())try{e.pause()}catch{}}}}function Ze(e){let n=Array.from(document.querySelectorAll("video[data-start], audio[data-start]")),i=[],a=[],d=0;for(let g of n){let S=e?.resolveStartSeconds?e.resolveStartSeconds(g):Number.parseFloat(g.dataset.start??"0");if(!Number.isFinite(S))continue;let y=Number.parseFloat(g.dataset.playbackStart??g.dataset.mediaStart??"0")||0,l=Number.parseFloat(g.dataset.duration??"");(!Number.isFinite(l)||l<=0)&&Number.isFinite(g.duration)&&g.duration>0&&(l=Math.max(0,g.duration-y));let b=Number.isFinite(l)&&l>0?S+l:Number.POSITIVE_INFINITY,p=Number.parseFloat(g.dataset.volume??""),R={el:g,start:S,mediaStart:y,duration:Number.isFinite(l)&&l>0?l:Number.POSITIVE_INFINITY,end:b,volume:Number.isFinite(p)?p:null};i.push(R),g.tagName==="VIDEO"&&a.push(R),Number.isFinite(b)&&(d=Math.max(d,b))}return{timedMediaEls:n,mediaClips:i,videoClips:a,maxMediaEnd:d}}function Ye(e){for(let n of e.clips){let{el:i}=n;if(!i.isConnected)continue;let a=e.timeSeconds-n.start+n.mediaStart;if(e.timeSeconds>=n.start&&e.timeSeconds<n.end&&a>=0){n.volume!=null&&(i.volume=n.volume);try{i.playbackRate=e.playbackRate}catch{}if(Math.abs((i.currentTime||0)-a)>.3)try{i.currentTime=a}catch{}e.playing&&i.paused?i.play().catch(()=>{}):!e.playing&&!i.paused&&i.pause();continue}i.paused||i.pause()}}function Je(e){let n=!1,i=null,a=null,d=null,g=null;function S(u,f){try{window.dispatchEvent(new CustomEvent(u,{detail:f}))}catch{}}function y(u){d=u,S("hyperframe:picker:hovered",{elementInfo:d,isPickMode:n,timestamp:Date.now()})}function l(u){g=u,S("hyperframe:picker:selected",{elementInfo:g,isPickMode:n,timestamp:Date.now()})}function b(u){if(!u||u===document.body||u===document.documentElement)return!1;let f=u.tagName.toLowerCase();return!(f==="script"||f==="style"||f==="link"||f==="meta"||u.classList.contains("__hf-pick-highlight"))}function p(u){let f=u;if(f.id)return`#${f.id}`;let h=u.getAttribute("data-composition-id");if(h)return`[data-composition-id="${h}"]`;let C=u.getAttribute("data-composition-src");if(C)return`[data-composition-src="${C}"]`;let v=u.getAttribute("data-track-index");if(v)return`[data-track-index="${v}"]`;let k=u.tagName.toLowerCase(),z=u.parentElement;if(!z)return k;let W=z.querySelectorAll(`:scope > ${k}`);if(W.length===1)return k;for(let I=0;I<W.length;I+=1)if(W[I]===u)return`${k}:nth-of-type(${I+1})`;return k}function R(u){let f=u.tagName.toLowerCase(),h=(u.textContent??"").trim().replace(/\s+/g," "),C=(v,k)=>v.length>k?`${v.slice(0,k-1)}\u2026`:v;return f==="h1"||f==="h2"||f==="h3"?"Heading":f==="p"||f==="span"||f==="div"?h.length>0?C(h,56):"Text":f==="img"?"Image":f==="video"?"Video":f==="audio"?"Audio":f==="svg"?"Shape":u.getAttribute("data-composition-src")?"Composition":f==="section"?"Section":`${f.charAt(0).toUpperCase()}${f.slice(1)}`}function P(u,f,h){let C=typeof h=="number"&&h>0?h:8,v=[];if(document.elementsFromPoint)v=document.elementsFromPoint(u,f);else if(document.elementFromPoint){let W=document.elementFromPoint(u,f);v=W?[W]:[]}let k={},z=[];for(let W=0;W<v.length;W+=1){let I=v[W];if(!b(I))continue;let G=`${I.tagName}::${I.id||""}::${W}`;if(!k[G]&&(k[G]=!0,z.push(I),z.length>=C))break}return z}function H(u){let f=u.getBoundingClientRect(),h={};for(let v=0;v<u.attributes.length;v+=1){let k=u.attributes[v];k.name.startsWith("data-")&&(h[k.name]=k.value)}return{id:u.id||null,tagName:u.tagName.toLowerCase(),selector:p(u),label:R(u),boundingBox:{x:f.left,y:f.top,width:f.width,height:f.height},textContent:u.textContent?u.textContent.trim().slice(0,200):null,src:u.getAttribute("src")||u.getAttribute("data-composition-src")||null,dataAttributes:h}}function D(u,f,h){return P(u,f,h).map(H)}function Q(u){if(!n)return;let h=P(u.clientX,u.clientY,1)[0]??(u.target instanceof Element?u.target:null);if(!b(h)||i===h)return;i&&i.classList.remove("__hf-pick-highlight"),i=h,h.classList.add("__hf-pick-highlight");let C=H(h);y(C),e.postMessage({source:"hf-preview",type:"element-hovered",elementInfo:C})}function Z(u){if(!n)return;u.preventDefault(),u.stopPropagation(),u.stopImmediatePropagation();let f=D(u.clientX,u.clientY,8);f.length!==0&&(y(f[0]??null),e.postMessage({source:"hf-preview",type:"element-pick-candidates",candidates:f,selectedIndex:0,point:{x:u.clientX,y:u.clientY}}))}function ae(u){u.key==="Escape"&&(ie(),e.postMessage({source:"hf-preview",type:"pick-mode-cancelled"}))}function oe(){n||(n=!0,a=document.createElement("style"),a.textContent=[".__hf-pick-highlight { outline: 2px solid #4f8cf7 !important; outline-offset: 2px; cursor: crosshair !important; }",".__hf-pick-active * { cursor: crosshair !important; }"].join(`
|
|
12
|
+
`),document.head.appendChild(a),document.body.classList.add("__hf-pick-active"),document.addEventListener("mousemove",Q,!0),document.addEventListener("click",Z,!0),document.addEventListener("keydown",ae,!0),S("hyperframe:picker:mode",{isPickMode:!0,timestamp:Date.now()}))}function ie(){n&&(n=!1,i&&(i.classList.remove("__hf-pick-highlight"),i=null),a&&(a.remove(),a=null),document.body.classList.remove("__hf-pick-active"),document.removeEventListener("mousemove",Q,!0),document.removeEventListener("click",Z,!0),document.removeEventListener("keydown",ae,!0),S("hyperframe:picker:mode",{isPickMode:!1,timestamp:Date.now()}))}function se(){window.__HF_PICKER_API={enable:oe,disable:ie,isActive:()=>n,getHovered:()=>d,getSelected:()=>g,getCandidatesAtPoint:(u,f,h)=>Number.isFinite(u)&&Number.isFinite(f)?D(u,f,h):[],pickAtPoint:(u,f,h)=>{if(!Number.isFinite(u)||!Number.isFinite(f))return null;let C=D(u,f,8);if(!C.length)return null;let v=Math.max(0,Math.min(C.length-1,Number(h??0))),k=C[v]??null;return k?(l(k),e.postMessage({source:"hf-preview",type:"element-picked",elementInfo:k}),ie(),k):null},pickManyAtPoint:(u,f,h)=>{if(!Number.isFinite(u)||!Number.isFinite(f))return[];let C=D(u,f,8);if(!C.length)return[];let v=[],k=Array.isArray(h)?h:[0];for(let z of k){let W=Math.max(0,Math.min(C.length-1,Math.floor(Number(z)))),I=C[W];if(!I)continue;v.some(U=>U.selector===I.selector&&U.tagName===I.tagName)||v.push(I)}return v.length?(l(v[0]??null),e.postMessage({source:"hf-preview",type:"element-picked-many",elementInfos:v}),ie(),v):[]}},S("hyperframe:picker:api-ready",{hasApi:!0,timestamp:Date.now()})}return{enablePickMode:oe,disablePickMode:ie,installPickerApi:se}}function Xe(e,n){let i=Number.isFinite(n)&&n>0?n:30,a=Number.isFinite(e)&&e>0?e:0;return Math.floor(a*i+1e-9)/i}function Qe(e,n,i){let a=Xe(n,i);return e.pause(),typeof e.totalTime=="function"?e.totalTime(a,!1):e.seek(a,!1),a}function et(e){return{_timeline:null,play:()=>{let n=e.getTimeline();if(!n||e.getIsPlaying())return;let i=Math.max(0,Number(e.getSafeDuration?.()??n.duration()??0)||0);i>0&&Math.max(0,Number(n.time())||0)>=i&&(n.pause(),n.seek(0,!1),e.onDeterministicSeek(0),e.setIsPlaying(!1),e.onSyncMedia(0,!1),e.onRenderFrameSeek(0)),typeof n.timeScale=="function"&&n.timeScale(e.getPlaybackRate()),n.play(),e.onDeterministicPlay(),e.setIsPlaying(!0),e.onShowNativeVideos(),e.onStatePost(!0)},pause:()=>{let n=e.getTimeline();if(!n)return;n.pause();let i=Math.max(0,Number(n.time())||0);e.onDeterministicSeek(i),e.onDeterministicPause(),e.setIsPlaying(!1),e.onSyncMedia(i,!1),e.onRenderFrameSeek(i),e.onStatePost(!0)},seek:n=>{let i=e.getTimeline();if(!i)return;let a=Math.max(0,Number(n)||0),d=Qe(i,a,e.getCanonicalFps());e.onDeterministicSeek(d),e.setIsPlaying(!1),e.onSyncMedia(d,!1),e.onRenderFrameSeek(d),e.onStatePost(!0)},renderSeek:n=>{let i=e.getTimeline();if(!i)return;let a=Qe(i,n,e.getCanonicalFps());e.onDeterministicSeek(a),e.setIsPlaying(!1),e.onSyncMedia(a,!1),e.onRenderFrameSeek(a),e.onStatePost(!0)},getTime:()=>Number(e.getTimeline()?.time()??0),getDuration:()=>Number(e.getTimeline()?.duration()??0),isPlaying:()=>e.getIsPlaying(),setPlaybackRate:n=>e.setPlaybackRate(n),getPlaybackRate:()=>e.getPlaybackRate()}}function tt(){return{capturedTimeline:null,isPlaying:!1,rafId:null,currentTime:0,deterministicAdapters:[],parityModeEnabled:!0,canonicalFps:30,bridgeMuted:!1,playbackRate:1,bridgeLastPostedFrame:-1,bridgeLastPostedAt:0,bridgeLastPostedPlaying:!1,bridgeLastPostedMuted:!1,bridgeMaxPostIntervalMs:80,timelinePollIntervalId:null,controlBridgeHandler:null,clampDurationLoggedRaw:null,beforeUnloadHandler:null,domReadyHandler:null,injectedCompStyles:[],injectedCompScripts:[],cachedTimedMediaEls:[],cachedMediaClips:[],cachedVideoClips:[],cachedMediaTimelineDurationSeconds:0,tornDown:!1,maxTimelineDurationSeconds:1800,nativeVisualWatchdogTick:0}}function he(e){let n=Number(e);return Number.isFinite(n)?n:null}function mt(e){let n=(e??"").trim();if(!n)return null;let i=he(n);if(i!=null)return{kind:"absolute",value:i};let a=n.match(/^([A-Za-z0-9_.:-]+)(?:\s*([+-])\s*([0-9]*\.?[0-9]+))?$/);if(!a)return null;let d=(a[1]??"").trim();if(!d)return null;let g=a[2]??"+",S=a[3]??"0",y=Number.parseFloat(S),l=Number.isFinite(y)?Math.max(0,y):0,b=g==="-"?-l:l;return{kind:"reference",refId:d,offset:b}}function pe(e){let n=e.timelineRegistry??{},i=new WeakMap,a=new WeakMap,d=new Set,g=l=>{let b=document.getElementById(l);return b||(document.querySelector(`[data-composition-id="${CSS.escape(l)}"]`)??null)},S=l=>{let b=a.get(l);if(b!==void 0)return b;let p=null,R=he(l.getAttribute("data-duration"));if(R!=null&&R>0&&(p=R),p==null||p<=0){let P=he(l.getAttribute("data-end"));if(P!=null){let H=y(l,0),D=P-H;Number.isFinite(D)&&D>0&&(p=D)}}if((p==null||p<=0)&&l instanceof HTMLMediaElement){let P=he(l.getAttribute("data-playback-start"))??he(l.getAttribute("data-media-start"))??0;Number.isFinite(l.duration)&&l.duration>P&&(p=l.duration-P)}if(p==null||p<=0){let P=l.getAttribute("data-composition-id");if(P){let H=n[P]??null;if(H&&typeof H.duration=="function")try{let D=Number(H.duration());Number.isFinite(D)&&D>0&&(p=D)}catch{}}}return p!=null&&Number.isFinite(p)&&p>0?(a.set(l,p),p):(a.set(l,null),null)},y=(l,b)=>{let p=i.get(l);if(p!==void 0)return p??b;if(d.has(l))return b;d.add(l);try{let R=mt(l.getAttribute("data-start"));if(!R)return i.set(l,b),b;if(R.kind==="absolute"){let Z=Math.max(0,R.value);return i.set(l,Z),Z}let P=g(R.refId);if(!P)return i.set(l,b),b;let H=y(P,0),D=S(P);if(D==null||D<=0){let Z=Math.max(0,H+R.offset);return i.set(l,Z),Z}let Q=Math.max(0,H+D+R.offset);return i.set(l,Q),Q}finally{d.delete(l)}};return{resolveStartForElement:(l,b=0)=>y(l,Math.max(0,b)),resolveDurationForElement:l=>S(l)}}function ne(e){let n=Number(e);return Number.isFinite(n)?n:null}function Se(e){let n=String(e??"").trim();if(!n)return null;let i=n.toLowerCase();if(i.startsWith("data:")||i.startsWith("javascript:"))return null;try{return new URL(n,document.baseURI).toString()}catch{return n}}function ft(e){let n=e.getAttribute("src")??e.getAttribute("data-src");if(n)return Se(n);let i=e.getAttribute("data-composition-src");if(i)return Se(i);let a=e.querySelector("img[src], video[src], audio[src], source[src]");return a?Se(a.getAttribute("src")):null}function nt(e){let i=window.__timelines??{},a=pe({timelineRegistry:i}),d=T=>{if(!T)return null;let m=i[T]??null;if(!m||typeof m.duration!="function")return null;try{let x=Number(m.duration());return Number.isFinite(x)&&x>0?x:null}catch{return null}},g=T=>{let m=ne(T.getAttribute("data-duration"));if(m!=null&&m>0)return m;let x=ne(T.getAttribute("data-playback-start"))??ne(T.getAttribute("data-media-start"))??0;return Number.isFinite(T.duration)&&T.duration>x?Math.max(0,T.duration-x):null},S=()=>{let T=Array.from(document.querySelectorAll("video[data-start], audio[data-start]"));if(T.length===0)return null;let m=0;for(let x of T){let O=a.resolveStartForElement(x,0);if(!Number.isFinite(O))continue;let F=g(x);F==null||F<=0||(m=Math.max(m,Math.max(0,O)+F))}return m>0?m:null},y=T=>{let m=T.trim().toLowerCase();return!(!m||m==="main"||m.includes("caption")||m.includes("ambient"))},l=(T,m)=>{let x=[],O=null,F=null,_=null,K=T.parentElement;for(;K;){let Y=K.getAttribute("data-composition-id");Y&&(x.push(Y),!_&&K!==m&&(_=Y),O==null&&(O=a.resolveStartForElement(K,0)),F==null&&(F=ne(K.getAttribute("data-duration"))??null)),K=K.parentElement}return{parentCompositionId:_,compositionAncestors:x.reverse(),inheritedStart:O,inheritedDuration:F}},b=document.querySelector("[data-composition-id]"),p=b?.getAttribute("data-composition-id")??null,R=b?a.resolveStartForElement(b,0):0,P=S(),H=P!=null?Math.max(0,P-Math.max(0,R)):null,D=d(p),Q=ne(b?.getAttribute("data-duration")),Z=typeof D=="number"&&Number.isFinite(D)&&D>0?D:null,ae=typeof Q=="number"&&Number.isFinite(Q)&&Q>0?Q:null,oe=typeof H=="number"&&Number.isFinite(H)&&H>0?H:null,ie=Z!=null&&oe!=null&&Z>oe+1,se=ae??(ie?oe:Z??oe),u=se!=null?Math.min(se,e.maxTimelineDurationSeconds):null,h=(u!=null?R+u:null)??(typeof P=="number"&&Number.isFinite(P)&&P>0?P:null),C=(T,m)=>!Number.isFinite(m)||m<=0?0:h==null||!Number.isFinite(h)?m:!Number.isFinite(T)||T>=h?0:Math.max(0,Math.min(m,h-T)),v=Array.from(document.querySelectorAll("[data-composition-id]")),k=[],z=[],W=Array.from(document.querySelectorAll("*")),I=0;for(let T=0;T<W.length;T+=1){let m=W[T];if(m===b||["SCRIPT","STYLE","LINK","META","TEMPLATE","NOSCRIPT"].includes(m.tagName))continue;let x=l(m,b),O=a.resolveStartForElement(m,x.inheritedStart??0),F=m.getAttribute("data-composition-id"),_=ne(m.getAttribute("data-duration"));if((_==null||_<=0)&&F&&F!==p&&(_=d(F)),(_==null||_<=0)&&m instanceof HTMLMediaElement){let le=ne(m.getAttribute("data-playback-start"))??ne(m.getAttribute("data-media-start"))??0;Number.isFinite(m.duration)&&m.duration>0&&(_=Math.max(0,m.duration-le))}if(_==null||_<=0){let le=x.inheritedDuration;if(le!=null&&le>0){let Ae=(x.inheritedStart??0)+le;_=Math.max(0,Ae-O)}}if(_==null||_<=0||(_=C(O,_),_<=0))continue;let K=O+_;I=Math.max(I,K);let Y=m.tagName.toLowerCase(),Te=F&&F!==p?"composition":Y==="video"?"video":Y==="audio"?"audio":Y==="img"?"image":"element";k.push({id:m.id||`__node__index_${T}`,label:m.getAttribute("data-timeline-label")??m.getAttribute("data-label")??m.getAttribute("aria-label")??m.id??m.className?.split(" ")[0]??Te,start:O,duration:_,track:Number.parseInt(m.getAttribute("data-track-index")??m.getAttribute("data-track")??String(T),10)||0,kind:Te,tagName:Y,compositionId:m.getAttribute("data-composition-id"),compositionAncestors:x.compositionAncestors,parentCompositionId:x.parentCompositionId,nodePath:null,compositionSrc:Se(m.getAttribute("data-composition-src")),assetUrl:ft(m),timelineRole:m.getAttribute("data-timeline-role"),timelineLabel:m.getAttribute("data-timeline-label"),timelineGroup:m.getAttribute("data-timeline-group"),timelinePriority:ne(m.getAttribute("data-timeline-priority"))})}for(let T of v){if(T===b)continue;let m=T.getAttribute("data-composition-id");if(!m||!y(m))continue;let x=a.resolveStartForElement(T,0),O=ne(T.getAttribute("data-duration")),F=d(m),_=O&&O>0?O:F;if(_==null||_<=0)continue;let K=C(x,_);K<=0||z.push({id:m,label:T.getAttribute("data-label")??m,start:x,duration:K,thumbnailUrl:Se(T.getAttribute("data-thumbnail-url")),avatarName:null})}let G=Math.max(1,Math.min(I||1,e.maxTimelineDurationSeconds));return{source:"hf-preview",type:"timeline",durationInFrames:ie&&ae==null?Number.POSITIVE_INFINITY:Math.max(1,Math.round(G*Math.max(1,e.canonicalFps))),clips:k,scenes:z,compositionWidth:ne(b?.getAttribute("data-width"))??1920,compositionHeight:ne(b?.getAttribute("data-height"))??1080}}var pt=/^(?![a-zA-Z][a-zA-Z\d+\-.]*:)(?!\/\/)(?!\/)(?!\.\.?\/).+/,gt=e=>new Promise(n=>{let i=!1,a=Date.now(),d=null,g=S=>{i||(i=!0,d!=null&&window.clearTimeout(d),n({status:S,elapsedMs:Math.max(0,Date.now()-a)}))};e.addEventListener("load",()=>g("load"),{once:!0}),e.addEventListener("error",()=>g("error"),{once:!0}),d=window.setTimeout(()=>g("timeout"),8e3)});function it(e){for(;e.firstChild;)e.removeChild(e.firstChild);e.textContent=""}function yt(e,n){let i=e.trim();if(!i)return e;try{return pt.test(i)?new URL(i,document.baseURI).toString():n?new URL(i,n).toString():new URL(i,document.baseURI).toString()}catch{return e}}async function ot(e){let n=null;e.hostCompositionId&&(n=Array.from(e.sourceNode.querySelectorAll("[data-composition-id]")).find(l=>l.getAttribute("data-composition-id")===e.hostCompositionId)??null);let i=n??e.sourceNode,a=Array.from(i.querySelectorAll("style"));for(let y of a){let l=y.cloneNode(!0);l instanceof HTMLStyleElement&&(document.head.appendChild(l),e.injectedStyles.push(l))}let d=Array.from(i.querySelectorAll("script")),g=[];for(let y of d){let l=y.getAttribute("type")?.trim()??"",b=y.getAttribute("src")?.trim()??"";if(b){let p=yt(b,e.compositionUrl);g.push({kind:"external",src:p,type:l})}else{let p=y.textContent?.trim()??"";p&&g.push({kind:"inline",content:p,type:l})}y.parentNode?.removeChild(y)}let S=Array.from(i.querySelectorAll("style"));for(let y of S)y.parentNode?.removeChild(y);if(n){let y=document.importNode(n,!0),l=n.getAttribute("data-width"),b=n.getAttribute("data-height"),p=e.parseDimensionPx(l),R=e.parseDimensionPx(b);y.style.position="relative",y.style.width=p||"100%",y.style.height=R||"100%",p&&y.style.setProperty("--comp-width",p),R&&y.style.setProperty("--comp-height",R),l&&e.host.setAttribute("data-width",l),b&&e.host.setAttribute("data-height",b),p&&e.host instanceof HTMLElement&&(e.host.style.width=p),R&&e.host instanceof HTMLElement&&(e.host.style.height=R),e.host.appendChild(y)}else e.hasTemplate?e.host.appendChild(document.importNode(i,!0)):e.host.innerHTML=e.fallbackBodyInnerHtml;for(let y of g){let l=document.createElement("script");if(y.type&&(l.type=y.type),l.async=!1,y.kind==="external"?l.src=y.src:y.type.toLowerCase()==="module"?l.textContent=y.content:l.textContent=`(function(){${y.content}})();`,document.body.appendChild(l),e.injectedScripts.push(l),y.kind==="external"){let b=await gt(l);b.status!=="load"&&e.onDiagnostic?.({code:"external_composition_script_load_issue",details:{hostCompositionId:e.hostCompositionId,hostCompositionSrc:e.hostCompositionSrc,resolvedScriptSrc:y.src,loadStatus:b.status,elapsedMs:b.elapsedMs}})}}}async function rt(e){let n=Array.from(document.querySelectorAll("[data-composition-src]"));n.length!==0&&await Promise.all(n.map(async i=>{let a=i.getAttribute("data-composition-src");if(!a)return;let d=null;try{d=new URL(a,document.baseURI)}catch{d=null}it(i);try{let g=i.getAttribute("data-composition-id"),S=g!=null?document.querySelector(`template#${CSS.escape(g)}-template`):null;if(S){await ot({host:i,hostCompositionId:g,hostCompositionSrc:a,sourceNode:S.content,hasTemplate:!0,fallbackBodyInnerHtml:"",compositionUrl:d,injectedStyles:e.injectedStyles,injectedScripts:e.injectedScripts,parseDimensionPx:e.parseDimensionPx,onDiagnostic:e.onDiagnostic});return}let y=await fetch(a);if(!y.ok)throw new Error(`HTTP ${y.status}`);let l=await y.text(),p=new DOMParser().parseFromString(l,"text/html"),R=(g?p.querySelector(`template#${CSS.escape(g)}-template`):null)??p.querySelector("template"),P=R?R.content:p.body;await ot({host:i,hostCompositionId:g,hostCompositionSrc:a,sourceNode:P,hasTemplate:!!R,fallbackBodyInnerHtml:p.body.innerHTML,compositionUrl:d,injectedStyles:e.injectedStyles,injectedScripts:e.injectedScripts,parseDimensionPx:e.parseDimensionPx,onDiagnostic:e.onDiagnostic})}catch(g){e.onDiagnostic?.({code:"external_composition_load_failed",details:{hostCompositionId:i.getAttribute("data-composition-id"),hostCompositionSrc:a,errorMessage:g instanceof Error?g.message:"unknown_error"}}),it(i)}}))}function at(){let e=tt(),n=window,i=null,a=null,d=[],g=new Set,S=null;if(typeof n.__hfRuntimeTeardown=="function")try{n.__hfRuntimeTeardown()}catch{}window.__timelines=window.__timelines||{};let y=t=>{d.push(t)},l=(t,o,r)=>{let c=r??`${t}:${JSON.stringify(o)}`;g.has(c)||(g.add(c),X({source:"hf-preview",type:"diagnostic",code:t,details:o}))},b=t=>{let o={scale:1,focusX:960,focusY:540},r=[],c=[],s={time:t.getTime(),duration:t.getDuration(),isPlaying:t.isPlaying(),renderMode:!1,timelineDirty:!1};return{play:t.play,pause:t.pause,seek:t.seek,getTime:t.getTime,getDuration:t.getDuration,isPlaying:t.isPlaying,getMainTimeline:()=>null,getElementBounds:()=>{},getElementsAtPoint:()=>{},setElementPosition:()=>{},previewElementPosition:()=>{},setElementKeyframes:()=>{},setElementScale:()=>{},setElementFontSize:()=>{},setElementTextContent:()=>{},setElementTextColor:()=>{},setElementTextShadow:()=>{},setElementTextFontWeight:()=>{},setElementTextFontFamily:()=>{},setElementTextOutline:()=>{},setElementTextHighlight:()=>{},setElementVolume:()=>{},setStageZoom:()=>{},getStageZoom:()=>o,setStageZoomKeyframes:()=>{},getStageZoomKeyframes:()=>r,addElement:()=>!1,removeElement:()=>!1,updateElementTiming:()=>!1,setElementTiming:()=>{},updateElementSrc:()=>!1,updateElementLayer:()=>!1,updateElementBasePosition:()=>!1,markTimelineDirty:()=>{},isTimelineDirty:()=>!1,rebuildTimeline:()=>{},ensureTimeline:()=>{},enableRenderMode:()=>{},disableRenderMode:()=>{},renderSeek:t.renderSeek,getElementVisibility:()=>({visible:!1}),getVisibleElements:()=>c,getRenderState:()=>({...s,time:t.getTime(),duration:t.getDuration(),isPlaying:t.isPlaying()})}},p=1/60,R=.75,P=.75,H=.35,D=900,Q=3,Z=2,ae=.05,oe=100,ie=240,se=t=>{if(t instanceof Error)return t.message||String(t);if(typeof t=="string")return t;try{return JSON.stringify(t)}catch{return String(t??"")}},u=t=>{let o=t.toLowerCase();return o.includes("cannot read properties of null")||o.includes("cannot set properties of null")?{code:"runtime_null_dom_access",category:"dom-null-access"}:o.includes("failed to execute 'queryselector'")?{code:"runtime_invalid_selector",category:"selector-invalid"}:o.includes("is not defined")?{code:"runtime_reference_missing",category:"reference-missing"}:{code:"runtime_script_error",category:"script-error"}},f=t=>{if(t==null||t.trim()==="")return null;let o=Number.parseFloat(t);return!Number.isFinite(o)||o<=0?null:`${o}px`},h=()=>{let t=document.getElementById("main-comp");if(t instanceof HTMLElement&&t.hasAttribute("data-composition-id"))return t;let o=document.querySelector('[data-composition-id][data-root="true"]');if(o instanceof HTMLElement)return o;let r=Array.from(document.querySelectorAll("[data-composition-id]"));return r.length===0?null:r.find(c=>!c.parentElement?.closest("[data-composition-id]"))??r[0]},C=()=>{let t=h();if(!t)return;let o=f(t.getAttribute("data-width")),r=f(t.getAttribute("data-height"));o&&(t.style.width=o),r&&(t.style.height=r),o&&t.style.setProperty("--comp-width",o),r&&t.style.setProperty("--comp-height",r)},v=()=>{let t=h(),o=Array.from(document.querySelectorAll("[data-composition-id][data-duration]"));for(let r of o)t&&r===t||r.removeAttribute("data-duration")},k=()=>{let t=h();if(!t)return;t.style.position||(t.style.position="relative"),t.style.overflow="hidden";let o=f(t.getAttribute("data-width")),r=f(t.getAttribute("data-height"));o&&(t.style.width=o),r&&(t.style.height=r);let c=Array.from(t.children);for(let s of c){let L=s.tagName.toLowerCase();if(L==="script"||L==="style"||L==="link"||L==="meta"||!s.hasAttribute("data-start"))continue;let V=(s.style.top==="0px"||s.style.top==="0")&&(s.style.left==="0px"||s.style.left==="0")&&s.style.width==="100%"&&s.style.height==="100%",ue=/translate\(\s*-50%\s*,\s*-50%\s*\)/.test(s.style.transform);if(V&&ue&&!s.hasAttribute("data-width")&&!s.hasAttribute("data-height")){let te=s.style.top,A=s.style.left,E=s.style.width,M=s.style.height;s.style.top="",s.style.left="",s.style.width="",s.style.height="";let w=window.getComputedStyle(s);w.top!=="auto"||w.bottom!=="auto"||w.left!=="auto"||w.right!=="auto"||w.width!=="0px"||w.height!=="0px"||(s.style.top=te,s.style.left=A,s.style.width=E,s.style.height=M)}let j=window.getComputedStyle(s),N=j.position;if(N!=="absolute"&&N!=="fixed"&&(s.style.position="absolute"),!!s.style.top||!!s.style.bottom||j.top!=="auto"||j.bottom!=="auto"||(s.style.top="0"),!!s.style.left||!!s.style.right||j.left!=="auto"||j.right!=="auto"||(s.style.left="0"),L!=="audio"){let te=f(s.getAttribute("data-width")),A=f(s.getAttribute("data-height")),E=j.width!=="0px"&&j.width!=="auto",M=j.height!=="0px"&&j.height!=="auto";te?!s.style.width&&!E&&(s.style.width=te):!s.style.width&&j.width==="0px"&&(s.style.width="100%"),A?!s.style.height&&!M&&(s.style.height=A):!s.style.height&&j.height==="0px"&&(s.style.height="100%")}}},z=(t,o=0)=>pe({timelineRegistry:window.__timelines??{}}).resolveStartForElement(t,o),W=t=>pe({timelineRegistry:window.__timelines??{}}).resolveDurationForElement(t),I=!document.querySelector("[data-composition-src]"),G=t=>{if(!t||typeof t.duration!="function")return null;try{let o=Number(t.duration());return Number.isFinite(o)?Math.max(0,o):null}catch{return null}},U=t=>typeof t=="number"&&Number.isFinite(t)&&t>p,xe=t=>{let o=Number(t.getAttribute("data-duration"));if(Number.isFinite(o)&&o>0)return o;let r=Number(t.getAttribute("data-playback-start")??t.getAttribute("data-media-start")??"0"),c=Number.isFinite(r)?Math.max(0,r):0;return Number.isFinite(t.duration)&&t.duration>c?Math.max(0,t.duration-c):null},T=()=>{let t=Array.from(document.querySelectorAll("video[data-start], audio[data-start]"));if(t.length===0)return null;let o=0;for(let r of t){let c=z(r,0);if(!Number.isFinite(c))continue;let s=xe(r);s==null||s<=p||(o=Math.max(o,Math.max(0,c)+s))}return o>p?o:null},m=()=>{let t=T();return typeof t!="number"||!Number.isFinite(t)||t<=p?null:t},x=t=>U(t)?Math.max(p,t*R):p,O=(t,o=0)=>{let r=G(t),c=m(),s=Number.isFinite(o)&&o>p?o:0,L=0;U(r)?L=Math.max(r,s):U(c)?L=Math.max(c,s):L=s;let V=Math.max(1,Number(e.maxTimelineDurationSeconds)||1800);return L>0?Math.max(0,Math.min(L,V)):0},F=()=>{let t=window.__timelines??{},o=pe({timelineRegistry:t}),r=m(),c=x(r),s=A=>{let E=document.querySelector(`[data-composition-id="${CSS.escape(A)}"]`);return E?o.resolveStartForElement(E,0):0},L=A=>{let E=window.gsap;if(!E||typeof E.timeline!="function")return null;let M=E.timeline({paused:!0});for(let w of A)M.add(w.timeline,s(w.compositionId));return M},V=(A,E)=>{if(!U(A))return null;let M=window.gsap;if(!M||typeof M.timeline!="function")return null;let w=M.timeline({paused:!0});if(E)try{w.add(E,0)}catch{}let $=w;if(typeof $.to=="function")try{$.to({},{duration:A})}catch{}return w},ue=(A,E)=>{let M=A;if(typeof M.getChildren!="function")return[];try{let w=M.getChildren(!0,!0,!0)??[];if(!Array.isArray(w))return[];let $=[];for(let J of E)if(!w.some(ye=>ye===J.timeline))try{let ye=s(J.compositionId);A.add(J.timeline,ye),$.push(J.compositionId)}catch{}return $}catch{return[]}},j=h(),N=j?.getAttribute("data-composition-id")??null;if(!N)return{timeline:null};let ee=t[N]??null,B=(()=>{if(!j)return[];let A=new Set,E=Array.from(j.querySelectorAll("[data-composition-id]")),M=[];for(let w of E){let $=w.getAttribute("data-composition-id");if(!$||$===N||A.has($))continue;A.add($);let J=t[$]??null;if(!J||typeof J.play!="function"||typeof J.pause!="function")continue;let fe=G(J);M.push({compositionId:$,timeline:J,durationSeconds:fe??0})}return M})(),te=A=>{for(let E of A){let M=E.timeline;if(typeof M.paused=="function")try{M.paused(!1)}catch{}}};if(B.length>0&&te(B),ee){let A=B.length>0?ue(ee,B):[];if((B.length>0||!document.querySelector("[data-composition-id]:not([data-composition-id='"+N+"'])"))&&(K=!0),A.length>0)try{let M=ee.time();ee.seek(M,!1)}catch{}let E=G(ee);if(!U(E)&&B.length>0){let M=B.map(ye=>ye.compositionId),w=L(B),$=G(w);if(w&&U($))return{timeline:w,selectedTimelineIds:M,selectedDurationSeconds:$,mediaDurationFloorSeconds:r,diagnostics:{code:"root_timeline_unusable_fallback",details:{rootCompositionId:N,rootDurationSeconds:E,fallbackKind:"composite_by_root_children",minCandidateDurationSeconds:c,selectedDurationSeconds:$,mediaDurationFloorSeconds:r,selectedTimelineIds:M,autoNestedChildren:A}}};let J=V(r??0,ee),fe=G(J);if(J&&U(fe))return{timeline:J,selectedTimelineIds:[N],selectedDurationSeconds:fe,mediaDurationFloorSeconds:r,diagnostics:{code:"root_timeline_unusable_media_floor_fallback",details:{rootCompositionId:N,rootDurationSeconds:E,fallbackKind:"media_duration_floor",mediaDurationFloorSeconds:r,selectedDurationSeconds:fe,selectedTimelineIds:[N],autoNestedChildren:A}}}}if(!U(E)&&B.length===0){let M=V(r??0,ee),w=G(M);if(M&&U(w))return{timeline:M,selectedTimelineIds:[N],selectedDurationSeconds:w,mediaDurationFloorSeconds:r,diagnostics:{code:"root_timeline_unusable_media_floor_fallback",details:{rootCompositionId:N,rootDurationSeconds:E,fallbackKind:"media_duration_floor",mediaDurationFloorSeconds:r,selectedDurationSeconds:w,selectedTimelineIds:[N]}}}}return{timeline:ee,selectedTimelineIds:[N],selectedDurationSeconds:E,mediaDurationFloorSeconds:r,diagnostics:A.length>0?{code:"root_timeline_auto_nested_children",details:{rootCompositionId:N,selectedDurationSeconds:E,autoNestedChildren:A}}:void 0}}if(B.length>0){let A=B.map(w=>w.compositionId),E=L(B),M=G(E);if(E)return{timeline:E,selectedTimelineIds:A,selectedDurationSeconds:M,mediaDurationFloorSeconds:r,diagnostics:{code:"root_timeline_missing_fallback",details:{rootCompositionId:N,fallbackKind:"composite_by_root_children",minCandidateDurationSeconds:c,selectedDurationSeconds:M,mediaDurationFloorSeconds:r,selectedTimelineIds:A}}}}return{timeline:null}},_=()=>{let t=e.capturedTimeline;if(!t||typeof t.time!="function")return;let o=Number(t.time());Number.isFinite(o)&&(e.currentTime=Math.max(0,o))},K=!1,Y=()=>{if(!I)return!1;let t=e.capturedTimeline,o=G(t),r=U(o);if(t&&r&&K)return!1;let c=F();return c.timeline?t&&t===c.timeline?(typeof t.timeScale=="function"&&t.timeScale(e.playbackRate),!1):(e.capturedTimeline=c.timeline,typeof e.capturedTimeline.timeScale=="function"&&e.capturedTimeline.timeScale(e.playbackRate),c.diagnostics&&X({source:"hf-preview",type:"diagnostic",code:c.diagnostics.code,details:c.diagnostics.details}),X({source:"hf-preview",type:"diagnostic",code:"timeline_bound",details:{selectedTimelineIds:c.selectedTimelineIds??[],selectedDurationSeconds:c.selectedDurationSeconds??null,mediaDurationFloorSeconds:c.mediaDurationFloorSeconds??null}}),!0):!1},Te=()=>{let t=h();if(!(t instanceof HTMLElement))return;let o=t.getBoundingClientRect(),r=Number(t.getAttribute("data-width")),c=Number(t.getAttribute("data-height")),s=window.getComputedStyle(t),L=Number.isFinite(r)&&r>0&&Number.isFinite(c)&&c>0,V=o.width<=0||o.height<=0||t.clientWidth<=0||t.clientHeight<=0;!L||!V||l("root_stage_layout_zero",{compositionId:t.getAttribute("data-composition-id")??null,declaredWidth:r,declaredHeight:c,rectWidth:Math.round(o.width),rectHeight:Math.round(o.height),clientWidth:t.clientWidth,clientHeight:t.clientHeight,display:s.display,visibility:s.visibility,overflow:s.overflow},`root-stage-layout-zero:${t.getAttribute("data-composition-id")??"unknown"}`)},le=()=>{e.tornDown||(S!=null&&window.cancelAnimationFrame(S),S=window.requestAnimationFrame(()=>{S=null,Te()}))},Ne=()=>{i=t=>{let o=se(t.error??t.message).slice(0,ie);if(!o)return;let r=u(o);X({source:"hf-preview",type:"diagnostic",code:r.code,details:{category:r.category,message:o,filename:t.filename||null,line:Number.isFinite(t.lineno)?t.lineno:null,column:Number.isFinite(t.colno)?t.colno:null}})},a=t=>{let o=se(t.reason).slice(0,ie);if(!o)return;let r=u(o);X({source:"hf-preview",type:"diagnostic",code:`${r.code}_unhandled_rejection`,details:{category:`${r.category}-unhandled-rejection`,message:o}})},window.addEventListener("error",i),window.addEventListener("unhandledrejection",a)},Ae=()=>{let t=Array.from(document.querySelectorAll("img, video, audio, source, link[rel='stylesheet']"));for(let r of t){let c=()=>{if(!(r instanceof Element))return;let s=r.tagName.toLowerCase(),L=r.getAttribute("src")??r.getAttribute("href")??r.getAttribute("poster")??null,V=s==="link"?"runtime_stylesheet_load_failed":"runtime_asset_load_failed";l(V,{tagName:s,assetUrl:L,currentSrc:(r instanceof HTMLImageElement||r instanceof HTMLMediaElement)&&r.currentSrc||null,readyState:r instanceof HTMLMediaElement?r.readyState:null,networkState:r instanceof HTMLMediaElement?r.networkState:null},`${V}:${s}:${L??"unknown"}`)};r.addEventListener("error",c),y(()=>{r.removeEventListener("error",c)})}let o=document.fonts;o&&o.ready.then(()=>{if(e.tornDown)return;let r=Array.from(o).filter(c=>c.status==="error").map(c=>c.family).filter(c=>!!c).slice(0,10);r.length!==0&&l("runtime_font_load_issue",{failedFamilies:r,totalFaces:Array.from(o).length},`runtime-font-load-issue:${r.join("|")}`)}).catch(()=>{})},Fe=(t,o)=>{if(!t.timeline)return!1;let r=e.capturedTimeline;if(r&&r===t.timeline)return!1;let c=Math.max(0,e.currentTime||0),s=e.isPlaying;e.capturedTimeline=t.timeline,typeof e.capturedTimeline.timeScale=="function"&&e.capturedTimeline.timeScale(e.playbackRate);try{e.capturedTimeline.pause(),e.capturedTimeline.seek(c,!1),s&&e.capturedTimeline.play()}catch{}return X({source:"hf-preview",type:"diagnostic",code:"timeline_loop_guard_rebind",details:{reason:o,previousTime:c,selectedTimelineIds:t.selectedTimelineIds??[],selectedDurationSeconds:t.selectedDurationSeconds??null,mediaDurationFloorSeconds:t.mediaDurationFloorSeconds??null}}),!0},ce=null,He=!1,Ee=new Set,Me=()=>{e.tornDown||(ce!=null&&window.clearTimeout(ce),ce=window.setTimeout(()=>{if(e.tornDown)return;ce=null;let t=F();if(!t.timeline||!U(t.mediaDurationFloorSeconds??null))return;if(!e.capturedTimeline){Y()&&(de(),re(!0));return}if(He)return;let r=G(e.capturedTimeline),c=t.selectedDurationSeconds??G(t.timeline);U(c)&&(!U(r)||c>=r+ae)&&Fe(t,"manual")&&(He=!0,X({source:"hf-preview",type:"diagnostic",code:"timeline_rebind_after_media_metadata",details:{previousDurationSeconds:r??null,selectedDurationSeconds:c??null,selectedTimelineIds:t.selectedTimelineIds??[],mediaDurationFloorSeconds:t.mediaDurationFloorSeconds??null}}),de(),re(!0))},oe))},lt=()=>{for(let t of Ee)t.removeEventListener("loadedmetadata",Me),t.removeEventListener("durationchange",Me);Ee.clear()},we=()=>{if(e.tornDown)return;let t=Array.from(document.querySelectorAll("video, audio"));for(let o of t)Ee.has(o)||(Ee.add(o),o.addEventListener("loadedmetadata",Me),o.addEventListener("durationchange",Me))},We=()=>{let t=Ze({resolveStartSeconds:c=>z(c,0)});Ye({clips:t.mediaClips,timeSeconds:e.currentTime,playing:e.isPlaying,playbackRate:e.playbackRate});let o=document.querySelector("[data-composition-id]")?.getAttribute("data-composition-id")??null,r=Array.from(document.querySelectorAll("[data-start]"));for(let c of r){if(!(c instanceof HTMLElement))continue;let s=c.tagName.toLowerCase();if(s==="script"||s==="style"||s==="link"||s==="meta")continue;if(!c.getAttribute("data-composition-id")){let te=c.closest("[data-composition-id]")?.getAttribute("data-composition-id")??null;if(te&&te!==o)continue}let V=z(c,0),ue=W(c),j=ue!=null&&ue>0?V+ue:Number.POSITIVE_INFINITY,N=j,ee=c.getAttribute("data-composition-id");if(ee&&!Number.isFinite(j)){let B=(window.__timelines??{})[ee];if(B&&typeof B.duration=="function"){let te=B.duration();te>0&&(N=V+te)}}let Le=e.currentTime>=V&&(Number.isFinite(N)?e.currentTime<N:!0);c.style.visibility=Le?"visible":"hidden"}},re=t=>{_();let o=Math.max(0,Math.round((e.currentTime||0)*e.canonicalFps)),r=Date.now();(t||o!==e.bridgeLastPostedFrame||e.isPlaying!==e.bridgeLastPostedPlaying||e.bridgeMuted!==e.bridgeLastPostedMuted||r-e.bridgeLastPostedAt>=e.bridgeMaxPostIntervalMs)&&(e.bridgeLastPostedFrame=o,e.bridgeLastPostedPlaying=e.isPlaying,e.bridgeLastPostedMuted=e.bridgeMuted,e.bridgeLastPostedAt=r,X({source:"hf-preview",type:"state",frame:o,isPlaying:e.isPlaying,muted:e.bridgeMuted,playbackRate:e.playbackRate}))},de=()=>{v(),C(),k();let t=h();if(t){let r=f(t.getAttribute("data-width")),c=f(t.getAttribute("data-height")),s=r?parseInt(r,10):0,L=c?parseInt(c,10):0;s>0&&L>0&&X({source:"hf-preview",type:"stage-size",width:s,height:L})}Y();let o=nt({canonicalFps:e.canonicalFps,maxTimelineDurationSeconds:e.maxTimelineDurationSeconds});window.__clipManifest=o,X(o),le()},ge=(t,o=0)=>{for(let r of e.deterministicAdapters){try{t==="discover"&&r.discover(),t==="pause"&&r.pause(),t==="play"&&r.play&&r.play()}catch{}if(t==="discover")try{r.seek({time:o})}catch{}}};I||rt({injectedStyles:e.injectedCompStyles,injectedScripts:e.injectedCompScripts,parseDimensionPx:f,onDiagnostic:({code:t,details:o})=>{X({source:"hf-preview",type:"diagnostic",code:t,details:o})}}).finally(()=>{I=!0,ge("discover",e.currentTime),we(),Ae(),de(),re(!0)});let Re=Je({postMessage:t=>X(t)});Re.installPickerApi();let Oe=t=>{let o=Number(t);!Number.isFinite(o)||o<=0?e.playbackRate=1:e.playbackRate=Math.max(.1,Math.min(5,o)),e.capturedTimeline&&typeof e.capturedTimeline.timeScale=="function"&&e.capturedTimeline.timeScale(e.playbackRate);let r=document.querySelectorAll("video, audio");for(let c of r)if(c instanceof HTMLMediaElement)try{c.playbackRate=e.playbackRate}catch{}},q=et({getTimeline:()=>e.capturedTimeline,setTimeline:t=>{e.capturedTimeline=t},getIsPlaying:()=>e.isPlaying,setIsPlaying:t=>{e.isPlaying=t},getPlaybackRate:()=>e.playbackRate,setPlaybackRate:Oe,getCanonicalFps:()=>e.canonicalFps,onSyncMedia:(t,o)=>{e.currentTime=Math.max(0,Number(t)||0),e.isPlaying=o,We()},onStatePost:re,onDeterministicSeek:t=>{for(let o of e.deterministicAdapters)try{o.seek({time:Number(t)||0})}catch{}},onDeterministicPause:()=>ge("pause"),onDeterministicPlay:()=>ge("play"),onRenderFrameSeek:()=>{},onShowNativeVideos:()=>{},getSafeDuration:()=>O(e.capturedTimeline,0)});window.__player=b(q),window.__playerReady=!0,window.__renderReady=!0,qe(X),be("composition_loaded",{duration:q.getDuration(),compositionId:document.querySelector("[data-composition-id]")?.getAttribute("data-composition-id")??null}),e.controlBridgeHandler=Ue({onPlay:()=>{q.play(),be("composition_played",{time:q.getTime()})},onPause:()=>{q.pause(),be("composition_paused",{time:q.getTime()})},onSeek:(t,o)=>{let r=Math.max(0,t)/e.canonicalFps;q.seek(r),be("composition_seeked",{time:r})},onSetMuted:t=>{e.bridgeMuted=t;let o=document.querySelectorAll("video, audio");for(let r of o)r instanceof HTMLMediaElement&&(r.muted=t)},onSetPlaybackRate:t=>Oe(t),onEnablePickMode:()=>Re.enablePickMode(),onDisablePickMode:()=>Re.disablePickMode()}),Y(),e.capturedTimeline&&(q._timeline=e.capturedTimeline),I&&setTimeout(()=>{let t=e.capturedTimeline;Y()&&e.capturedTimeline!==t&&(q._timeline=e.capturedTimeline),ge("discover",e.currentTime),de(),re(!0)},0),e.deterministicAdapters=[Ve({resolveStartSeconds:t=>z(t,0)}),Ke(),$e({getTimeline:()=>e.capturedTimeline}),Ge(),ze()],Ne(),ge("discover"),we(),e.timelinePollIntervalId&&clearInterval(e.timelinePollIntervalId);let ke=0,ve=null,je=0,_e=!1,me=0,Be=()=>{je=Date.now(),_e=!1,me=0};e.timelinePollIntervalId=setInterval(()=>{ke+=1;let o=e.isPlaying&&e.capturedTimeline!=null&&Math.max(0,e.currentTime||0)<Z?!1:Y();if(e.capturedTimeline&&!q._timeline&&(q._timeline=e.capturedTimeline),(o||ke%20===0)&&de(),ke%10===0&&we(),_(),e.isPlaying&&e.capturedTimeline){let r=Math.max(0,e.currentTime||0),c=ve,s=O(e.capturedTimeline,0);if(s>0&&r>=s){q.pause(),q.seek(s),ve=s,me=0,re(!0);return}if(c!=null&&c>=P&&r<=H?me+=1:me=0,!_e&&me>=Q&&Date.now()-je>D){let V=F();Fe(V,"loop_guard")&&(_e=!0,me=0)}ve=Math.max(0,e.currentTime||0)}else ve=Math.max(0,e.currentTime||0);e.isPlaying&&We(),re(!1)},50),de(),re(!0);let ct=q.seek;q.seek=t=>{Be(),ct(t)};let ut=q.renderSeek;q.renderSeek=t=>{Be(),ut(t)};let Pe=()=>{if(!e.tornDown){e.tornDown=!0,e.timelinePollIntervalId&&(clearInterval(e.timelinePollIntervalId),e.timelinePollIntervalId=null),ce!=null&&(window.clearTimeout(ce),ce=null),S!=null&&(window.cancelAnimationFrame(S),S=null),lt(),e.controlBridgeHandler&&(window.removeEventListener("message",e.controlBridgeHandler),e.controlBridgeHandler=null),i&&(window.removeEventListener("error",i),i=null),a&&(window.removeEventListener("unhandledrejection",a),a=null),e.beforeUnloadHandler&&(window.removeEventListener("beforeunload",e.beforeUnloadHandler),e.beforeUnloadHandler=null),Re.disablePickMode();for(let t of e.deterministicAdapters)if(!(!t||typeof t.revert!="function"))try{t.revert()}catch{}e.deterministicAdapters=[];for(let t of d.splice(0))try{t()}catch{}for(let t of e.injectedCompStyles)try{t.remove()}catch{}e.injectedCompStyles=[];for(let t of e.injectedCompScripts)try{t.remove()}catch{}e.injectedCompScripts=[],e.capturedTimeline=null,n.__hfRuntimeTeardown===Pe&&(n.__hfRuntimeTeardown=null)}};n.__hfRuntimeTeardown=Pe,e.beforeUnloadHandler=Pe,window.addEventListener("beforeunload",e.beforeUnloadHandler)}window.__timelines=window.__timelines||{};function st(){let e=window;e.__hyperframeRuntimeBootstrapped||(e.__hyperframeRuntimeBootstrapped=!0,at())}document.readyState==="loading"?document.addEventListener("DOMContentLoaded",st,{once:!0}):st();})();
|