clipper/frontend/src/App.tsx

529 lines
15 KiB
TypeScript
Raw Normal View History

2021-10-22 19:30:09 +00:00
import {
2021-11-02 16:20:47 +00:00
MediaSet,
GrpcWebImpl,
MediaSetServiceClientImpl,
GetVideoProgress,
GetPeaksProgress,
2021-11-02 16:20:47 +00:00
} from './generated/media_set';
2021-10-29 12:52:31 +00:00
import { useState, useEffect, useRef, useCallback } from 'react';
2021-12-29 15:38:25 +00:00
import { AudioFormat } from './generated/media_set';
2021-10-08 14:38:35 +00:00
import { VideoPreview } from './VideoPreview';
2021-11-29 17:44:31 +00:00
import { Overview, CanvasLogicalWidth } from './Overview';
2021-10-08 14:38:35 +00:00
import { Waveform } from './Waveform';
2022-01-24 19:33:16 +00:00
import { SelectionChangeEvent } from './HudCanvas';
import { Selection, SelectionMode } from './HudCanvasState';
2021-10-08 14:38:35 +00:00
import { ControlBar } from './ControlBar';
import { SeekBar } from './SeekBar';
2021-11-30 19:41:34 +00:00
import { firstValueFrom, from, Observable } from 'rxjs';
import { first, map } from 'rxjs/operators';
import millisFromDuration from './helpers/millisFromDuration';
import {
canZoomViewportIn,
canZoomViewportOut,
zoomViewportIn,
zoomViewportOut,
} from './helpers/zoom';
import toHHMMSS from './helpers/toHHMMSS';
import framesToDuration from './helpers/framesToDuration';
import { ClockIcon, ExternalLinkIcon } from '@heroicons/react/solid';
2021-11-02 16:20:47 +00:00
// ported from backend, where should they live?
const thumbnailWidth = 177; // height 100
2021-10-08 14:38:35 +00:00
2021-12-06 22:52:24 +00:00
const initialViewportCanvasPixels = 100;
const zoomFactor = 2;
const apiURL = process.env.REACT_APP_API_URL || 'http://localhost:8888';
// Frames represents a range of audio frames.
2021-10-08 14:38:35 +00:00
export interface Frames {
start: number;
end: number;
}
2021-09-06 10:17:50 +00:00
2021-11-25 18:02:37 +00:00
export interface VideoPosition {
currentTime: number;
percent: number;
}
export enum PlayState {
Paused,
Playing,
}
2021-11-30 19:41:34 +00:00
const video = document.createElement('video');
const audio = document.createElement('audio');
2021-09-30 19:08:48 +00:00
function App(): JSX.Element {
2021-10-08 14:38:35 +00:00
const [mediaSet, setMediaSet] = useState<MediaSet | null>(null);
const [viewport, setViewport] = useState<Frames>({ start: 0, end: 0 });
const [selection, setSelection] = useState<Frames>({ start: 0, end: 0 });
2021-11-29 17:44:31 +00:00
const [overviewPeaks, setOverviewPeaks] = useState<Observable<number[]>>(
from([])
);
const [playState, setPlayState] = useState(PlayState.Paused);
2021-10-08 14:38:35 +00:00
2021-11-30 19:41:34 +00:00
// position stores the current playback position. positionRef makes it
// available inside a setInterval callback.
const [position, setPosition] = useState({ currentTime: 0, percent: 0 });
const positionRef = useRef(position);
positionRef.current = position;
2021-10-08 14:38:35 +00:00
// effects
// TODO: error handling
const videoID = new URLSearchParams(window.location.search).get('video_id');
2021-10-22 19:30:09 +00:00
if (videoID == null) {
return <></>;
}
2021-10-08 14:38:35 +00:00
// fetch mediaset on page load:
useEffect(() => {
(async function () {
const rpc = newRPC();
2021-11-02 16:20:47 +00:00
const service = new MediaSetServiceClientImpl(rpc);
const mediaSet = await service.Get({ youtubeId: videoID });
2021-10-22 19:30:09 +00:00
2021-10-29 12:52:31 +00:00
console.log('got media set:', mediaSet);
2021-11-02 16:20:47 +00:00
setMediaSet(mediaSet);
// fetch audio asynchronously
console.log('fetching audio...');
const audioProgressStream = service.GetPeaks({
id: mediaSet.id,
numBins: CanvasLogicalWidth,
});
const peaks = audioProgressStream.pipe(map((progress) => progress.peaks));
setOverviewPeaks(peaks);
const audioPipe = audioProgressStream.pipe(
first((progress: GetPeaksProgress) => progress.url != '')
);
const fetchAudioTask = firstValueFrom(audioPipe);
// fetch video asynchronously
console.log('fetching video...');
const videoProgressStream = service.GetVideo({ id: mediaSet.id });
const videoPipe = videoProgressStream.pipe(
first((progress: GetVideoProgress) => progress.url != '')
);
const fetchVideoTask = firstValueFrom(videoPipe);
// wait for both audio, then video.
const audioProgress = await fetchAudioTask;
audio.src = audioProgress.url;
audio.muted = false;
audio.volume = 1;
console.log('set audio src', audioProgress.url);
setMediaSet({ ...mediaSet, audioFrames: audioProgress.audioFrames });
const videoProgress = await fetchVideoTask;
video.src = videoProgress.url;
console.log('set video src', videoProgress.url);
2021-10-08 14:38:35 +00:00
})();
}, []);
2022-01-15 08:44:12 +00:00
const updatePlayerPositionIntevalMillis = 20;
2021-11-30 19:41:34 +00:00
2021-10-08 14:38:35 +00:00
// setup player on first page load only:
useEffect(() => {
2021-11-25 18:02:37 +00:00
if (mediaSet == null) {
return;
}
2021-11-30 19:41:34 +00:00
const intervalID = setInterval(() => {
const currTime = audio.currentTime;
if (currTime == positionRef.current.currentTime) {
2021-11-25 18:02:37 +00:00
return;
}
const duration = mediaSet.audioFrames / mediaSet.audioSampleRate;
const percent = (currTime / duration) * 100;
// check if the end of selection has been passed, and pause if so:
if (
2022-01-24 19:33:16 +00:00
selection.start != selection.end &&
currentTimeToFrame(positionRef.current.currentTime) < selection.end &&
currentTimeToFrame(currTime) >= selection.end
) {
pause();
}
2021-11-25 18:02:37 +00:00
// update the current position
setPosition({ currentTime: audio.currentTime, percent: percent });
2021-11-30 19:41:34 +00:00
}, updatePlayerPositionIntevalMillis);
return () => clearInterval(intervalID);
}, [mediaSet, selection]);
// bind to keypress handler.
// selection is a dependency of the handleKeyPress handler, and must be
// included here.
useEffect(() => {
document.addEventListener('keypress', handleKeyPress);
return () => document.removeEventListener('keypress', handleKeyPress);
}, [selection, playState]);
2021-10-08 14:38:35 +00:00
// set viewport when MediaSet is loaded:
useEffect(() => {
if (mediaSet == null) {
return;
}
const numFrames = Math.min(
2021-12-06 22:52:24 +00:00
Math.round(mediaSet.audioFrames / CanvasLogicalWidth) *
initialViewportCanvasPixels,
mediaSet.audioFrames
);
setViewport({ start: 0, end: numFrames });
2021-10-08 14:38:35 +00:00
}, [mediaSet]);
useEffect(() => {
console.debug('viewport updated', viewport);
}, [viewport]);
// handlers
const handleKeyPress = (evt: KeyboardEvent) => {
if (evt.code != 'Space') {
return;
}
2021-11-30 19:41:34 +00:00
togglePlay();
};
// handler called when the selection in the overview (zoom setting) is changed.
2022-01-24 19:33:16 +00:00
const handleOverviewSelectionChange = ({
selection: newViewport,
}: SelectionChangeEvent) => {
if (mediaSet == null) {
return;
}
console.log('set new viewport', newViewport);
setViewport({ ...newViewport });
2021-10-08 14:38:35 +00:00
if (!audio.paused) {
return;
}
setPositionFromFrame(newViewport.start);
};
2022-01-24 19:33:16 +00:00
const setPositionAfterSelectionChange = (
newSelection: Selection,
mode: SelectionMode,
prevMode: SelectionMode
): boolean => {
// if creating a new selection from scratch, reset position on mouseup.
if (prevMode == SelectionMode.Selecting && mode == SelectionMode.Normal) {
return true;
}
// if re-entering normal mode, reset position if the current position is
// outside the new selection on mouseup.
if (prevMode != SelectionMode.Normal && mode == SelectionMode.Normal) {
const currFrame = currentTimeToFrame(positionRef.current.currentTime);
if (currFrame < newSelection.start || currFrame > newSelection.end) {
return true;
}
}
2022-01-24 19:33:16 +00:00
return false;
};
// handler called when the selection in the main waveform view is changed.
const handleWaveformSelectionChange = ({
selection: newSelection,
mode,
prevMode,
}: SelectionChangeEvent) => {
setSelection(newSelection);
2022-01-24 19:33:16 +00:00
if (setPositionAfterSelectionChange(newSelection, mode, prevMode)) {
setPositionFromFrame(newSelection.start);
}
};
2021-10-08 14:38:35 +00:00
const togglePlay = () => {
if (playState == PlayState.Paused) {
play();
} else {
pause();
}
};
const play = () => {
audio.play();
video.play();
setPlayState(PlayState.Playing);
};
const pause = () => {
video.pause();
audio.pause();
2022-01-24 19:33:16 +00:00
setPositionFromFrame(selection.start);
setPlayState(PlayState.Paused);
};
const handleClip = () => {
if (!window.showSaveFilePicker) {
downloadClipHTTP();
return;
}
downloadClipFileSystemAccessAPI();
};
const downloadClipHTTP = () => {
2021-12-29 15:38:25 +00:00
(async function () {
if (mediaSet == null) {
return;
}
console.debug('clip http', selection);
const form = document.createElement('form');
form.method = 'POST';
form.action = `${apiURL}/api/media_sets/${mediaSet.id}/clip`;
const startFrameInput = document.createElement('input');
startFrameInput.type = 'hidden';
startFrameInput.name = 'start_frame';
startFrameInput.value = String(selection.start);
form.appendChild(startFrameInput);
const endFrameInput = document.createElement('input');
endFrameInput.type = 'hidden';
endFrameInput.name = 'end_frame';
endFrameInput.value = String(selection.end);
form.appendChild(endFrameInput);
const formatInput = document.createElement('input');
formatInput.type = 'hidden';
formatInput.name = 'format';
formatInput.value = 'mp3';
form.appendChild(formatInput);
document.body.appendChild(form);
form.submit();
})();
};
2021-12-29 15:38:25 +00:00
const downloadClipFileSystemAccessAPI = () => {
(async function () {
2021-12-29 15:38:25 +00:00
if (mediaSet == null) {
return;
}
console.debug('clip grpc', selection);
2021-12-29 15:38:25 +00:00
const h = await window.showSaveFilePicker({ suggestedName: 'clip.mp3' });
const fileStream = await h.createWritable();
const rpc = newRPC();
const service = new MediaSetServiceClientImpl(rpc);
const stream = service.GetAudioSegment({
id: mediaSet.id,
format: AudioFormat.MP3,
startFrame: selection.start,
endFrame: selection.end,
});
await stream.forEach((p) => fileStream.write(p.audioData));
console.debug('finished writing stream');
await fileStream.close();
console.debug('closed stream');
})();
};
2021-12-29 15:38:25 +00:00
const handleZoomIn = () => {
2022-01-07 18:51:29 +00:00
if (mediaSet == null) {
return;
}
const newViewport = zoomViewportIn(
viewport,
mediaSet.audioFrames,
selection,
currentTimeToFrame(positionRef.current.currentTime),
zoomFactor
);
setViewport(newViewport);
};
2022-01-07 18:51:29 +00:00
const handleZoomOut = () => {
2022-01-07 18:51:29 +00:00
if (mediaSet == null) {
return;
}
const newViewport = zoomViewportOut(
viewport,
mediaSet.audioFrames,
selection,
currentTimeToFrame(positionRef.current.currentTime),
zoomFactor
);
setViewport(newViewport);
};
2022-01-07 18:51:29 +00:00
const setPositionFromFrame = useCallback(
(frame: number) => {
if (mediaSet == null) {
return;
}
const ratio = frame / mediaSet.audioFrames;
const currentTime =
(mediaSet.audioFrames / mediaSet.audioSampleRate) * ratio;
audio.currentTime = currentTime;
video.currentTime = currentTime;
},
[mediaSet]
);
// helpers
const currentTimeToFrame = useCallback(
(currentTime: number): number => {
if (mediaSet == null) {
return 0;
}
const dur = mediaSet.audioFrames / mediaSet.audioSampleRate;
const ratio = currentTime / dur;
return Math.round(mediaSet.audioFrames * ratio);
},
[mediaSet]
);
const durationString = useCallback((): string => {
if (!mediaSet || !mediaSet.videoDuration) {
return '';
}
const totalDur = toHHMMSS(mediaSet.videoDuration);
if (selection.start == selection.end) {
return totalDur;
}
const clipDur = toHHMMSS(
framesToDuration(
selection.end - selection.start,
mediaSet.audioSampleRate
)
);
return `Selected ${clipDur} of ${totalDur}`;
}, [mediaSet, selection]);
2021-10-08 14:38:35 +00:00
// render component
2021-11-02 16:20:47 +00:00
const offsetPixels = Math.floor(thumbnailWidth / 2);
const marginClass = 'mx-[88px]'; // offsetPixels
2021-10-08 14:38:35 +00:00
if (mediaSet == null) {
// TODO: improve
return <></>;
}
2021-09-06 10:17:50 +00:00
return (
2021-10-08 14:38:35 +00:00
<>
<div className="App bg-gray-800 h-screen flex flex-col">
<header className="bg-green-900 h-16 grow-0 flex items-center mb-12 px-[88px]">
<h1 className="text-3xl font-bold">Clipper</h1>
</header>
<div className="flex flex-col grow bg-gray-800 w-full h-full mx-auto">
<div className={`flex flex-col grow ${marginClass}`}>
<div className="flex grow-0 h-8 pt-4 pb-2 items-center space-x-2 text-white">
<span className="text-gray-300">{mediaSet.author}</span>
<span>/</span>
<span>{mediaSet.title}</span>
<a
href={`https://www.youtube.com/watch?v=${mediaSet.youtubeId}`}
target="_blank"
rel="noreferrer"
title="Open in YouTube"
>
<ExternalLinkIcon className="h-6 w-6 text-gray-500 hover:text-gray-200" />
</a>
<span className="flex grow justify-end text-gray-500">
<ClockIcon className="h-5 w-5 mr-1 mt-0.5" />
{durationString()}
</span>
</div>
<ControlBar
playState={playState}
zoomInEnabled={canZoomViewportIn(viewport, selection, zoomFactor)}
2022-01-24 19:33:16 +00:00
zoomOutEnabled={canZoomViewportOut(
viewport,
mediaSet.audioFrames
)}
onTogglePlay={togglePlay}
onClip={handleClip}
onZoomIn={handleZoomIn}
onZoomOut={handleZoomOut}
downloadClipEnabled={selection.start != selection.end}
/>
<div className="w-full bg-gray-600 h-6"></div>
<Overview
peaks={overviewPeaks}
mediaSet={mediaSet}
viewport={viewport}
position={position}
onSelectionChange={handleOverviewSelectionChange}
/>
<Waveform
mediaSet={mediaSet}
position={position}
viewport={viewport}
onSelectionChange={handleWaveformSelectionChange}
/>
</div>
2021-10-08 14:38:35 +00:00
<SeekBar
position={video.currentTime}
2021-11-02 16:20:47 +00:00
duration={mediaSet.audioFrames / mediaSet.audioSampleRate}
2021-10-08 14:38:35 +00:00
offsetPixels={offsetPixels}
onPositionChanged={(position: number) => {
video.currentTime = position;
2021-11-29 17:44:31 +00:00
audio.currentTime = position;
2021-10-08 14:38:35 +00:00
}}
/>
<VideoPreview
2021-11-21 19:43:40 +00:00
mediaSet={mediaSet}
2021-10-08 14:38:35 +00:00
video={video}
position={position}
2021-11-02 16:20:47 +00:00
duration={millisFromDuration(mediaSet.videoDuration)}
2021-10-08 14:38:35 +00:00
/>
</div>
<ul className="hidden">
2021-12-11 16:25:30 +00:00
<li>Frames: {mediaSet.audioFrames}</li>
<li>
Viewport (frames): {viewport.start} to {viewport.end}
</li>
<li>
Selection (frames): {selection.start} to {selection.end}
</li>
<li>
Position (frames):{' '}
{Math.round(mediaSet.audioFrames * (position.percent / 100))}
</li>
<li>Position (seconds): {position.currentTime}</li>
<li></li>
</ul>
2021-10-08 14:38:35 +00:00
</div>
</>
2021-09-06 10:17:50 +00:00
);
}
export default App;
2021-11-02 16:20:47 +00:00
export function newRPC(): GrpcWebImpl {
return new GrpcWebImpl(apiURL, {});
}