};
+
+export type Inputs = {
+ [P in keys]: Record> & Partial, never>> extends infer O ? { [Q in keyof O]: O[Q] } : never;
+}[keys];
+
+export function Input({ props, value, onChange }: { props: Inputs; value: T; onChange: (s: T) => void }) {
+ const entries = Object.entries(props);
+ if (entries.length !== 1) return null;
+ const entry = entries[0];
+ const Component = inputs[entry[0] as keys].component;
+ return ;
+}
+export const getColspan = (span: number = 2) => ({ gridColumn: `span ${span} / span ${span}` });
diff --git a/app/src/main.tsx b/app/src/main.tsx
new file mode 100644
index 00000000..4a3b08b6
--- /dev/null
+++ b/app/src/main.tsx
@@ -0,0 +1,9 @@
+import React from "react";
+import ReactDOM from "react-dom/client";
+import { App } from "./App";
+
+ReactDOM.createRoot(document.getElementById("root") as HTMLElement).render(
+
+
+
+);
diff --git a/app/src/pages/Edit/Left/Add.tsx b/app/src/pages/Edit/Left/Add.tsx
new file mode 100644
index 00000000..d7082261
--- /dev/null
+++ b/app/src/pages/Edit/Left/Add.tsx
@@ -0,0 +1,62 @@
+import { Left } from ".";
+import { useTemplateStore } from "../../../store";
+import { Comp, components } from "../../../composition";
+import { IoShapesSharp } from "react-icons/io5";
+
+const def: Comp = {
+ y: 0,
+ x: 0,
+ width: 100,
+ height: 100,
+ rotation: 0,
+ opacity: 1,
+ duration: 10,
+ id: "",
+ from: 0,
+ type: "text",
+ props: {},
+ wrappers: { allWrappers: [], wrappers: {} },
+};
+export const add: Left = {
+ icon: IoShapesSharp,
+ title: "Elements",
+ component: () => {
+ const entries = Object.entries(components).filter(([_, comp]) => comp.examples);
+ const addComponent = useTemplateStore((state) => state.newComponent);
+ return (
+
+ {entries.map(([name, component]) => {
+ return (
+
+
+ {name[0].toUpperCase()}
+ {name.slice(1)}
+
+
+ {component.examples?.map(({ props, title, image }) => {
+ const final = { ...def, ...props, type: name };
+ return (
+
addComponent(final as any)} className="flex flex-col items-center cursor-pointer" key={title}>
+
+ {image ? (
+
+ ) : (
+
+ {/* Todo fix this shit */}
+ {/* */}
+
+ )}
+
+
+
{title}
+
+ );
+ })}
+
+
+ );
+ })}
+
+ );
+ },
+};
diff --git a/app/src/pages/Edit/Left/Code.tsx b/app/src/pages/Edit/Left/Code.tsx
new file mode 100644
index 00000000..4dc9248f
--- /dev/null
+++ b/app/src/pages/Edit/Left/Code.tsx
@@ -0,0 +1,10 @@
+import { Left } from ".";
+import { IoIosCode } from "react-icons/io";
+
+export const code: Left = {
+ icon: IoIosCode,
+ title: "Code",
+ component: () => {
+ return
;
+ },
+};
diff --git a/app/src/pages/Edit/Left/Template.tsx b/app/src/pages/Edit/Left/Template.tsx
new file mode 100644
index 00000000..fab3ac7e
--- /dev/null
+++ b/app/src/pages/Edit/Left/Template.tsx
@@ -0,0 +1,29 @@
+import { Left } from ".";
+import { IoIosSettings } from "react-icons/io";
+import { useTemplateStore, useTemplate } from "../../../store";
+import { Input, Inputs } from "../../../inputs";
+import { Template } from "../../../composition";
+
+const templateInputs: { [key in keyof Template]?: Inputs } = {
+ width: { number: { label: "Width" } },
+ height: { number: { label: "Height" } },
+ duration: { number: { label: "Duration" } },
+ fps: { number: { label: "FPS" } },
+ background: { color: { label: "Background" } },
+};
+export const template: Left = {
+ icon: IoIosSettings,
+ title: "Template",
+ component: () => {
+ const template = useTemplate();
+ const editTemplate = useTemplateStore((state) => state.editTemplate);
+ return (
+
+ {Object.entries(templateInputs).map(([key, input]) => {
+ const value = template[key as keyof typeof templateInputs];
+ return editTemplate({ [key]: value })} props={input} />;
+ })}
+
+ );
+ },
+};
diff --git a/app/src/pages/Edit/Left/index.tsx b/app/src/pages/Edit/Left/index.tsx
new file mode 100644
index 00000000..b75be7ee
--- /dev/null
+++ b/app/src/pages/Edit/Left/index.tsx
@@ -0,0 +1,44 @@
+import { IoIosArrowBack } from "react-icons/io";
+import { z } from "zod";
+import { Panel } from "../../../components/Panel";
+import { Tab, Tabs } from "../../../components/Tabs";
+import { useLeftStore, useTemplateStore } from "../../../store";
+import { add } from "./Add";
+import { code } from "./Code";
+import { template } from "./Template";
+
+export type Left = Tab;
+
+export const left = {
+ template,
+ add,
+ code,
+};
+export const LeftTab = z.enum(["add", "code", "template"]);
+export type LeftTab = z.infer;
+
+export const LeftPanel = () => {
+ const leftTab = useLeftStore((t) => t.tab);
+ const leftWidth = useLeftStore((t) => t.width);
+ const setLeftWidth = useLeftStore((t) => t.setWidth);
+ return ;
+};
+
+export const LeftTabs = () => {
+ const setLeftTab = useLeftStore((t) => t.setTab);
+ const leftTab = useLeftStore((t) => t.tab);
+ const setPage = useTemplateStore((t) => t.setPage);
+ return (
+ (
+ setPage("home")} className="text-xl">
+
+
+ )}
+ order={Object.keys(left) as LeftTab[]}
+ items={left}
+ onClick={(v) => setLeftTab(v)}
+ selected={leftTab}
+ />
+ );
+};
diff --git a/app/src/pages/Edit/Player/Header.tsx b/app/src/pages/Edit/Player/Header.tsx
new file mode 100644
index 00000000..2fc8a219
--- /dev/null
+++ b/app/src/pages/Edit/Player/Header.tsx
@@ -0,0 +1,36 @@
+import { IoMdRedo, IoMdUndo } from "react-icons/io";
+import { useLeftStore, useTemplate, useTemplateStore } from "../../../store";
+
+export const Header = () => {
+ const name = useTemplate((t) => t.name);
+ const editTemplate = useTemplateStore((s) => s.editTemplate);
+ const undo = useTemplateStore((s) => s.undo);
+ const redo = useTemplateStore((s) => s.redo);
+ const future = useTemplateStore((s) => s.future);
+ const past = useTemplateStore((s) => s.past);
+ const setTab = useLeftStore((s) => s.setTab);
+
+ return (
+
+
editTemplate({ name: e.target.value })}
+ className="text-[16px] font-bold bg-transparent input input-xs w-40"
+ />
+
+
+
+
+
+
+
+
+
+
setTab("add")}>
+ Export
+
+
+
+ );
+};
diff --git a/app/src/pages/Edit/Player/Player.tsx b/app/src/pages/Edit/Player/Player.tsx
new file mode 100644
index 00000000..5c9104b8
--- /dev/null
+++ b/app/src/pages/Edit/Player/Player.tsx
@@ -0,0 +1,111 @@
+import Moveable from "react-moveable";
+import { Player as MotionlyPlayer } from "../../../player";
+import { useComponent, useTemplateStore, useTemplate, usePlayerStore } from "../../../store";
+import { useShiftKey } from "../../../hooks/useShiftKey";
+
+export const Player = () => {
+ const template = useTemplate();
+ const selected = useTemplateStore((s) => s.template);
+ const setComponent = useTemplateStore((t) => t.setComponent);
+ const scale = usePlayerStore((t) => t.playerScale);
+ const setPlayerRef = usePlayerStore((t) => t.setPlayerRef);
+ return (
+
+ setPlayerRef?.(ref || undefined)}
+ template={template}
+ style={{ width: "100%", height: "100%" }}
+ spaceKeyToPlayOrPause
+ loop
+ component={selected}
+ setComponent={setComponent}
+ />
+
+
+ );
+};
+const useGuidelines = (scale: number) => {
+ const comps = useTemplate((t, s) => Object.values(t.components).filter((c) => c.id !== s.component));
+ const width = useTemplate((t) => t.width);
+ const height = useTemplate((t) => t.height);
+ const vertical = [...comps.map((c) => c.x || 0), ...comps.map((c) => (c.x || 0) + (c.width || 0)), 0, width / 2, width].map((c) => c * scale);
+ const horizontal = [...comps.map((c) => c.y || 0), ...comps.map((c) => (c.y || 0) + (c.height || 0)), 0, height / 2, height].map((c) => c * scale);
+ return { vertical, horizontal };
+};
+
+const Move = () => {
+ const comp = useComponent((c) => ({ x: c.x, y: c.y, width: c.width, height: c.height, rotation: c.rotation, id: c.id }));
+ const editComponent = useTemplateStore((t) => t.editComponent);
+ const lockAspectRatio = useShiftKey();
+ const scale = usePlayerStore((t) => t.playerScale);
+ const { vertical, horizontal } = useGuidelines(scale);
+ if (!comp) return null;
+ return (
+ {
+ editComponent(
+ {
+ x: (comp.x || 0) + delta[0],
+ y: (comp.y || 0) + delta[1],
+ },
+ true,
+ undefined
+ );
+ }}
+ keepRatio={lockAspectRatio}
+ onResize={({ height, width, delta, target, direction }) => {
+ editComponent(
+ {
+ x: direction[0] === -1 ? (comp.x || 0) + comp.width - width : comp.x,
+ y: direction[1] === -1 ? (comp.y || 0) + comp.height - height : comp.y,
+ width: width,
+ height: height,
+ },
+ true,
+ undefined
+ );
+ if (delta[0]) {
+ target.style.width = `${width}px`;
+ }
+ if (delta[1]) {
+ target.style.height = `${height}px`;
+ }
+ }}
+ onRotate={({ absoluteRotation }) => editComponent({ rotation: absoluteRotation }, true, undefined)}
+ />
+ );
+};
diff --git a/app/src/pages/Edit/Player/PlayerDiv.tsx b/app/src/pages/Edit/Player/PlayerDiv.tsx
new file mode 100644
index 00000000..cf483e26
--- /dev/null
+++ b/app/src/pages/Edit/Player/PlayerDiv.tsx
@@ -0,0 +1,35 @@
+import { ReactNode, useEffect, useRef } from "react";
+import { useTemplateStore, useTemplate, usePlayerStore } from "../../../store";
+import { Header } from "./Header";
+
+export const PlayerDiv = ({ children }: { children: ReactNode }) => {
+ const playerDivRef = useRef(null);
+ const setScale = usePlayerStore((t) => t.playerSetScale);
+ const { width, height } = useTemplate((t) => ({ width: t.width, height: t.height }));
+ const setComponent = useTemplateStore((t) => t.setComponent);
+ const getScale = () => {
+ if (playerDivRef.current?.clientHeight && playerDivRef.current?.clientWidth) {
+ const scaleX = playerDivRef.current.clientWidth / width;
+ const scaleY = playerDivRef.current.clientHeight / height;
+ setScale(Math.min(scaleX, scaleY));
+ }
+ };
+ useEffect(() => {
+ new ResizeObserver(() => {
+ getScale();
+ }).observe(playerDivRef.current as Element);
+ return () => {
+ new ResizeObserver(() => {
+ getScale();
+ }).disconnect();
+ };
+ }, []);
+ return (
+
+
+
setComponent(undefined)} className="flex items-center justify-center h-full relative m-2 mt-0">
+
{children}
+
+
+ );
+};
diff --git a/app/src/pages/Edit/Right/Component.tsx b/app/src/pages/Edit/Right/Component.tsx
new file mode 100644
index 00000000..a5d13a41
--- /dev/null
+++ b/app/src/pages/Edit/Right/Component.tsx
@@ -0,0 +1,33 @@
+import { Right } from ".";
+import { useComponent, useTemplateStore } from "../../../store";
+import { components } from "../../../composition";
+import { Input } from "../../../inputs";
+import { capitalize } from "../../../helpers";
+
+export const component: Right = {
+ icon: () => {
+ const type = useComponent((c) => c.type);
+ if (!type) return null;
+ const Icon = components[type].Icon;
+ return ;
+ },
+ title: () => {
+ const type = useComponent((c) => c.type);
+ if (!type) return null;
+ return <>{capitalize(type)}>;
+ },
+ component: () => {
+ const props = useComponent((c) => c.props);
+ const inputs = useComponent((c) => Object.entries(components[c.type].inputs));
+ const editComponentProps = useTemplateStore((state) => state.editComponentProps);
+ if (!props || !inputs) return null;
+ return (
+
+ {inputs.map(([key, input]) => {
+ const value = props[key];
+ return editComponentProps({ [key]: e })} props={input} />;
+ })}
+
+ );
+ },
+};
diff --git a/app/src/pages/Edit/Right/General.tsx b/app/src/pages/Edit/Right/General.tsx
new file mode 100644
index 00000000..998892f1
--- /dev/null
+++ b/app/src/pages/Edit/Right/General.tsx
@@ -0,0 +1,35 @@
+import { Right } from ".";
+import { IoIosSettings } from "react-icons/io";
+import { Input, Inputs } from "../../../inputs";
+import { Comp } from "../../../composition";
+import { useComponent, useTemplateStore } from "../../../store";
+
+const inputs: { [key in keyof Comp]?: Inputs } = {
+ x: { number: { label: "X", colspan: 1 } },
+ y: { number: { label: "Y", colspan: 1 } },
+ height: { number: { label: "H", colspan: 1 } },
+ width: { number: { label: "W", colspan: 1 } },
+ from: { number: { label: "From", colspan: 1 } },
+ duration: { number: { label: "Duration", colspan: 1 } },
+ rotation: { range: { label: "Rotation", min: 0, max: 360, step: 1, colspan: 1 } },
+ opacity: { range: { label: "Opacity", min: 0, max: 1, step: 0.01, colspan: 1 } },
+};
+const entries = Object.entries(inputs);
+
+export const general: Right = {
+ icon: IoIosSettings,
+ title: "General",
+ component: () => {
+ const comp = useComponent();
+ const editComponent = useTemplateStore((state) => state.editComponent);
+ if (!comp) return null;
+ return (
+
+ {entries.map(([key, input]) => {
+ const value = comp[key as keyof Comp];
+ return editComponent({ [key]: value }, false, undefined)} props={input} />;
+ })}
+
+ );
+ },
+};
diff --git a/app/src/pages/Edit/Right/index.tsx b/app/src/pages/Edit/Right/index.tsx
new file mode 100644
index 00000000..5ada7310
--- /dev/null
+++ b/app/src/pages/Edit/Right/index.tsx
@@ -0,0 +1,47 @@
+import { IconType } from "react-icons";
+import { IoIosInformation } from "react-icons/io";
+import { z } from "zod";
+import { Panel } from "../../../components/Panel";
+import { Tab, Tabs } from "../../../components/Tabs";
+import { useRightStore, useTemplateStore } from "../../../store";
+import { component } from "./Component";
+import { general } from "./General";
+
+export type Right = Tab & {
+ icon: IconType | React.FC;
+};
+
+export const right = {
+ general,
+ component,
+};
+
+export const RightTab = z.enum(["general", "component"]);
+export type RightTab = z.infer;
+
+export const RightPanel = () => {
+ const rightTab = useRightStore((t) => t.tab);
+ const rightWidth = useRightStore((t) => t.width);
+ const setRightWidth = useRightStore((t) => t.setWidth);
+ return ;
+};
+
+export const RightTabs = () => {
+ const setRightTab = useRightStore((t) => t.setTab);
+ const rightTab = useRightStore((t) => t.tab);
+ const comp = useTemplateStore((s) => s.component);
+ const items = comp ? right : {};
+ return (
+ (
+
+
+
+ )}
+ order={Object.keys(items) as RightTab[]}
+ items={items}
+ onClick={(v) => setRightTab(v)}
+ selected={rightTab}
+ />
+ );
+};
diff --git a/app/src/pages/Edit/Timeline/Component.tsx b/app/src/pages/Edit/Timeline/Component.tsx
new file mode 100644
index 00000000..c387d694
--- /dev/null
+++ b/app/src/pages/Edit/Timeline/Component.tsx
@@ -0,0 +1,84 @@
+import { Comp, components } from "../../../composition";
+import { useEffect, useRef, useState } from "react";
+import Moveable from "react-moveable";
+import { capitalize } from "../../../helpers";
+import { useComponent, useTemplateStore, useTemplate } from "../../../store";
+
+const selector = (c: Comp) => ({
+ title: "text" in c.props ? c.props.text : capitalize(c.type),
+ hue: components[c.type].hue,
+ Icon: components[c.type].Icon,
+ from: c.from,
+ duration: c.duration,
+});
+
+const useTimelineWidth = (id: string) => {
+ const duration = useTemplate((t) => t.duration || 1);
+ const [width, setWidth] = useState(0);
+ useEffect(() => {
+ const el = document.getElementById(`timeline-${id}`);
+ if (!el) return;
+ const resizeObserver = new ResizeObserver((entries) => {
+ setWidth(entries[0].target.clientWidth);
+ });
+ resizeObserver.observe(el);
+ return () => resizeObserver.disconnect();
+ }, []);
+ return { width, scale: width / duration, duration };
+};
+
+export const Component = ({ id }: { id: string }) => {
+ const comp = useComponent(selector, id);
+ const editComponent = useTemplateStore((t) => t.editComponent);
+ const setComponent = useTemplateStore((t) => t.setComponent);
+ const isSelected = useTemplateStore((t) => t.component === id);
+ if (!comp) return null;
+ const timeline = useTimelineWidth(id);
+ const ref = useRef(null);
+ const left = comp.from * timeline.scale;
+ let width = comp.duration * timeline.scale;
+ if (left + width > timeline.width) width = timeline.width - left;
+ return (
+
+
setComponent(id)}
+ className="h-full absolute rounded-[2px] flex space-x-1 px-2 items-center cursor-pointer overflow-hidden"
+ style={{
+ left: left,
+ width: width,
+ background: `hsl(${comp.hue}, ${isSelected ? 85 : 55}%, ${isSelected ? 65 : 45}%, 100%)`,
+ }}
+ >
+
+
{comp.title}
+
+ {width && (
+
{
+ const from = comp.from + delta[0] / timeline.scale;
+ if (from + comp.duration > timeline.duration || from < 0) return;
+ editComponent({ from }, true, id);
+ }}
+ onResize={({ width, delta, target, direction }) => {
+ console.log(direction);
+ const from = direction[0] === -1 ? comp.from + comp.duration - width / timeline.scale : comp.from;
+ let duration = width / timeline.scale;
+ if (from + duration > timeline.duration) duration = timeline.duration - from;
+ editComponent({ from, duration }, true, id);
+ if (delta[0]) {
+ target.style.left = `${from * timeline.scale}px`;
+ target.style.width = `${duration * timeline.scale}px`;
+ }
+ }}
+ />
+ )}
+
+ );
+};
diff --git a/app/src/pages/Edit/Timeline/Timeline.tsx b/app/src/pages/Edit/Timeline/Timeline.tsx
new file mode 100644
index 00000000..1224e7e9
--- /dev/null
+++ b/app/src/pages/Edit/Timeline/Timeline.tsx
@@ -0,0 +1,39 @@
+import { usePlayerRef, usePlayerStore, useTemplate } from "../../../store/index";
+import { Component } from "./Component";
+import { TopBar } from "./TopBar";
+
+export const Timeline = () => {
+ const allComponents = useTemplate((t) => t.allComponents);
+ return (
+
+
+
+
+
+ {allComponents.map((c) => (
+
+ ))}
+
+
+
+ );
+};
+
+export const Playhead = () => {
+ const { duration, fps } = useTemplate((t) => ({ duration: t.duration, fps: t.fps }));
+ const frame = usePlayerStore((s) => s.frame);
+ const playerRef = usePlayerRef();
+ return (
+ {
+ playerRef?.seekTo(Number(e.currentTarget.value));
+ }}
+ step={1}
+ min={0}
+ max={duration * fps}
+ />
+ );
+};
diff --git a/app/src/pages/Edit/Timeline/TimelineDiv.tsx b/app/src/pages/Edit/Timeline/TimelineDiv.tsx
new file mode 100644
index 00000000..5e0c9392
--- /dev/null
+++ b/app/src/pages/Edit/Timeline/TimelineDiv.tsx
@@ -0,0 +1,14 @@
+import { ReactNode } from "react";
+import { Resize } from "../../../components/Resize";
+import { useTimelineStore } from "../../../store";
+
+export const TimelineDiv = ({ children }: { children: ReactNode }) => {
+ const height = useTimelineStore((t) => t.heigth);
+ const setHeight = useTimelineStore((t) => t.setHeight);
+ return (
+
+ {children}
+
+
+ );
+};
diff --git a/app/src/pages/Edit/Timeline/TopBar.tsx b/app/src/pages/Edit/Timeline/TopBar.tsx
new file mode 100644
index 00000000..7b3562ea
--- /dev/null
+++ b/app/src/pages/Edit/Timeline/TopBar.tsx
@@ -0,0 +1,59 @@
+import { usePlayerRef, usePlayerStore, useTemplate, useTemplateStore } from "../../../store";
+import {
+ IoMdCopy,
+ IoIosVolumeOff,
+ IoIosVolumeHigh,
+ IoIosSkipBackward,
+ IoIosPause,
+ IoIosPlay,
+ IoIosSkipForward,
+ IoMdExpand,
+ IoIosRemove,
+ IoIosAdd,
+ IoMdTrash,
+} from "react-icons/io";
+import { IconType } from "react-icons";
+
+export const TopBar = () => {
+ const selected = useTemplateStore((t) => t.component);
+ const copy = useTemplateStore((t) => t.copyComponent);
+ const deleteComp = useTemplateStore((t) => t.deleteComp);
+ const fps = useTemplate((t) => t.fps);
+ const playerRef = usePlayerRef();
+ const isPlaying = usePlayerStore((t) => t.isPlaying);
+ const frame = usePlayerStore((t) => t.frame);
+ return (
+
+
playerRef?.seekTo(Number(e.target.value) * fps)}
+ className="bg-transparent outline-none"
+ />
+
+ (playerRef?.isMuted() ? playerRef?.unmute() : playerRef?.mute())}
+ tooltip="M"
+ />
+ playerRef?.seekTo(frame - 5 * fps)} tooltip="← / J" />
+ playerRef?.toggle()} tooltip="⎵" />
+ playerRef?.seekTo(frame + 5 * fps)} tooltip="→ / L" />
+ playerRef?.requestFullscreen()} tooltip="F" />
+
+
+ deleteComp()} tooltip="Delete" />
+ copy()} tooltip="Ctrl + C" />
+
+
+ );
+};
+const Button = ({ Icon, onClick, disabled, tooltip }: { Icon: IconType; onClick: () => void; disabled?: boolean; tooltip?: string }) => {
+ return (
+
+ onClick()} className="btn-ghost">
+
+
+
+ );
+};
diff --git a/app/src/pages/Edit/index.tsx b/app/src/pages/Edit/index.tsx
new file mode 100644
index 00000000..65b3dfbf
--- /dev/null
+++ b/app/src/pages/Edit/index.tsx
@@ -0,0 +1,29 @@
+import { HotKeys } from "../../components/HotKeys";
+import { LeftPanel, LeftTabs } from "./Left";
+import { Player } from "./Player/Player";
+import { PlayerDiv } from "./Player/PlayerDiv";
+import { RightPanel, RightTabs } from "./Right";
+import { Timeline } from "./Timeline/Timeline";
+import { TimelineDiv } from "./Timeline/TimelineDiv";
+
+export const edit = () => {
+ return (
+
+ );
+};
diff --git a/app/src/pages/Home.tsx b/app/src/pages/Home.tsx
new file mode 100644
index 00000000..0156fa0e
--- /dev/null
+++ b/app/src/pages/Home.tsx
@@ -0,0 +1,38 @@
+import { useTemplate, useTemplateStore } from "../store";
+
+export const home = () => {
+ const newTemplate = useTemplateStore((s) => s.newTemplate);
+ const allTemplates = useTemplateStore((s) => s.allTemplates);
+ const reset = useTemplateStore((s) => s.reset);
+ return (
+
+
+
What are you up to today?
+
+ Start New
+
+
+
Your Projects
+
+ {allTemplates.map((id) => (
+
+ ))}
+
+
Reset
+
+ );
+};
+
+const Template = ({ id }: { id: string }) => {
+ const template = useTemplate(undefined, id);
+ const setTemplate = useTemplateStore((s) => s.setTemplate);
+ return (
+ setTemplate(id)} className="bg-primary rounded-lg p-2 cursor-pointer flex flex-col items-center shadow-lg">
+
{template.name}
+
+ {template.width} x {template.height}
+
+
{template.duration} s
+
+ );
+};
diff --git a/app/src/pages/Render.tsx b/app/src/pages/Render.tsx
new file mode 100644
index 00000000..5fc1c06e
--- /dev/null
+++ b/app/src/pages/Render.tsx
@@ -0,0 +1,3 @@
+export const render = () => {
+ return Render
;
+};
diff --git a/app/src/pages/index.tsx b/app/src/pages/index.tsx
new file mode 100644
index 00000000..ba16f73b
--- /dev/null
+++ b/app/src/pages/index.tsx
@@ -0,0 +1,10 @@
+import { render } from "./Render";
+import { edit } from "./Edit";
+import { home } from "./Home";
+import { z } from "zod";
+
+export const pages = {
+ home,
+ edit,
+ render,
+};
diff --git a/app/src/player/index.tsx b/app/src/player/index.tsx
new file mode 100644
index 00000000..0aad6fc6
--- /dev/null
+++ b/app/src/player/index.tsx
@@ -0,0 +1,44 @@
+import { Player as RemotionPlayer, PlayerRef } from "@remotion/player";
+import { forwardRef } from "react";
+import { CSSProperties, ReactNode } from "react";
+import { Template, Composition } from "../composition";
+
+export type PlayerControls = {
+ allowFullscreen?: boolean;
+ autoPlay?: boolean;
+ loading?: ReactNode;
+ clickToPlay?: boolean;
+ controls?: boolean;
+ loop?: boolean;
+ doubleClickToFullscreen?: boolean;
+ moveToBeginningWhenEnded?: boolean;
+ initiallyShowControls?: boolean;
+ spaceKeyToPlayOrPause?: boolean;
+ showVolumeControls?: boolean;
+ style?: CSSProperties;
+ className?: string;
+};
+
+export type PlayerProps = PlayerControls & {
+ template: Template;
+ setComponent?: (id?: string) => void;
+ component?: string;
+ selectedRef?: React.RefObject;
+};
+
+export const Player = forwardRef(
+ ({ template, loading, setComponent = () => undefined, component, selectedRef, ...props }, ref) => {
+ return (
+
+ );
+ }
+);
diff --git a/app/src/store/index.tsx b/app/src/store/index.tsx
new file mode 100644
index 00000000..e7774840
--- /dev/null
+++ b/app/src/store/index.tsx
@@ -0,0 +1,33 @@
+import { create } from "zustand";
+import { immer } from "zustand/middleware/immer";
+import { Draft } from "immer/dist/internal";
+import { persist } from "zustand/middleware";
+import { zustandZod } from "./zustand-zod";
+import z from "zod";
+import { toast } from "sonner";
+
+export * from "./left";
+export * from "./right";
+export * from "./player";
+export * from "./timeline";
+export * from "./template";
+
+export function storeBase(
+ state: (
+ set: (nextStateOrUpdater: T | Partial | ((state: Draft) => void), shouldReplace?: boolean, noCheck?: boolean) => void,
+ get: () => T
+ ) => T,
+ zod: z.ZodType,
+ name: string
+) {
+ return create(
+ persist(
+ zustandZod(
+ immer((set, get) => state(set, get)),
+ zod,
+ (error) => error.errors.map((e) => toast.error(`${e.path.pop()}: ${e.message}`))
+ ),
+ { name }
+ )
+ );
+}
diff --git a/app/src/store/left.ts b/app/src/store/left.ts
new file mode 100644
index 00000000..9f8d2443
--- /dev/null
+++ b/app/src/store/left.ts
@@ -0,0 +1,27 @@
+import { z } from "zod";
+import { storeBase } from ".";
+import { LeftTab } from "../pages/Edit/Left";
+
+const LeftStore = z.object({
+ tab: LeftTab,
+ setTab: z.function().args(LeftTab.optional()).returns(z.void()),
+ width: z.number(),
+ setWidth: z.function().args(z.number()).returns(z.void()),
+});
+type LeftStore = z.infer;
+
+const minWidth = 200;
+const maxWidth = 400;
+export const useLeftStore = storeBase(
+ (set) => ({
+ tab: "add",
+ width: 300,
+ setTab: (tab?: LeftTab) => set({ tab: tab }),
+ setWidth: (width: number) =>
+ set((s) => {
+ s.width = Math.max(Math.min(width, maxWidth), minWidth);
+ }),
+ }),
+ LeftStore,
+ "left"
+);
diff --git a/app/src/store/player.ts b/app/src/store/player.ts
new file mode 100644
index 00000000..5e013671
--- /dev/null
+++ b/app/src/store/player.ts
@@ -0,0 +1,29 @@
+import { PlayerRef } from "@remotion/player";
+import { z } from "zod";
+import { storeBase } from ".";
+
+const PlayerStore = z.object({
+ playerScale: z.number(),
+ playerSetScale: z.function().args(z.number()).returns(z.void()),
+ frame: z.number(),
+ setFrame: z.function().args(z.number()).returns(z.void()),
+ playerRef: z.any().optional(),
+ setPlayerRef: z.function().args(z.any().optional()).returns(z.void()),
+ isPlaying: z.boolean(),
+ setIsPlaying: z.function().args(z.boolean()).returns(z.void()),
+});
+
+export const usePlayerStore = storeBase(
+ (set) => ({
+ frame: 0,
+ playerScale: 0.2,
+ isPlaying: false,
+ setIsPlaying: (isPlaying) => set({ isPlaying }),
+ playerSetScale: (playerScale) => set({ playerScale }),
+ setPlayerRef: (playerRef) => set({ playerRef }),
+ setFrame: (frame) => set({ frame }),
+ }),
+ PlayerStore,
+ "player"
+);
+export const usePlayerRef = () => usePlayerStore((s) => s.playerRef) as PlayerRef | undefined;
diff --git a/app/src/store/right.ts b/app/src/store/right.ts
new file mode 100644
index 00000000..8e2e0fcb
--- /dev/null
+++ b/app/src/store/right.ts
@@ -0,0 +1,32 @@
+import { z } from "zod";
+import { storeBase } from ".";
+import { RightTab } from "../pages/Edit/Right";
+
+const maxWith = 400;
+const minWith = 200;
+
+const RightStore = z.object({
+ tab: RightTab.optional(),
+ setTab: z.function().args(RightTab.optional()).returns(z.void()),
+ width: z.number().min(minWith).max(maxWith),
+ setWidth: z.function().args(z.number()).returns(z.void()),
+});
+
+export const useRightStore = storeBase(
+ (set) => {
+ return {
+ tab: undefined,
+ width: 300,
+ setTab: (tab?: RightTab) =>
+ set((s) => {
+ s.tab = s.tab === tab ? undefined : tab;
+ }),
+ setWidth: (width: number) =>
+ set((s) => {
+ s.width = Math.max(minWith, Math.min(maxWith, width));
+ }),
+ };
+ },
+ RightStore,
+ "right"
+);
diff --git a/app/src/store/template.ts b/app/src/store/template.ts
new file mode 100644
index 00000000..ba9a2ef9
--- /dev/null
+++ b/app/src/store/template.ts
@@ -0,0 +1,223 @@
+import { getRandomId } from "../helpers";
+import { storeBase } from ".";
+import { Comp, CompPartial } from "../composition";
+import { Template } from "../composition";
+import { toast } from "sonner";
+import { Page } from "../enums";
+import { z } from "zod";
+import { useCallback } from "react";
+
+export const defaultTemplate: Template = {
+ allComponents: [],
+ components: {},
+ duration: 10,
+ fps: 30,
+ height: 1080,
+ id: getRandomId(),
+ name: "New Template",
+ width: 1080,
+ background: "#FFFFFFFF",
+};
+
+const TemplateStore = z.object({
+ template: z.string().optional(),
+ setTemplate: z.function().args(z.string().optional()).returns(z.void()),
+
+ templates: z.record(Template),
+ allTemplates: z.array(z.string()),
+ lastTemplate: Template.optional(),
+
+ newTemplate: z.function().returns(z.string()),
+ cloneTemplate: z.function().args(z.string()).returns(z.string()),
+ deleteTemplate: z.function().args(z.string()).returns(z.void()),
+ editTemplate: z.function().args(Template.partial()).returns(z.void()),
+
+ past: z.array(Template),
+ future: z.array(Template),
+ undo: z.function().returns(z.void()),
+ redo: z.function().returns(z.void()),
+ historyTimeout: z.any().optional(),
+
+ component: z.string().optional(),
+ componentRef: z.any().optional(),
+ setComponentRef: z.function().args(z.any().optional()).returns(z.void()),
+ setComponent: z.function().args(z.string().optional()).returns(z.void()),
+
+ editComponent: z.function().args(CompPartial, z.boolean().optional(), z.string().optional()).returns(z.void()),
+ editComponentProps: z.function().args(z.any()).returns(z.void()),
+ newComponent: z.function().args(Comp).returns(z.void()),
+ copyComponent: z.function().returns(z.void()),
+ deleteComp: z.function().returns(z.void()),
+
+ page: Page,
+ setPage: z.function().args(Page).returns(z.void()),
+ reset: z.function().returns(z.void()),
+});
+const defaultState = {
+ templates: {},
+ allTemplates: [],
+ past: [],
+ future: [],
+ page: "home" as Page,
+ historyTimeout: undefined,
+ component: undefined,
+};
+type TemplateStore = z.infer;
+export const useTemplateStore = storeBase(
+ (setStore, get) => {
+ const set: typeof setStore = (s, replace) => {
+ setStore((state) => {
+ if (state.historyTimeout) clearTimeout(state.historyTimeout);
+ else state.lastTemplate = JSON.parse(JSON.stringify(get().templates[get().template || ""]));
+ state.historyTimeout = setTimeout(() => {
+ setStore((s) => {
+ s.past.push(JSON.parse(JSON.stringify(s.lastTemplate)));
+ s.future = [];
+ s.historyTimeout = undefined;
+ });
+ }, 600);
+ });
+ setStore(s);
+ };
+ return {
+ ...defaultState,
+ reset: () => {
+ setStore(defaultState, true);
+ },
+ newTemplate: () => {
+ const id = getRandomId();
+ setStore((s) => {
+ s.templates[id] = defaultTemplate;
+ s.allTemplates.push(id);
+ s.template = id;
+ s.page = "edit";
+ });
+ return id;
+ },
+ deleteTemplate: (id) =>
+ setStore((s) => {
+ delete s.templates[id];
+ s.allTemplates = s.allTemplates.filter((id) => id !== s.template);
+ s.template = s.allTemplates[0];
+ }),
+ setTemplate: (template) =>
+ setStore({ template, page: "edit", future: [], past: [], historyTimeout: undefined, lastTemplate: undefined, component: undefined }),
+ cloneTemplate: (id) => {
+ const newId = getRandomId();
+ setStore((s) => {
+ s.templates[newId] = JSON.parse(JSON.stringify(s.templates[id]));
+ s.allTemplates.push(newId);
+ s.template = newId;
+ });
+ return newId;
+ },
+
+ editTemplate: (template) => {
+ set((s) => {
+ if (!s.template) return;
+ s.templates[s.template] = { ...s.templates[s.template], ...template };
+ });
+ },
+
+ setPage: (page) => setStore({ page }),
+ setComponent: (component?: string) => setStore({ component }),
+ setComponentRef: (componentRef) => setStore({ componentRef }),
+ editComponent: (comp, noCheck = false, id) => {
+ set(
+ (s) => {
+ if (!s.template) return;
+ const old = s.templates[s.template].components[id || s.component || ""];
+ if (!old) return toast.error("No component selected");
+ s.templates[s.template].components[id || s.component || ""] = { ...old, ...comp };
+ },
+ undefined,
+ noCheck
+ );
+ },
+ editComponentProps: (props) => {
+ set((s) => {
+ if (!s.template) return;
+ const comp = s.templates[s.template].components[s.component || ""];
+ if (!comp) return toast.error("No component selected");
+ s.templates[s.template].components[s.component || ""].props = { ...comp.props, ...props };
+ });
+ },
+
+ deleteComp: () =>
+ set((s) => {
+ if (!s.template) return;
+ delete s.templates[s.template].components[s.component || ""];
+ s.templates[s.template].allComponents = s.templates[s.template].allComponents.filter((id) => id !== s.component);
+ s.component = s.templates[s.template].allComponents[0];
+ }),
+
+ newComponent: (comp) =>
+ set((s) => {
+ if (!s.template) return;
+ const id = getRandomId();
+ s.templates[s.template].components[id] = { ...comp, id };
+ s.templates[s.template].allComponents.push(id);
+ s.component = id;
+ }),
+
+ copyComponent: () => {
+ set((s) => {
+ if (!s.template) return;
+ const comp = s.templates[s.template].components[s.component || ""];
+ if (!comp) return toast.error("No component selected");
+ const id = getRandomId();
+ s.templates[s.template].components[id] = { ...comp, id };
+ s.templates[s.template].allComponents.push(id);
+ s.component = id;
+ });
+ },
+
+ undo: () =>
+ setStore((s) => {
+ if (!s.template) return;
+ const project = s.past.pop();
+ if (!project) return toast.error("Nothing to undo");
+ s.future.push(s.templates[s.template]);
+ s.templates[s.template] = project;
+ }),
+
+ redo: () =>
+ setStore((s) => {
+ if (!s.template) return;
+ const project = s.future.pop();
+ if (!project) return toast.error("Nothing to redo");
+ s.past.push(s.templates[s.template]);
+ s.templates[s.template] = project;
+ }),
+ };
+ },
+ TemplateStore,
+ "project"
+);
+
+export function useTemplate(fn: (t: Template, s: TemplateStore) => T = (t, s) => t as T, id?: string): T {
+ return useTemplateStore(
+ useCallback(
+ (s) => {
+ const temp = s.templates[id || s.template || ""];
+ if (!temp) throw new Error("No template selected");
+ return fn(temp, s);
+ },
+ [id, fn]
+ )
+ );
+}
+export function useComponent(fn: (t: Comp, s: TemplateStore) => T = (t) => t as T, id?: string): T | undefined {
+ return useTemplateStore(
+ useCallback(
+ (s) => {
+ const temp = s.templates[s.template || ""];
+ if (!temp) throw new Error("No template selected");
+ const comp = temp.components[id || s.component || ""];
+ if (!comp) return undefined;
+ return fn(comp, s);
+ },
+ [id, fn]
+ )
+ );
+}
diff --git a/app/src/store/timeline.ts b/app/src/store/timeline.ts
new file mode 100644
index 00000000..892be778
--- /dev/null
+++ b/app/src/store/timeline.ts
@@ -0,0 +1,33 @@
+import { z } from "zod";
+import { storeBase } from ".";
+
+const minH = 200;
+const maxH = 400;
+const maxW = 400;
+const minW = 100;
+
+const TimelineStore = z.object({
+ heigth: z.number().min(minH).max(maxH),
+ setHeight: z.function().args(z.number()).returns(z.void()),
+ width: z.number().min(minW).max(maxW),
+ setWidth: z.function().args(z.number()).returns(z.void()),
+});
+
+export const useTimelineStore = storeBase(
+ (set) => {
+ return {
+ heigth: 300,
+ setHeight: (height: number) =>
+ set((s) => {
+ s.heigth = Math.max(Math.min(height, maxH), minH);
+ }),
+ width: 100,
+ setWidth: (width: number) =>
+ set((s) => {
+ s.width = Math.max(Math.min(width, maxW), minW);
+ }),
+ };
+ },
+ TimelineStore,
+ "timeline"
+);
diff --git a/app/src/store/zustand-zod.ts b/app/src/store/zustand-zod.ts
new file mode 100644
index 00000000..8262cac4
--- /dev/null
+++ b/app/src/store/zustand-zod.ts
@@ -0,0 +1,22 @@
+import z from "zod";
+import { StoreApi } from "zustand";
+
+export type set = (partial: T | Partial | ((state: T) => T | Partial), replace?: boolean | undefined, noCheck?: boolean) => void;
+type get = () => T;
+type store = StoreApi;
+type fn = (set: set, get: get, store: store) => T;
+
+export function zustandZod(fn: fn, zod: z.ZodType, callback: (e: z.ZodError) => void = () => {}): fn {
+ return (set, get, store) => {
+ const newSet: typeof set = (p, replace, noCheck) => {
+ if (noCheck) return set(p, replace);
+
+ if (!("partial" in zod) || !(zod.partial instanceof Function)) throw new Error("zod must be a partial schema");
+ const parse = p instanceof Function ? p(store.getState()) : p;
+ const res = zod.partial().safeParse(parse);
+ if (!res.success) return callback(res.error);
+ return set(res.data, replace);
+ };
+ return fn(newSet, get, store);
+ };
+}
diff --git a/app/src/styles.css b/app/src/styles.css
new file mode 100644
index 00000000..a8a0c1e9
--- /dev/null
+++ b/app/src/styles.css
@@ -0,0 +1,98 @@
+@tailwind base;
+@tailwind components;
+@tailwind utilities;
+
+@layer base {
+ input[type="number"]::-webkit-inner-spin-button,
+ input[type="number"]::-webkit-outer-spin-button {
+ -webkit-appearance: none;
+ margin: 0;
+ }
+}
+.table > tbody > tr > th {
+ @apply bg-base-200;
+}
+.table > thead > tr > th {
+ @apply bg-base-300;
+}
+
+#playhead {
+ height: 0;
+ width: 100%;
+ top: 0;
+ cursor: ew-resize;
+ appearance: none;
+ position: absolute;
+}
+
+#playhead::-webkit-slider-runnable-track {
+ height: 0;
+ width: 100%;
+ pointer-events: none;
+}
+
+#playhead::-webkit-slider-thumb {
+ background-color: red;
+ position: relative;
+ height: 600px;
+ width: 3px;
+ z-index: 2000000;
+ appearance: none;
+ pointer-events: all;
+ -webkit-appearance: none;
+ @apply shadow-lg;
+}
+
+.moveable-origin {
+ display: none;
+}
+
+.btn-primary {
+ @apply bg-primary hover:bg-primary-600 duration-150 px-2 py-1 rounded-md cursor-pointer text-primary-content;
+}
+.btn-ghost {
+ @apply bg-base-content text-base-content bg-opacity-0 hover:bg-opacity-25 duration-150 p-1 rounded-md cursor-pointer;
+}
+.btn-ghost:disabled {
+ @apply opacity-20 cursor-default;
+}
+
+.form {
+ @apply grid grid-cols-4 gap-2 items-center col-span-2;
+}
+.form label {
+ @apply text-sm whitespace-nowrap overflow-hidden;
+}
+.form > input,
+.form-color > div {
+ @apply col-span-3;
+}
+.form input {
+ @apply !bg-base-100 rounded-md p-1 focus:outline-primary focus:outline w-full;
+}
+.form input[type="color"] {
+ @apply p-0 h-8 w-8 shrink-0;
+}
+.form input[type="checkbox"] {
+ @apply p-0 h-5 w-5 ml-auto bg-primary-50 rounded-md accent-primary-500;
+}
+.form input[type="range"] {
+ @apply w-full accent-primary;
+}
+
+#timeline .moveable-control {
+ background: rgba(256, 256, 256, 0.3) !important;
+ height: 26px !important;
+ border-radius: 0 !important;
+ border: 0 !important;
+ width: 4px !important;
+ margin: 0 !important;
+ margin-top: -13px !important;
+}
+#timeline .moveable-w {
+ border-radius: 10px 0 0 10px !important;
+}
+#timeline .moveable-e {
+ border-radius: 0 10px 10px 0 !important;
+ margin-left: -4px !important;
+}
diff --git a/app/src/vite-env.d.ts b/app/src/vite-env.d.ts
new file mode 100644
index 00000000..11f02fe2
--- /dev/null
+++ b/app/src/vite-env.d.ts
@@ -0,0 +1 @@
+///
diff --git a/app/tailwind.config.cjs b/app/tailwind.config.cjs
new file mode 100644
index 00000000..5750156d
--- /dev/null
+++ b/app/tailwind.config.cjs
@@ -0,0 +1,46 @@
+const { createThemes } = require('tw-colors');
+
+/** @type {import('tailwindcss').Config} */
+module.exports = {
+ content: [
+ "./index.html",
+ "./src/**/*.{js,ts,jsx,tsx}",
+ ],
+ theme: {
+ extend: {
+ colors: {
+ 'primary': {
+ "DEFAULT": "#316fff",
+ "content": "#e8f5ff",
+ '50': '#e8f5ff',
+ '100': '#d5edff',
+ '200': '#b4dbff',
+ '300': '#86c2ff',
+ '400': '#5799ff',
+ '500': '#316fff',
+ '600': '#0e42ff',
+ '700': '#0538fd',
+ '800': '#0835d7',
+ '900': '#11339e',
+ '950': '#0a1c5c',
+ },
+ }
+ },
+ },
+ plugins: [
+ createThemes({
+ light: {
+ "base-100": "#f7f7f7",
+ "base-200": "#e3e3e3",
+ "base-300": "#c8c8c8",
+ "base-content": "#1a1a1a"
+ },
+ dark: {
+ "base-100": "#1a1a1a",
+ "base-200": "#313131",
+ "base-300": "#383838",
+ "base-content": "#f7f7f7"
+ }
+ })
+ ],
+}
\ No newline at end of file
diff --git a/app/tsconfig.json b/app/tsconfig.json
new file mode 100644
index 00000000..3d0a51a8
--- /dev/null
+++ b/app/tsconfig.json
@@ -0,0 +1,21 @@
+{
+ "compilerOptions": {
+ "target": "ESNext",
+ "useDefineForClassFields": true,
+ "lib": ["DOM", "DOM.Iterable", "ESNext"],
+ "allowJs": false,
+ "skipLibCheck": true,
+ "esModuleInterop": false,
+ "allowSyntheticDefaultImports": true,
+ "strict": true,
+ "forceConsistentCasingInFileNames": true,
+ "module": "ESNext",
+ "moduleResolution": "Node",
+ "resolveJsonModule": true,
+ "isolatedModules": true,
+ "noEmit": true,
+ "jsx": "react-jsx"
+ },
+ "include": ["src"],
+ "references": [{ "path": "./tsconfig.node.json" }]
+}
diff --git a/app/tsconfig.node.json b/app/tsconfig.node.json
new file mode 100644
index 00000000..9d31e2ae
--- /dev/null
+++ b/app/tsconfig.node.json
@@ -0,0 +1,9 @@
+{
+ "compilerOptions": {
+ "composite": true,
+ "module": "ESNext",
+ "moduleResolution": "Node",
+ "allowSyntheticDefaultImports": true
+ },
+ "include": ["vite.config.ts"]
+}
diff --git a/app/vite.config.ts b/app/vite.config.ts
new file mode 100644
index 00000000..426ff349
--- /dev/null
+++ b/app/vite.config.ts
@@ -0,0 +1,31 @@
+import { defineConfig } from "vite";
+import react from "@vitejs/plugin-react";
+
+const mobile =
+ process.env.TAURI_PLATFORM === "android" ||
+ process.env.TAURI_PLATFORM === "ios";
+
+// https://vitejs.dev/config/
+export default defineConfig(async () => ({
+ plugins: [react()],
+
+ // Vite options tailored for Tauri development and only applied in `tauri dev` or `tauri build`
+ // prevent vite from obscuring rust errors
+ clearScreen: false,
+ // tauri expects a fixed port, fail if that port is not available
+ server: {
+ port: 1420,
+ strictPort: true,
+ },
+ // to make use of `TAURI_DEBUG` and other env variables
+ // https://tauri.studio/v1/api/config#buildconfig.beforedevcommand
+ envPrefix: ["VITE_", "TAURI_"],
+ build: {
+ // Tauri supports es2021
+ target: process.env.TAURI_PLATFORM == "windows" ? "chrome105" : "safari13",
+ // don't minify for debug builds
+ minify: !process.env.TAURI_DEBUG ? "esbuild" : false,
+ // produce sourcemaps for debug builds
+ sourcemap: !!process.env.TAURI_DEBUG,
+ },
+}));
diff --git a/licence.md b/licence.md
new file mode 100644
index 00000000..f288702d
--- /dev/null
+++ b/licence.md
@@ -0,0 +1,674 @@
+ GNU GENERAL PUBLIC LICENSE
+ Version 3, 29 June 2007
+
+ Copyright (C) 2007 Free Software Foundation, Inc.
+ Everyone is permitted to copy and distribute verbatim copies
+ of this license document, but changing it is not allowed.
+
+ Preamble
+
+ The GNU General Public License is a free, copyleft license for
+software and other kinds of works.
+
+ The licenses for most software and other practical works are designed
+to take away your freedom to share and change the works. By contrast,
+the GNU General Public License is intended to guarantee your freedom to
+share and change all versions of a program--to make sure it remains free
+software for all its users. We, the Free Software Foundation, use the
+GNU General Public License for most of our software; it applies also to
+any other work released this way by its authors. You can apply it to
+your programs, too.
+
+ When we speak of free software, we are referring to freedom, not
+price. Our General Public Licenses are designed to make sure that you
+have the freedom to distribute copies of free software (and charge for
+them if you wish), that you receive source code or can get it if you
+want it, that you can change the software or use pieces of it in new
+free programs, and that you know you can do these things.
+
+ To protect your rights, we need to prevent others from denying you
+these rights or asking you to surrender the rights. Therefore, you have
+certain responsibilities if you distribute copies of the software, or if
+you modify it: responsibilities to respect the freedom of others.
+
+ For example, if you distribute copies of such a program, whether
+gratis or for a fee, you must pass on to the recipients the same
+freedoms that you received. You must make sure that they, too, receive
+or can get the source code. And you must show them these terms so they
+know their rights.
+
+ Developers that use the GNU GPL protect your rights with two steps:
+(1) assert copyright on the software, and (2) offer you this License
+giving you legal permission to copy, distribute and/or modify it.
+
+ For the developers' and authors' protection, the GPL clearly explains
+that there is no warranty for this free software. For both users' and
+authors' sake, the GPL requires that modified versions be marked as
+changed, so that their problems will not be attributed erroneously to
+authors of previous versions.
+
+ Some devices are designed to deny users access to install or run
+modified versions of the software inside them, although the manufacturer
+can do so. This is fundamentally incompatible with the aim of
+protecting users' freedom to change the software. The systematic
+pattern of such abuse occurs in the area of products for individuals to
+use, which is precisely where it is most unacceptable. Therefore, we
+have designed this version of the GPL to prohibit the practice for those
+products. If such problems arise substantially in other domains, we
+stand ready to extend this provision to those domains in future versions
+of the GPL, as needed to protect the freedom of users.
+
+ Finally, every program is threatened constantly by software patents.
+States should not allow patents to restrict development and use of
+software on general-purpose computers, but in those that do, we wish to
+avoid the special danger that patents applied to a free program could
+make it effectively proprietary. To prevent this, the GPL assures that
+patents cannot be used to render the program non-free.
+
+ The precise terms and conditions for copying, distribution and
+modification follow.
+
+ TERMS AND CONDITIONS
+
+ 0. Definitions.
+
+ "This License" refers to version 3 of the GNU General Public License.
+
+ "Copyright" also means copyright-like laws that apply to other kinds of
+works, such as semiconductor masks.
+
+ "The Program" refers to any copyrightable work licensed under this
+License. Each licensee is addressed as "you". "Licensees" and
+"recipients" may be individuals or organizations.
+
+ To "modify" a work means to copy from or adapt all or part of the work
+in a fashion requiring copyright permission, other than the making of an
+exact copy. The resulting work is called a "modified version" of the
+earlier work or a work "based on" the earlier work.
+
+ A "covered work" means either the unmodified Program or a work based
+on the Program.
+
+ To "propagate" a work means to do anything with it that, without
+permission, would make you directly or secondarily liable for
+infringement under applicable copyright law, except executing it on a
+computer or modifying a private copy. Propagation includes copying,
+distribution (with or without modification), making available to the
+public, and in some countries other activities as well.
+
+ To "convey" a work means any kind of propagation that enables other
+parties to make or receive copies. Mere interaction with a user through
+a computer network, with no transfer of a copy, is not conveying.
+
+ An interactive user interface displays "Appropriate Legal Notices"
+to the extent that it includes a convenient and prominently visible
+feature that (1) displays an appropriate copyright notice, and (2)
+tells the user that there is no warranty for the work (except to the
+extent that warranties are provided), that licensees may convey the
+work under this License, and how to view a copy of this License. If
+the interface presents a list of user commands or options, such as a
+menu, a prominent item in the list meets this criterion.
+
+ 1. Source Code.
+
+ The "source code" for a work means the preferred form of the work
+for making modifications to it. "Object code" means any non-source
+form of a work.
+
+ A "Standard Interface" means an interface that either is an official
+standard defined by a recognized standards body, or, in the case of
+interfaces specified for a particular programming language, one that
+is widely used among developers working in that language.
+
+ The "System Libraries" of an executable work include anything, other
+than the work as a whole, that (a) is included in the normal form of
+packaging a Major Component, but which is not part of that Major
+Component, and (b) serves only to enable use of the work with that
+Major Component, or to implement a Standard Interface for which an
+implementation is available to the public in source code form. A
+"Major Component", in this context, means a major essential component
+(kernel, window system, and so on) of the specific operating system
+(if any) on which the executable work runs, or a compiler used to
+produce the work, or an object code interpreter used to run it.
+
+ The "Corresponding Source" for a work in object code form means all
+the source code needed to generate, install, and (for an executable
+work) run the object code and to modify the work, including scripts to
+control those activities. However, it does not include the work's
+System Libraries, or general-purpose tools or generally available free
+programs which are used unmodified in performing those activities but
+which are not part of the work. For example, Corresponding Source
+includes interface definition files associated with source files for
+the work, and the source code for shared libraries and dynamically
+linked subprograms that the work is specifically designed to require,
+such as by intimate data communication or control flow between those
+subprograms and other parts of the work.
+
+ The Corresponding Source need not include anything that users
+can regenerate automatically from other parts of the Corresponding
+Source.
+
+ The Corresponding Source for a work in source code form is that
+same work.
+
+ 2. Basic Permissions.
+
+ All rights granted under this License are granted for the term of
+copyright on the Program, and are irrevocable provided the stated
+conditions are met. This License explicitly affirms your unlimited
+permission to run the unmodified Program. The output from running a
+covered work is covered by this License only if the output, given its
+content, constitutes a covered work. This License acknowledges your
+rights of fair use or other equivalent, as provided by copyright law.
+
+ You may make, run and propagate covered works that you do not
+convey, without conditions so long as your license otherwise remains
+in force. You may convey covered works to others for the sole purpose
+of having them make modifications exclusively for you, or provide you
+with facilities for running those works, provided that you comply with
+the terms of this License in conveying all material for which you do
+not control copyright. Those thus making or running the covered works
+for you must do so exclusively on your behalf, under your direction
+and control, on terms that prohibit them from making any copies of
+your copyrighted material outside their relationship with you.
+
+ Conveying under any other circumstances is permitted solely under
+the conditions stated below. Sublicensing is not allowed; section 10
+makes it unnecessary.
+
+ 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
+
+ No covered work shall be deemed part of an effective technological
+measure under any applicable law fulfilling obligations under article
+11 of the WIPO copyright treaty adopted on 20 December 1996, or
+similar laws prohibiting or restricting circumvention of such
+measures.
+
+ When you convey a covered work, you waive any legal power to forbid
+circumvention of technological measures to the extent such circumvention
+is effected by exercising rights under this License with respect to
+the covered work, and you disclaim any intention to limit operation or
+modification of the work as a means of enforcing, against the work's
+users, your or third parties' legal rights to forbid circumvention of
+technological measures.
+
+ 4. Conveying Verbatim Copies.
+
+ You may convey verbatim copies of the Program's source code as you
+receive it, in any medium, provided that you conspicuously and
+appropriately publish on each copy an appropriate copyright notice;
+keep intact all notices stating that this License and any
+non-permissive terms added in accord with section 7 apply to the code;
+keep intact all notices of the absence of any warranty; and give all
+recipients a copy of this License along with the Program.
+
+ You may charge any price or no price for each copy that you convey,
+and you may offer support or warranty protection for a fee.
+
+ 5. Conveying Modified Source Versions.
+
+ You may convey a work based on the Program, or the modifications to
+produce it from the Program, in the form of source code under the
+terms of section 4, provided that you also meet all of these conditions:
+
+ a) The work must carry prominent notices stating that you modified
+ it, and giving a relevant date.
+
+ b) The work must carry prominent notices stating that it is
+ released under this License and any conditions added under section
+ 7. This requirement modifies the requirement in section 4 to
+ "keep intact all notices".
+
+ c) You must license the entire work, as a whole, under this
+ License to anyone who comes into possession of a copy. This
+ License will therefore apply, along with any applicable section 7
+ additional terms, to the whole of the work, and all its parts,
+ regardless of how they are packaged. This License gives no
+ permission to license the work in any other way, but it does not
+ invalidate such permission if you have separately received it.
+
+ d) If the work has interactive user interfaces, each must display
+ Appropriate Legal Notices; however, if the Program has interactive
+ interfaces that do not display Appropriate Legal Notices, your
+ work need not make them do so.
+
+ A compilation of a covered work with other separate and independent
+works, which are not by their nature extensions of the covered work,
+and which are not combined with it such as to form a larger program,
+in or on a volume of a storage or distribution medium, is called an
+"aggregate" if the compilation and its resulting copyright are not
+used to limit the access or legal rights of the compilation's users
+beyond what the individual works permit. Inclusion of a covered work
+in an aggregate does not cause this License to apply to the other
+parts of the aggregate.
+
+ 6. Conveying Non-Source Forms.
+
+ You may convey a covered work in object code form under the terms
+of sections 4 and 5, provided that you also convey the
+machine-readable Corresponding Source under the terms of this License,
+in one of these ways:
+
+ a) Convey the object code in, or embodied in, a physical product
+ (including a physical distribution medium), accompanied by the
+ Corresponding Source fixed on a durable physical medium
+ customarily used for software interchange.
+
+ b) Convey the object code in, or embodied in, a physical product
+ (including a physical distribution medium), accompanied by a
+ written offer, valid for at least three years and valid for as
+ long as you offer spare parts or customer support for that product
+ model, to give anyone who possesses the object code either (1) a
+ copy of the Corresponding Source for all the software in the
+ product that is covered by this License, on a durable physical
+ medium customarily used for software interchange, for a price no
+ more than your reasonable cost of physically performing this
+ conveying of source, or (2) access to copy the
+ Corresponding Source from a network server at no charge.
+
+ c) Convey individual copies of the object code with a copy of the
+ written offer to provide the Corresponding Source. This
+ alternative is allowed only occasionally and noncommercially, and
+ only if you received the object code with such an offer, in accord
+ with subsection 6b.
+
+ d) Convey the object code by offering access from a designated
+ place (gratis or for a charge), and offer equivalent access to the
+ Corresponding Source in the same way through the same place at no
+ further charge. You need not require recipients to copy the
+ Corresponding Source along with the object code. If the place to
+ copy the object code is a network server, the Corresponding Source
+ may be on a different server (operated by you or a third party)
+ that supports equivalent copying facilities, provided you maintain
+ clear directions next to the object code saying where to find the
+ Corresponding Source. Regardless of what server hosts the
+ Corresponding Source, you remain obligated to ensure that it is
+ available for as long as needed to satisfy these requirements.
+
+ e) Convey the object code using peer-to-peer transmission, provided
+ you inform other peers where the object code and Corresponding
+ Source of the work are being offered to the general public at no
+ charge under subsection 6d.
+
+ A separable portion of the object code, whose source code is excluded
+from the Corresponding Source as a System Library, need not be
+included in conveying the object code work.
+
+ A "User Product" is either (1) a "consumer product", which means any
+tangible personal property which is normally used for personal, family,
+or household purposes, or (2) anything designed or sold for incorporation
+into a dwelling. In determining whether a product is a consumer product,
+doubtful cases shall be resolved in favor of coverage. For a particular
+product received by a particular user, "normally used" refers to a
+typical or common use of that class of product, regardless of the status
+of the particular user or of the way in which the particular user
+actually uses, or expects or is expected to use, the product. A product
+is a consumer product regardless of whether the product has substantial
+commercial, industrial or non-consumer uses, unless such uses represent
+the only significant mode of use of the product.
+
+ "Installation Information" for a User Product means any methods,
+procedures, authorization keys, or other information required to install
+and execute modified versions of a covered work in that User Product from
+a modified version of its Corresponding Source. The information must
+suffice to ensure that the continued functioning of the modified object
+code is in no case prevented or interfered with solely because
+modification has been made.
+
+ If you convey an object code work under this section in, or with, or
+specifically for use in, a User Product, and the conveying occurs as
+part of a transaction in which the right of possession and use of the
+User Product is transferred to the recipient in perpetuity or for a
+fixed term (regardless of how the transaction is characterized), the
+Corresponding Source conveyed under this section must be accompanied
+by the Installation Information. But this requirement does not apply
+if neither you nor any third party retains the ability to install
+modified object code on the User Product (for example, the work has
+been installed in ROM).
+
+ The requirement to provide Installation Information does not include a
+requirement to continue to provide support service, warranty, or updates
+for a work that has been modified or installed by the recipient, or for
+the User Product in which it has been modified or installed. Access to a
+network may be denied when the modification itself materially and
+adversely affects the operation of the network or violates the rules and
+protocols for communication across the network.
+
+ Corresponding Source conveyed, and Installation Information provided,
+in accord with this section must be in a format that is publicly
+documented (and with an implementation available to the public in
+source code form), and must require no special password or key for
+unpacking, reading or copying.
+
+ 7. Additional Terms.
+
+ "Additional permissions" are terms that supplement the terms of this
+License by making exceptions from one or more of its conditions.
+Additional permissions that are applicable to the entire Program shall
+be treated as though they were included in this License, to the extent
+that they are valid under applicable law. If additional permissions
+apply only to part of the Program, that part may be used separately
+under those permissions, but the entire Program remains governed by
+this License without regard to the additional permissions.
+
+ When you convey a copy of a covered work, you may at your option
+remove any additional permissions from that copy, or from any part of
+it. (Additional permissions may be written to require their own
+removal in certain cases when you modify the work.) You may place
+additional permissions on material, added by you to a covered work,
+for which you have or can give appropriate copyright permission.
+
+ Notwithstanding any other provision of this License, for material you
+add to a covered work, you may (if authorized by the copyright holders of
+that material) supplement the terms of this License with terms:
+
+ a) Disclaiming warranty or limiting liability differently from the
+ terms of sections 15 and 16 of this License; or
+
+ b) Requiring preservation of specified reasonable legal notices or
+ author attributions in that material or in the Appropriate Legal
+ Notices displayed by works containing it; or
+
+ c) Prohibiting misrepresentation of the origin of that material, or
+ requiring that modified versions of such material be marked in
+ reasonable ways as different from the original version; or
+
+ d) Limiting the use for publicity purposes of names of licensors or
+ authors of the material; or
+
+ e) Declining to grant rights under trademark law for use of some
+ trade names, trademarks, or service marks; or
+
+ f) Requiring indemnification of licensors and authors of that
+ material by anyone who conveys the material (or modified versions of
+ it) with contractual assumptions of liability to the recipient, for
+ any liability that these contractual assumptions directly impose on
+ those licensors and authors.
+
+ All other non-permissive additional terms are considered "further
+restrictions" within the meaning of section 10. If the Program as you
+received it, or any part of it, contains a notice stating that it is
+governed by this License along with a term that is a further
+restriction, you may remove that term. If a license document contains
+a further restriction but permits relicensing or conveying under this
+License, you may add to a covered work material governed by the terms
+of that license document, provided that the further restriction does
+not survive such relicensing or conveying.
+
+ If you add terms to a covered work in accord with this section, you
+must place, in the relevant source files, a statement of the
+additional terms that apply to those files, or a notice indicating
+where to find the applicable terms.
+
+ Additional terms, permissive or non-permissive, may be stated in the
+form of a separately written license, or stated as exceptions;
+the above requirements apply either way.
+
+ 8. Termination.
+
+ You may not propagate or modify a covered work except as expressly
+provided under this License. Any attempt otherwise to propagate or
+modify it is void, and will automatically terminate your rights under
+this License (including any patent licenses granted under the third
+paragraph of section 11).
+
+ However, if you cease all violation of this License, then your
+license from a particular copyright holder is reinstated (a)
+provisionally, unless and until the copyright holder explicitly and
+finally terminates your license, and (b) permanently, if the copyright
+holder fails to notify you of the violation by some reasonable means
+prior to 60 days after the cessation.
+
+ Moreover, your license from a particular copyright holder is
+reinstated permanently if the copyright holder notifies you of the
+violation by some reasonable means, this is the first time you have
+received notice of violation of this License (for any work) from that
+copyright holder, and you cure the violation prior to 30 days after
+your receipt of the notice.
+
+ Termination of your rights under this section does not terminate the
+licenses of parties who have received copies or rights from you under
+this License. If your rights have been terminated and not permanently
+reinstated, you do not qualify to receive new licenses for the same
+material under section 10.
+
+ 9. Acceptance Not Required for Having Copies.
+
+ You are not required to accept this License in order to receive or
+run a copy of the Program. Ancillary propagation of a covered work
+occurring solely as a consequence of using peer-to-peer transmission
+to receive a copy likewise does not require acceptance. However,
+nothing other than this License grants you permission to propagate or
+modify any covered work. These actions infringe copyright if you do
+not accept this License. Therefore, by modifying or propagating a
+covered work, you indicate your acceptance of this License to do so.
+
+ 10. Automatic Licensing of Downstream Recipients.
+
+ Each time you convey a covered work, the recipient automatically
+receives a license from the original licensors, to run, modify and
+propagate that work, subject to this License. You are not responsible
+for enforcing compliance by third parties with this License.
+
+ An "entity transaction" is a transaction transferring control of an
+organization, or substantially all assets of one, or subdividing an
+organization, or merging organizations. If propagation of a covered
+work results from an entity transaction, each party to that
+transaction who receives a copy of the work also receives whatever
+licenses to the work the party's predecessor in interest had or could
+give under the previous paragraph, plus a right to possession of the
+Corresponding Source of the work from the predecessor in interest, if
+the predecessor has it or can get it with reasonable efforts.
+
+ You may not impose any further restrictions on the exercise of the
+rights granted or affirmed under this License. For example, you may
+not impose a license fee, royalty, or other charge for exercise of
+rights granted under this License, and you may not initiate litigation
+(including a cross-claim or counterclaim in a lawsuit) alleging that
+any patent claim is infringed by making, using, selling, offering for
+sale, or importing the Program or any portion of it.
+
+ 11. Patents.
+
+ A "contributor" is a copyright holder who authorizes use under this
+License of the Program or a work on which the Program is based. The
+work thus licensed is called the contributor's "contributor version".
+
+ A contributor's "essential patent claims" are all patent claims
+owned or controlled by the contributor, whether already acquired or
+hereafter acquired, that would be infringed by some manner, permitted
+by this License, of making, using, or selling its contributor version,
+but do not include claims that would be infringed only as a
+consequence of further modification of the contributor version. For
+purposes of this definition, "control" includes the right to grant
+patent sublicenses in a manner consistent with the requirements of
+this License.
+
+ Each contributor grants you a non-exclusive, worldwide, royalty-free
+patent license under the contributor's essential patent claims, to
+make, use, sell, offer for sale, import and otherwise run, modify and
+propagate the contents of its contributor version.
+
+ In the following three paragraphs, a "patent license" is any express
+agreement or commitment, however denominated, not to enforce a patent
+(such as an express permission to practice a patent or covenant not to
+sue for patent infringement). To "grant" such a patent license to a
+party means to make such an agreement or commitment not to enforce a
+patent against the party.
+
+ If you convey a covered work, knowingly relying on a patent license,
+and the Corresponding Source of the work is not available for anyone
+to copy, free of charge and under the terms of this License, through a
+publicly available network server or other readily accessible means,
+then you must either (1) cause the Corresponding Source to be so
+available, or (2) arrange to deprive yourself of the benefit of the
+patent license for this particular work, or (3) arrange, in a manner
+consistent with the requirements of this License, to extend the patent
+license to downstream recipients. "Knowingly relying" means you have
+actual knowledge that, but for the patent license, your conveying the
+covered work in a country, or your recipient's use of the covered work
+in a country, would infringe one or more identifiable patents in that
+country that you have reason to believe are valid.
+
+ If, pursuant to or in connection with a single transaction or
+arrangement, you convey, or propagate by procuring conveyance of, a
+covered work, and grant a patent license to some of the parties
+receiving the covered work authorizing them to use, propagate, modify
+or convey a specific copy of the covered work, then the patent license
+you grant is automatically extended to all recipients of the covered
+work and works based on it.
+
+ A patent license is "discriminatory" if it does not include within
+the scope of its coverage, prohibits the exercise of, or is
+conditioned on the non-exercise of one or more of the rights that are
+specifically granted under this License. You may not convey a covered
+work if you are a party to an arrangement with a third party that is
+in the business of distributing software, under which you make payment
+to the third party based on the extent of your activity of conveying
+the work, and under which the third party grants, to any of the
+parties who would receive the covered work from you, a discriminatory
+patent license (a) in connection with copies of the covered work
+conveyed by you (or copies made from those copies), or (b) primarily
+for and in connection with specific products or compilations that
+contain the covered work, unless you entered into that arrangement,
+or that patent license was granted, prior to 28 March 2007.
+
+ Nothing in this License shall be construed as excluding or limiting
+any implied license or other defenses to infringement that may
+otherwise be available to you under applicable patent law.
+
+ 12. No Surrender of Others' Freedom.
+
+ If conditions are imposed on you (whether by court order, agreement or
+otherwise) that contradict the conditions of this License, they do not
+excuse you from the conditions of this License. If you cannot convey a
+covered work so as to satisfy simultaneously your obligations under this
+License and any other pertinent obligations, then as a consequence you may
+not convey it at all. For example, if you agree to terms that obligate you
+to collect a royalty for further conveying from those to whom you convey
+the Program, the only way you could satisfy both those terms and this
+License would be to refrain entirely from conveying the Program.
+
+ 13. Use with the GNU Affero General Public License.
+
+ Notwithstanding any other provision of this License, you have
+permission to link or combine any covered work with a work licensed
+under version 3 of the GNU Affero General Public License into a single
+combined work, and to convey the resulting work. The terms of this
+License will continue to apply to the part which is the covered work,
+but the special requirements of the GNU Affero General Public License,
+section 13, concerning interaction through a network will apply to the
+combination as such.
+
+ 14. Revised Versions of this License.
+
+ The Free Software Foundation may publish revised and/or new versions of
+the GNU General Public License from time to time. Such new versions will
+be similar in spirit to the present version, but may differ in detail to
+address new problems or concerns.
+
+ Each version is given a distinguishing version number. If the
+Program specifies that a certain numbered version of the GNU General
+Public License "or any later version" applies to it, you have the
+option of following the terms and conditions either of that numbered
+version or of any later version published by the Free Software
+Foundation. If the Program does not specify a version number of the
+GNU General Public License, you may choose any version ever published
+by the Free Software Foundation.
+
+ If the Program specifies that a proxy can decide which future
+versions of the GNU General Public License can be used, that proxy's
+public statement of acceptance of a version permanently authorizes you
+to choose that version for the Program.
+
+ Later license versions may give you additional or different
+permissions. However, no additional obligations are imposed on any
+author or copyright holder as a result of your choosing to follow a
+later version.
+
+ 15. Disclaimer of Warranty.
+
+ THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
+APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
+HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
+OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
+THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
+PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
+IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
+ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
+
+ 16. Limitation of Liability.
+
+ IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
+WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
+THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
+GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
+USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
+DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
+PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
+EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
+SUCH DAMAGES.
+
+ 17. Interpretation of Sections 15 and 16.
+
+ If the disclaimer of warranty and limitation of liability provided
+above cannot be given local legal effect according to their terms,
+reviewing courts shall apply local law that most closely approximates
+an absolute waiver of all civil liability in connection with the
+Program, unless a warranty or assumption of liability accompanies a
+copy of the Program in return for a fee.
+
+ END OF TERMS AND CONDITIONS
+
+ How to Apply These Terms to Your New Programs
+
+ If you develop a new program, and you want it to be of the greatest
+possible use to the public, the best way to achieve this is to make it
+free software which everyone can redistribute and change under these terms.
+
+ To do so, attach the following notices to the program. It is safest
+to attach them to the start of each source file to most effectively
+state the exclusion of warranty; and each file should have at least
+the "copyright" line and a pointer to where the full notice is found.
+
+
+ Copyright (C)
+
+ This program is free software: you can redistribute it and/or modify
+ it under the terms of the GNU General Public License as published by
+ the Free Software Foundation, either version 3 of the License, or
+ (at your option) any later version.
+
+ This program is distributed in the hope that it will be useful,
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+ GNU General Public License for more details.
+
+ You should have received a copy of the GNU General Public License
+ along with this program. If not, see .
+
+Also add information on how to contact you by electronic and paper mail.
+
+ If the program does terminal interaction, make it output a short
+notice like this when it starts in an interactive mode:
+
+ Copyright (C)
+ This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
+ This is free software, and you are welcome to redistribute it
+ under certain conditions; type `show c' for details.
+
+The hypothetical commands `show w' and `show c' should show the appropriate
+parts of the General Public License. Of course, your program's commands
+might be different; for a GUI interface, you would use an "about box".
+
+ You should also get your employer (if you work as a programmer) or school,
+if any, to sign a "copyright disclaimer" for the program, if necessary.
+For more information on this, and how to apply and follow the GNU GPL, see
+ .
+
+ The GNU General Public License does not permit incorporating your program
+into proprietary programs. If your program is a subroutine library, you
+may consider it more useful to permit linking proprietary applications with
+the library. If this is what you want to do, use the GNU Lesser General
+Public License instead of this License. But first, please read
+.
diff --git a/package.json b/package.json
index a0de0132..21609c92 100644
--- a/package.json
+++ b/package.json
@@ -2,10 +2,6 @@
"name": "motionly",
"version": "1.0.0",
"private": true,
- "workspaces": [
- "packages/*",
- "websites/*"
- ],
"license": "MIT",
"devDependencies": {
"turbo": "^1.6.3"
@@ -19,12 +15,6 @@
"turbo": "turbo turbo",
"dev": "turbo dev",
"fast-publish": "changeset add; changeset version; changeset publish",
- "preview": "cd packages/components; yarn preview",
- "render": "cd packages/components; yarn render",
- "lambda:motionly": "cd packages/components; yarn lambda:motionly",
- "lambda:motionly-local": "cd packages/components; yarn lambda:motionly-local",
- "lambda:function": "cd packages/components; yarn lambda:function",
- "lambda:render": "cd packages/components; yarn lambda:render",
"format": "prettier --write \"**/*.{js,ts,tsx}\" && eslint --fix \"**/*.{js,ts,tsx}\""
},
"dependencies": {
@@ -38,6 +28,7 @@
"eslint-plugin-react": "^7.31.11",
"patch-package": "^6.5.1",
"postinstall-postinstall": "^2.1.0",
- "prettier": "^2.8.1"
+ "prettier": "^2.8.1",
+ "typescript": "^4.9.5"
}
}
\ No newline at end of file
diff --git a/packages/base/.gitignore b/packages/base/.gitignore
deleted file mode 100644
index 16f4a2dc..00000000
--- a/packages/base/.gitignore
+++ /dev/null
@@ -1,5 +0,0 @@
-.turbo/
-dist/
-node_modules/
-.env
-out/
\ No newline at end of file
diff --git a/packages/base/CHANGELOG.md b/packages/base/CHANGELOG.md
deleted file mode 100644
index 1b3139c0..00000000
--- a/packages/base/CHANGELOG.md
+++ /dev/null
@@ -1,19 +0,0 @@
-# @motionly/base
-
-## 1.4.2
-
-### Patch Changes
-
-- Changed colors and text animations
-
-## 1.4.1
-
-### Patch Changes
-
-- removed things from npm
-
-## 1.4.0
-
-### Minor Changes
-
-- renamed to motionly
diff --git a/packages/base/package.json b/packages/base/package.json
deleted file mode 100644
index 666f8377..00000000
--- a/packages/base/package.json
+++ /dev/null
@@ -1,17 +0,0 @@
-{
- "name": "@motionly/base",
- "version": "1.4.2",
- "main": "dist/index.js",
- "private": false,
- "license": "MIT",
- "scripts": {
- "build": "tsc",
- "dev": "tsc --watch"
- },
- "devDependencies": {
- "typescript": "^4.9.4"
- },
- "dependencies": {
- "zod": "^3.20.6"
- }
-}
diff --git a/packages/base/readme.md b/packages/base/readme.md
deleted file mode 100644
index 091fa994..00000000
--- a/packages/base/readme.md
+++ /dev/null
@@ -1,3 +0,0 @@
-# @motionly/base
-
-Find more info [here](https://motionly.video)
\ No newline at end of file
diff --git a/packages/base/src/helpers/index.ts b/packages/base/src/helpers/index.ts
deleted file mode 100644
index be96bc7a..00000000
--- a/packages/base/src/helpers/index.ts
+++ /dev/null
@@ -1,96 +0,0 @@
-import {
- CompVariable,
- ComponentProps,
- Components,
- Variable,
- TemplateType,
-} from "../types";
-
-export const videoUrl =
- "https://remotionlambda-24lixyhuqn.s3.us-east-1.amazonaws.com/video.mp4";
-
-// if from is negative, it's relative to the end of the video
-export const getFrom = (maxDuration: number, from?: number) => {
- if (!from) return 0;
- if (Math.abs(from) >= maxDuration) return 0;
- return from > 0 ? from : maxDuration + from;
-};
-
-export const getDuration = (
- maxDuration: number,
- from?: number,
- duration?: number,
- addFrom?: boolean
-) => {
- const actualFrom = getFrom(maxDuration, from);
- let actualDuration = 0;
- if (!duration) actualDuration = maxDuration - actualFrom;
- else if (duration > 0) actualDuration = duration;
- else if (duration < 0) actualDuration = maxDuration - actualFrom + duration;
- if (
- !actualDuration ||
- actualDuration <= 0 ||
- actualDuration > maxDuration - actualFrom
- )
- actualDuration = maxDuration - actualFrom || 1;
- return addFrom ? actualDuration + actualFrom : actualDuration;
-};
-
-export const getFonts = (comps?: ComponentProps[]) => {
- return JSON.stringify(comps)
- .match(/fontFamily":"(.*?)"/g)
- ?.map((font) => font.replace(/fontFamily":"(.*?)"/g, "$1"));
-};
-
-export const toTree = (
- components: Components,
- childIds: string[],
- variables: { [key: string]: Variable }
-): ComponentProps[] => {
- const tree = childIds.map((id) => {
- let comp = components[id];
- comp = applyVariables(comp, variables, comp?.compVariables);
- if ("childIds" in comp) {
- comp.comps = [
- ...(comp.comps || []),
- ...toTree(components, comp.childIds, variables),
- ];
- }
- return comp;
- });
- return tree;
-};
-
-export function applyVariables(
- comp: T,
- inputs: { [key: string]: Variable },
- compVariables?: CompVariable[]
-): T {
- const newComp = JSON.parse(JSON.stringify(comp || {}));
- for (const variable of compVariables || []) {
- const variableVal = inputs[variable.id]?.value;
- if (variableVal === undefined) continue;
-
- const props = variable.prop.split(".");
- let currentProp = newComp;
- for (let i = 0; i < props.length - 1; i++) {
- currentProp = currentProp[props[i]];
- }
- currentProp[props[props.length - 1]] = variableVal;
- }
- return newComp;
-}
-
-export const prepareTemplate = (template: TemplateType) => {
- const newTemplate = applyVariables(
- template,
- template.variables?.byIds || {},
- template.templateVariables
- );
- newTemplate.comps = toTree(
- newTemplate.components,
- newTemplate.childIds,
- newTemplate.variables?.byIds || {}
- );
- return newTemplate;
-};
diff --git a/packages/base/src/index.ts b/packages/base/src/index.ts
deleted file mode 100644
index 872ef39c..00000000
--- a/packages/base/src/index.ts
+++ /dev/null
@@ -1,2 +0,0 @@
-export * from "./helpers";
-export * from "./types";
diff --git a/packages/base/src/types/animations.ts b/packages/base/src/types/animations.ts
deleted file mode 100644
index 9d9c87bf..00000000
--- a/packages/base/src/types/animations.ts
+++ /dev/null
@@ -1,118 +0,0 @@
-import { z } from "zod";
-
-export const TransformProps = z.enum([
- "rotate",
- "rotateX",
- "rotateY",
- "rotateZ",
- "scale",
- "scaleX",
- "scaleY",
- "scaleZ",
- "translate",
- "translateX",
- "translateY",
- "translateZ",
- "skew",
- "skewX",
- "skewY",
- "perspective",
-]);
-export type TransformProps = z.infer;
-type Props = { label: string; units?: string };
-export const transformProps: {
- [key in TransformProps]: Props;
-} = {
- rotate: { label: "Rotate", units: "deg" },
- rotateX: { label: "Rotate X", units: "deg" },
- rotateY: { label: "Rotate Y", units: "deg" },
- rotateZ: { label: "Rotate Z", units: "deg" },
- scale: { label: "Scale", units: undefined },
- scaleX: { label: "Scale X", units: undefined },
- scaleY: { label: "Scale Y", units: undefined },
- scaleZ: { label: "Scale Z", units: undefined },
- translate: { label: "Translate", units: "px" },
- translateX: { label: "Translate X", units: "px" },
- translateY: { label: "Translate Y", units: "px" },
- translateZ: { label: "Translate Z", units: "px" },
- skew: { label: "Skew", units: "deg" },
- skewX: { label: "Skew X", units: "deg" },
- skewY: { label: "Skew Y", units: "deg" },
- perspective: { label: "Perspective", units: "px" },
-};
-export const OtherAnimations = z.enum([
- "blur",
- "opacity",
- "borderRadius",
- ...TransformProps.options,
-]);
-export type OtherAnimations = z.infer;
-export const otherAnimations: { [key in OtherAnimations]: Props } = {
- blur: { label: "Blur", units: "px" },
- opacity: { label: "Opacity", units: "%" },
- borderRadius: { label: "Border Radius", units: "px" },
- ...transformProps,
-};
-export const TextAnimations = z.enum(["text", "number"]);
-export type TextAnimations = z.infer;
-
-export const textAnimations: { [key in TextAnimations]: Props } = {
- text: { label: "Text", units: undefined },
- number: { label: "Number", units: undefined },
-};
-export const AllAnimations = z.enum([
- ...OtherAnimations.options,
- ...TextAnimations.options,
-]);
-export type AllAnimations = z.infer;
-
-export const animationProps: { [key in AllAnimations]: Props } = {
- ...otherAnimations,
- ...textAnimations,
-};
-export const AnimationTypes = z.enum(["spring", "interpolate", "noise"]);
-export type AnimationTypes = z.infer;
-export const BaseAnimations = z.object({
- prop: AllAnimations,
- id: z.string(),
- name: z.string().optional(),
- start: z.number().optional(),
- duration: z.number().optional(),
- from: z.number().optional(),
- to: z.number().optional(),
- value: z.string().optional(),
- variable: z.string().optional(),
-});
-export const SpringAnimationProps = BaseAnimations.extend({
- type: z.literal("spring"),
- mass: z.number().optional(),
- damping: z.number().optional(),
- stiffness: z.number().optional(),
-});
-export type SpringAnimationProps = z.infer;
-export const EasingTypes = z.enum([
- "linear",
- "back",
- "bounce",
- "elastic",
- "ease",
-]);
-export type EasingTypes = z.infer;
-
-export const InterpolateAnimationProps = BaseAnimations.extend({
- type: z.literal("interpolate"),
- easing: EasingTypes.optional(),
-});
-export type InterpolateAnimationProps = z.infer<
- typeof InterpolateAnimationProps
->;
-export const NoiseAnimationProps = BaseAnimations.extend({
- type: z.literal("noise"),
- speed: z.number().optional(),
-});
-export const AnimationProps = z.union([
- SpringAnimationProps,
- InterpolateAnimationProps,
- NoiseAnimationProps,
-]);
-export type AnimationProps = z.infer;
diff --git a/packages/base/src/types/components.ts b/packages/base/src/types/components.ts
deleted file mode 100644
index b3a8fcdc..00000000
--- a/packages/base/src/types/components.ts
+++ /dev/null
@@ -1,218 +0,0 @@
-import { z } from "zod";
-import { HasChildren } from "./enums";
-import {
- BaseColor,
- Color,
- GraphTypes,
- JustifyContent,
- MockupTypes,
- ObjectFit,
- ProgressbarTypes,
- ShapeTypes,
- TextAlign,
- TranscriptionAnimationTypes,
- TriangleDirection,
-} from "./enums";
-
-export const TranscriptionWord = z.object({
- text: z.string(),
- start: z.number(),
- end: z.number(),
-});
-export type TranscriptionWord = z.infer;
-
-export const TextStyle = z.object({
- fontSize: z.number().min(0).optional(),
- fontFamily: z.string().optional(),
- fontWeight: z.string().min(0).optional(),
- lineHeight: z.number().min(0).max(10).optional(),
- textAlign: TextAlign.optional(),
- bg: Color.optional(),
- color: BaseColor.optional(),
- outlineColor: BaseColor.optional(),
- outlineWidth: z.number().min(0).optional(),
-});
-export type TextStyle = z.infer;
-export const TranscriptionProps = z.object({
- comp: z.literal("transcription"),
- src: z.array(TranscriptionWord).or(z.string().url()),
- startFrom: z.number().min(0).optional(),
- textStyle: TextStyle,
- scrollByPage: z.boolean().optional(),
- animationType: TranscriptionAnimationTypes,
- animationStyle: TextStyle,
- height: z.number().min(0).optional(),
-});
-export type TranscriptionProps = z.infer;
-
-export const AudioProps = z.object({
- comp: z.literal("audio"),
- src: z.string().url(),
- volume: z.number().min(0).max(1).optional(),
- startFrom: z.number().min(0).optional(),
-});
-export type AudioProps = z.infer;
-
-export const AudiogramProps = z.object({
- comp: z.literal("audiogram"),
- src: z.string().url(),
- position: JustifyContent.optional(),
- gap: z.number().optional(),
- barWidth: z.number().min(0),
- color: Color.optional(),
- roundness: z.number().min(0).optional(),
- startFrom: z.number().min(0).optional(),
- smoothing: z.boolean().optional(),
- mirror: z.boolean().optional(),
- multiplier: z.number().min(0).optional(),
- height: z.number().min(0),
- width: z.number().min(0),
-});
-export type AudiogramProps = z.infer;
-
-export const DivProps = HasChildren.merge(
- z.object({
- comp: z.literal("div"),
- bg: Color.optional(),
- })
-);
-export type DivProps = z.infer;
-export const GifProps = z.object({
- comp: z.literal("gif"),
- src: z.string().url(),
- objectFit: ObjectFit.optional(),
-});
-export type GifProps = z.infer;
-
-export const GraphProps = z.object({
- comp: z.literal("graph"),
- src: z.array(z.number()),
- color: Color.optional(),
- type: GraphTypes,
- max: z.number().optional(),
- min: z.number().optional(),
- animationStart: z.number().optional(),
- animationDuration: z.number().optional(),
- strokeWidth: z.number().optional(),
- gap: z.number().optional(),
- roundness: z.number().min(0).optional(),
- width: z.number().min(0),
- height: z.number().min(0),
-});
-export type GraphProps = z.infer;
-export const ImageProps = z.object({
- comp: z.literal("image"),
- src: z.string().url(),
- objectFit: ObjectFit.optional(),
-});
-export type ImageProps = z.infer;
-export const LottieProps = z.object({
- comp: z.literal("lottie"),
- src: z.string(),
- backwards: z.boolean().optional(),
- loop: z.boolean().optional(),
- playbackRate: z.number().min(0).optional(),
- bg: Color.optional(),
-});
-export type LottieProps = z.infer;
-
-export const MapProps = z.object({
- comp: z.literal("map"),
- lat: z.number(),
- lng: z.number(),
- zoom: z.number().min(0),
- fill: Color.optional(),
- stroke: BaseColor.optional(),
- strokeWidth: z.number().min(0).optional(),
- markerColor: Color.optional(),
- markerSize: z.number().min(0).optional(),
- src: z.string().url().optional(),
- bg: Color.optional(),
-});
-export type MapProps = z.infer;
-
-export const MockupProps = HasChildren.extend({
- comp: z.literal("mockup"),
- bg: Color.optional(),
- type: MockupTypes,
-});
-export type MockupProps = z.infer;
-
-export const PathProps = z.object({
- comp: z.literal("path"),
- path: z.string(),
- stroke: BaseColor.optional(),
- strokeWidth: z.number().min(0).optional(),
- viewBoxX: z.number().optional(),
- viewBoxY: z.number().optional(),
- viewBoxHeight: z.number().min(0).optional(),
- viewBoxWidth: z.number().min(0).optional(),
- fill: Color.optional(),
- isRound: z.boolean().optional(),
-});
-
-export type PathProps = z.infer;
-export const QRCodeProps = z.object({
- comp: z.literal("qrcode"),
- text: z.string(),
- color: Color.optional(),
- bg: Color.optional(),
-});
-export type QRCodeProps = z.infer;
-export const ConfettiProps = z.object({
- comp: z.literal("confetti"),
- colors: z.array(BaseColor).optional(),
- count: z.number().optional(),
- angle: z.number().optional(),
- spread: z.number().optional(),
- startVelocity: z.number().optional(),
- scalar: z.number().optional(),
- ticks: z.number().optional(),
- posX: z.number(),
- posY: z.number(),
-});
-export type ConfettiProps = z.infer;
-
-export const TextProps = z.object({
- comp: z.literal("text"),
- textStyle: TextStyle,
- text: z.string(),
- justifyContent: JustifyContent.optional(),
-});
-export type TextProps = z.infer;
-export const VideoProps = z.object({
- comp: z.literal("video"),
- src: z.string().url(),
- objectFit: ObjectFit.optional(),
- startFrom: z.number().min(0).optional(),
- muted: z.boolean().optional(),
- volume: z.number().min(0).max(1).optional(),
- offthread: z.boolean().optional(),
-});
-export type VideoProps = z.infer;
-export const ProgressbarProps = z.object({
- comp: z.literal("progressbar"),
- type: ProgressbarTypes,
- color: Color.optional(),
- bg: Color.optional(),
- barWidth: z.number().min(0).optional(),
- topRight: z.boolean().optional(),
- width: z.number().min(0),
- height: z.number().min(0),
-});
-export type ProgressbarProps = z.infer;
-
-export const ShapeProps = z.object({
- comp: z.literal("shape"),
- fill: Color.optional(),
- stroke: BaseColor.optional(),
- strokeWidth: z.number().min(0).optional(),
- width: z.number().min(0),
- height: z.number().min(0),
- type: ShapeTypes,
- cornerRadius: z.number().optional(),
- edgeRoundness: z.number().optional(),
- direction: TriangleDirection.optional(),
-});
-
-export type ShapeProps = z.infer;
diff --git a/packages/base/src/types/enums.ts b/packages/base/src/types/enums.ts
deleted file mode 100644
index f771ff0d..00000000
--- a/packages/base/src/types/enums.ts
+++ /dev/null
@@ -1,80 +0,0 @@
-import { z } from "zod";
-
-export const TextAlign = z.enum(["left", "center", "right"]);
-export type TextAlign = z.infer;
-export const JustifyContent = z.enum(["start", "center", "end"]);
-export type JustifyContent = z.infer;
-export const ObjectFit = z.enum(["cover", "contain", "fill", "none"]);
-export type ObjectFit = z.infer;
-export const TranscriptionAnimationTypes = z.enum([
- "current-word",
- "previous-text",
-]);
-export type TranscriptionAnimationTypes = z.infer<
- typeof TranscriptionAnimationTypes
->;
-export const GraphTypes = z.enum(["line", "bar", "pie"]);
-export type GraphTypes = z.infer;
-export const MockupTypes = z.enum([
- "iphone",
- "samsung",
- "macbook",
- "macbook2",
- "ipad",
- "watch",
- "monitor",
- "iphone14",
-]);
-export type MockupTypes = z.infer;
-export const ProgressbarTypes = z.enum(["spotify", "line", "circle", "square"]);
-export type ProgressbarTypes = z.infer;
-
-export const ShapeTypes = z.enum(["rect", "triangle", "circle", "ellipse"]);
-export type ShapeTypes = z.infer;
-export const TriangleDirection = z.enum(["up", "down", "left", "right"]);
-export type TriangleDirection = z.infer;
-
-export const BasicColor = z.object({
- type: z.literal("basic"),
- color: z.string().optional(),
-});
-export type BasicColor = z.infer;
-export const InterpolateColor = z.object({
- type: z.literal("interpolate"),
- colors: z
- .array(
- z.object({
- color: z.string().optional(),
- start: z.number().optional(),
- })
- )
- .optional(),
-});
-export type InterpolateColor = z.infer;
-
-export const BaseColor = z.union([BasicColor, InterpolateColor]);
-export type BaseColor = z.infer;
-
-export const GradientColor = z.object({
- type: z.literal("linear").or(z.literal("radial")),
- gradients: z
- .array(
- z.object({
- color: BaseColor.optional(),
- stop: z.number().min(0).max(1).optional(),
- })
- )
- .optional(),
- angle: z.number().optional(),
-});
-export type GradientColor = z.infer;
-
-export const Color = z.union([BasicColor, InterpolateColor, GradientColor]);
-export type Color = z.infer;
-
-export const HasChildren = z.object({
- childIds: z.array(z.string()),
- comps: z.lazy(() => z.any()),
- // comps: z.lazy(() => z.array(ComponentProps).optional()),
-});
-export type HasChildren = z.infer;
diff --git a/packages/base/src/types/index.ts b/packages/base/src/types/index.ts
deleted file mode 100644
index 7201906b..00000000
--- a/packages/base/src/types/index.ts
+++ /dev/null
@@ -1,162 +0,0 @@
-export * from "./components";
-export * from "./others";
-export * from "./animations";
-export * from "./enums";
-
-import { z } from "zod";
-import { AnimationProps, TransformProps } from "./animations";
-import {
- TextProps,
- AudioProps,
- ProgressbarProps,
- DivProps,
- GifProps,
- MapProps,
- PathProps,
- GraphProps,
- AudiogramProps,
- ConfettiProps,
- ImageProps,
- LottieProps,
- MockupProps,
- QRCodeProps,
- ShapeProps,
- TranscriptionProps,
- VideoProps,
-} from "./components";
-import { Color, HasChildren } from "./enums";
-
-export const MotionBlurProps = z.object({
- layers: z.number().optional(),
- lag: z.number().optional(),
- opacity: z.number().optional(),
-});
-export type MotionBlurProps = z.infer;
-
-export const Transforms = z.object({
- prop: TransformProps,
- value: z.number().optional(),
-});
-export type Transforms = z.infer;
-
-export const CompVariable = z.object({
- id: z.string(),
- prop: z.string(),
-});
-export type CompVariable = z.infer;
-
-export const Animations = z.object({
- byIds: z.record(AnimationProps),
- allIds: z.array(z.string()),
-});
-export const BaseProps = z.object({
- id: z.string(),
- height: z.number().optional(),
- width: z.number().optional(),
- x: z.number().optional(),
- y: z.number().optional(),
- borderRadius: z.number().optional(),
- rotation: z.number().optional(),
- from: z.number().optional(),
- duration: z.number().optional(),
- opacity: z.number().optional(),
- animations: Animations.optional(),
- motionBlur: MotionBlurProps.optional(),
- transforms: z.array(Transforms).optional(),
- freeze: z.number().optional(),
- loopDuration: z.number().optional(),
- parentId: z.string().optional(),
- compVariables: z.array(CompVariable).optional(),
-});
-export type BaseProps = z.infer;
-
-export const AllComponents = z.discriminatedUnion("comp", [
- TextProps,
- ImageProps,
- DivProps,
- VideoProps,
- AudioProps,
- LottieProps,
- TranscriptionProps,
- MockupProps,
- MapProps,
- GraphProps,
- QRCodeProps,
- ProgressbarProps,
- GifProps,
- PathProps,
- ConfettiProps,
- ShapeProps,
- AudiogramProps,
-]);
-export type AllComponents = z.infer;
-export const ComponentProps = BaseProps.and(AllComponents);
-export type ComponentProps = z.infer;
-
-export const SelectTypes = z.enum([
- "object-fit",
- "font-family",
- "font-weight",
- "justify",
- "align",
- "animation-props",
- "animation-types",
- "graph-types",
- "mockup-types",
- "progressbar-types",
- "shape-types",
- "transcription-types",
- "triangle-direction",
- "transform-props",
-]);
-export type SelectTypes = z.infer;
-export const MediaTypes = z.enum([
- "IMAGE",
- "AUDIO",
- "VIDEO",
- "GIF",
- "TRANSCRIPTION",
-]);
-export type MediaTypes = z.infer;
-export const VariableTypes = z.enum([
- "text",
- "number",
- "color",
- "checkbox",
- "textarea",
- "style",
- "stringArray",
- ...MediaTypes.options,
- ...SelectTypes.options,
-]);
-
-export type VariableTypes = z.infer;
-export const Variable = z.object({
- id: z.string(),
- label: z.string().optional(),
- type: VariableTypes,
- value: z.any().optional(),
-});
-export type Variable = z.infer;
-
-export const Components = z.record(ComponentProps);
-export type Components = z.infer;
-export const Variables = z.object({
- byIds: z.record(Variable),
- allIds: z.array(z.string()),
-});
-export type Variables = z.infer;
-
-export const TemplateType = HasChildren.merge(
- z.object({
- width: z.number(),
- height: z.number(),
- duration: z.number(),
- fps: z.number(),
- variables: Variables.optional(),
- components: Components,
- bg: Color.optional(),
- templateVariables: z.array(CompVariable).optional(),
- })
-);
-export type TemplateType = z.infer;
diff --git a/packages/base/src/types/others.ts b/packages/base/src/types/others.ts
deleted file mode 100644
index d682254b..00000000
--- a/packages/base/src/types/others.ts
+++ /dev/null
@@ -1,6 +0,0 @@
-export interface StyleAndClass {
- style?: React.CSSProperties;
- className?: string;
-}
-
-export type ProgressStatus = "rendering" | "done" | "error" | undefined;
diff --git a/packages/base/tsconfig.json b/packages/base/tsconfig.json
deleted file mode 100644
index 68182be8..00000000
--- a/packages/base/tsconfig.json
+++ /dev/null
@@ -1,101 +0,0 @@
-{
- "compilerOptions": {
- /* Visit https://aka.ms/tsconfig to read more about this file */
-
- /* Projects */
- // "incremental": true, /* Save .tsbuildinfo files to allow for incremental compilation of projects. */
- // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */
- // "tsBuildInfoFile": "./.tsbuildinfo", /* Specify the path to .tsbuildinfo incremental compilation file. */
- // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects. */
- // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */
- // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */
-
- /* Language and Environment */
- "target": "es2018" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */,
- // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */
- // "jsx": "react-jsx" /* Specify what JSX code is generated. */,
- // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */
- // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */
- // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'. */
- // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */
- // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'. */
- // "reactNamespace": "", /* Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit. */
- // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */
- // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */
- // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */
-
- /* Modules */
- "module": "commonjs", // "rootDir": "./", /* Specify the root folder within your source files. */
- // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */
- // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
- // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
- // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */
- // "typeRoots": [], /* Specify multiple folders that act like './node_modules/@types'. */
- // "types": [], /* Specify type package names to be included without being referenced in a source file. */
- // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
- // "moduleSuffixes": [], /* List of file name suffixes to search when resolving a module. */
- "resolveJsonModule": true /* Enable importing .json files. */,
- // "noResolve": true, /* Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project. */
- /* JavaScript Support */
- // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */
- // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */
- // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */
-
- /* Emit */
- "declaration": true /* Generate .d.ts files from TypeScript and JavaScript files in your project. */,
- // "declarationMap": true, /* Create sourcemaps for d.ts files. */
- // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */
- // "sourceMap": true, /* Create source map files for emitted JavaScript files. */
- // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */
- "outDir": "./dist" /* Specify an output folder for all emitted files. */,
- // "removeComments": true, /* Disable emitting comments. */
- // "noEmit": true, /* Disable emitting files from a compilation. */
- // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */
- // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types. */
- // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */
- // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */
- // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
- // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
- // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */
- // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */
- // "newLine": "crlf", /* Set the newline character for emitting files. */
- // "stripInternal": true, /* Disable emitting declarations that have '@internal' in their JSDoc comments. */
- // "noEmitHelpers": true, /* Disable generating custom helper functions like '__extends' in compiled output. */
- // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */
- // "preserveConstEnums": true, /* Disable erasing 'const enum' declarations in generated code. */
- // "declarationDir": "./", /* Specify the output directory for generated declaration files. */
- // "preserveValueImports": true, /* Preserve unused imported values in the JavaScript output that would otherwise be removed. */
-
- /* Interop Constraints */
- // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */
- // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */
- "esModuleInterop": true /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */,
- // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */
- "forceConsistentCasingInFileNames": true /* Ensure that casing is correct in imports. */,
-
- /* Type Checking */
- "strict": true /* Enable all strict type-checking options. */,
- // "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */
- // "strictNullChecks": true, /* When type checking, take into account 'null' and 'undefined'. */
- // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */
- // "strictBindCallApply": true, /* Check that the arguments for 'bind', 'call', and 'apply' methods match the original function. */
- // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */
- // "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */
- // "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */
- // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */
- // "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */
- // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */
- // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */
- // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */
- // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */
- // "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */
- // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */
- // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */
- // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */
- // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */
-
- /* Completeness */
- // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */
- "skipLibCheck": true /* Skip type checking all .d.ts files. */
- }
-}
diff --git a/packages/components/.gitignore b/packages/components/.gitignore
deleted file mode 100644
index 16f4a2dc..00000000
--- a/packages/components/.gitignore
+++ /dev/null
@@ -1,5 +0,0 @@
-.turbo/
-dist/
-node_modules/
-.env
-out/
\ No newline at end of file
diff --git a/packages/components/CHANGELOG.md b/packages/components/CHANGELOG.md
deleted file mode 100644
index 73d9fddd..00000000
--- a/packages/components/CHANGELOG.md
+++ /dev/null
@@ -1,31 +0,0 @@
-# @motionly/components
-
-## 1.4.2
-
-### Patch Changes
-
-- Changed colors and text animations
-- Updated dependencies
- - @motionly/confetti@1.4.2
- - @motionly/base@1.4.2
-
-## 1.4.1
-
-### Patch Changes
-
-- removed things from npm
-- Updated dependencies
- - @motionly/confetti@1.4.1
- - @motionly/base@1.4.1
-
-## 1.4.0
-
-### Minor Changes
-
-- renamed to motionly
-
-### Patch Changes
-
-- Updated dependencies
- - @motionly/confetti@1.4.0
- - @motionly/base@1.4.0
diff --git a/packages/components/package.json b/packages/components/package.json
deleted file mode 100644
index 1c4ed7df..00000000
--- a/packages/components/package.json
+++ /dev/null
@@ -1,55 +0,0 @@
-{
- "name": "@motionly/components",
- "version": "1.4.2",
- "main": "dist/index.js",
- "private": false,
- "license": "MIT",
- "scripts": {
- "build": "tsc",
- "dev": "tsc --watch",
- "preview": "remotion preview src/dev/register.tsx",
- "render": "remotion render src/dev/register.tsx",
- "lambda:motionly": "npx remotion lambda sites create src/dev/register.tsx --site-name=motionly",
- "lambda:motionly-local": "npx remotion lambda sites create src/dev/register.tsx --site-name=motionly-local",
- "lambda:function": "npx remotion lambda functions deploy",
- "lambda:render": "npx remotion lambda render motionly-local"
- },
- "dependencies": {
- "@motionly/base": "*",
- "@motionly/confetti": "*",
- "@remotion/cli": "3.3.44",
- "@remotion/gif": "3.3.44",
- "@remotion/lottie": "3.3.44",
- "@remotion/media-utils": "3.3.44",
- "@remotion/motion-blur": "3.3.44",
- "@remotion/noise": "3.3.44",
- "@remotion/paths": "3.3.44",
- "@remotion/shapes": "3.3.44",
- "@types/react-simple-maps": "^3.0.0",
- "axios": "^1.2.3",
- "lottie-web": "^5.10.0",
- "react-qr-code": "^2.0.10",
- "react-simple-maps": "^3.0.0",
- "typescript": "^4.9.4",
- "zod": "^3.20.6"
- },
- "peerDependencies": {
- "@remotion/cli": "^3.3.34",
- "@remotion/gif": "^3.3.34",
- "@remotion/lottie": "^3.3.34",
- "@remotion/media-utils": "^3.3.34",
- "@remotion/noise": "^3.3.34",
- "@remotion/paths": "^3.3.34",
- "@remotion/shapes": "^3.3.34",
- "react": ">=16.8.0",
- "react-dom": ">=16.8.0",
- "remotion": "3.3.44"
- },
- "devDependencies": {
- "@types/react": "17.0.11",
- "@types/react-dom": "17.0.8",
- "react": "^18.0.0",
- "react-dom": "^18.0.0",
- "remotion": "3.3.44"
- }
-}
diff --git a/packages/components/readme.md b/packages/components/readme.md
deleted file mode 100644
index dc8b224c..00000000
--- a/packages/components/readme.md
+++ /dev/null
@@ -1,3 +0,0 @@
-# @motionly/components
-
-Find more info [here](https://motionly.video)
\ No newline at end of file
diff --git a/packages/components/src/Component.tsx b/packages/components/src/Component.tsx
deleted file mode 100644
index 48e67113..00000000
--- a/packages/components/src/Component.tsx
+++ /dev/null
@@ -1,224 +0,0 @@
-import { Div } from "./components/Div";
-import { Text } from "./components/Text";
-import { Image } from "./components/Image";
-import {
- Freeze as RemotionFreeze,
- Loop as RemotionLoop,
- Sequence,
- useVideoConfig,
-} from "remotion";
-import { Audio } from "./components/Audio";
-import { Audiogram } from "./components/Audiogram";
-import { Graph } from "./components/Graph";
-import { Map } from "./components/Map";
-import { Mockup } from "./components/Mockup/index";
-import { Progressbar } from "./components/Progressbar";
-import { QRCode } from "./components/QRCode";
-import { Video } from "./components/Video";
-import { Transcription } from "./components/Transcription/index";
-import { Lottie } from "./components/Lottie";
-import { Gif } from "./components/Gif";
-import { Path } from "./components/Path";
-import { useSelected } from "./hooks/useSelected";
-import { ComponentProps, transformProps } from "@motionly/base";
-import { useAnimation } from "./hooks/useAnimations";
-import { getDuration, getFrom } from "@motionly/base";
-import { Shape } from "./components/Shape";
-import { ReactNode, useMemo, useRef } from "react";
-import { MotionBlur } from "./MotionBlur";
-import { Confetti } from "./components/Confetti";
-import { useTextAnimations } from "./hooks/useTextAnimations";
-
-export const Component = (comp: ComponentProps) => {
- const { fps, durationInFrames } = useVideoConfig();
- const ref = useRef(null);
- const width = comp.width || ref.current?.offsetWidth || 0;
- const height = comp.height || ref.current?.offsetHeight || 0;
-
- const text =
- "text" in comp
- ? useTextAnimations(
- Object.values(comp.animations?.byIds || {}),
- comp.text
- )
- : "";
-
- const from = useMemo(
- () => Math.ceil(getFrom(durationInFrames, (comp.from || 0) * fps)),
- [durationInFrames, fps, comp.from]
- );
-
- const duration = useMemo(
- () =>
- Math.ceil(
- getDuration(
- durationInFrames,
- (comp.from || 0) * fps,
- (comp.duration || 0) * fps
- )
- ),
- [durationInFrames, fps, comp.duration, comp.from]
- );
- return (
-
-
-
-
-
-
- {comp.comp === "div" &&
}
- {comp.comp === "image" &&
}
- {comp.comp === "text" &&
}
- {comp.comp === "audio" &&
}
- {comp.comp === "audiogram" && (
-
- )}
- {comp.comp === "graph" && (
-
- )}
- {comp.comp === "map" &&
}
- {comp.comp === "mockup" &&
}
- {comp.comp === "progressbar" && (
-
- )}
- {comp.comp === "qrcode" &&
}
- {comp.comp === "video" &&
}
- {comp.comp === "transcription" && (
-
- )}
- {comp.comp === "lottie" &&
}
- {comp.comp === "gif" &&
}
- {comp.comp === "path" &&
}
- {comp.comp === "confetti" &&
}
- {comp.comp === "shape" && (
-
- )}
-
-
-
-
-
-
- );
-};
-
-export const Freeze = ({
- frame,
- children,
-}: {
- frame?: number;
- children: ReactNode;
-}) => {
- if (frame === undefined) return <>{children}>;
- else
- return (
-
- <>{children}>
-
- );
-};
-
-export const Loop = ({
- durationInFrames,
- children,
-}: {
- durationInFrames?: number;
- children: ReactNode;
-}) => {
- if (!durationInFrames) return <>{children}>;
- else
- return (
-
- <>{children}>
-
- );
-};
-
-const InsideSequence = ({
- id,
- borderRadius = 0,
- height: inputHeight,
- opacity = 1,
- rotation,
- animations,
- width: inputWidth,
- x,
- y,
- transforms,
- children,
-}: ComponentProps & { children: ReactNode }) => {
- const { setSelected, selectedRef: divRef, selected } = useSelected();
- const animation = useAnimation();
- const transformStyle = useMemo(
- () =>
- transforms
- ?.map((t) => {
- const { units } = transformProps[t.prop];
- return `${t.prop}(${t.value}${units || ""})`;
- })
- .join(" ") || "",
- [transforms]
- );
- const anims = Object.values(animations?.byIds || {});
- const transformAnimations =
- anims
- .map((anim) => {
- const prop = transformProps[anim.prop as keyof typeof transformProps];
- if (!prop) return "";
- return `${anim.prop}(${animation(anim) || 0}${prop.units || ""})`;
- })
- .join(" ") || "";
-
- const opacityAnimations = anims.filter((a) => a.prop === "opacity");
- const opac = opacityAnimations.length
- ? opacity * opacityAnimations.reduce((acc, a) => acc * animation(a), 1)
- : opacity;
-
- const borderAnimations = anims.filter((a) => a.prop === "borderRadius");
- const border = borderAnimations.length
- ? borderRadius + borderAnimations.reduce((acc, a) => acc + animation(a), 1)
- : borderRadius;
- return (
- <>
- {
- if (divRef && selected === id) divRef.current = e;
- }}
- onClick={(e) => {
- setSelected(id);
- e.stopPropagation();
- }}
- style={{
- opacity: opac,
- borderRadius: border,
- cursor: "pointer",
- display: "flex",
- overflow: "hidden",
- width: inputWidth || "100%",
- height: inputHeight || "100%",
- position: "absolute",
- userSelect: "none",
- transform: `translate(${x || 0}px,${y || 0}px) ${
- (transformStyle + transformAnimations).includes("perspective")
- ? ""
- : "perspective(1000px)"
- } rotate(${
- rotation || 0
- }deg) ${transformStyle} ${transformAnimations}`, // For some reason, this messes up x and y
- }}
- >
- {children}
-
- >
- );
-};
diff --git a/packages/components/src/Composition.tsx b/packages/components/src/Composition.tsx
deleted file mode 100644
index cec0d229..00000000
--- a/packages/components/src/Composition.tsx
+++ /dev/null
@@ -1,43 +0,0 @@
-import { AbsoluteFill } from "remotion";
-import { useSelected } from "./hooks/useSelected";
-import { Color, ComponentProps, getFonts } from "@motionly/base";
-import { useColor } from "./hooks/useColor";
-import { useFonts } from "./hooks/useFonts";
-import { Children } from "./components/Children";
-import { ReactNode } from "react";
-
-export const Composition = ({
- bg,
- isSequence,
- comps,
-}: {
- comps?: ComponentProps[];
- bg?: Color;
- isSequence?: boolean;
-}) => {
- useFonts(comps);
- return (
-
-
-
- );
-};
-
-export const Background = ({
- background,
- children,
-}: {
- background?: Color;
- children: ReactNode;
-}) => {
- const { setSelected } = useSelected();
- const bg = useColor(background);
- return (
- setSelected("template")}
- >
- <>{children}>
-
- );
-};
diff --git a/packages/components/src/MotionBlur.tsx b/packages/components/src/MotionBlur.tsx
deleted file mode 100644
index 964bd519..00000000
--- a/packages/components/src/MotionBlur.tsx
+++ /dev/null
@@ -1,24 +0,0 @@
-import { MotionBlurProps } from "@motionly/base";
-import { Trail } from "@remotion/motion-blur";
-import { ReactNode } from "react";
-import { useVideoConfig } from "remotion";
-
-export const MotionBlur = ({
- motion,
- children,
-}: {
- children: ReactNode;
- motion?: MotionBlurProps;
-}) => {
- const { fps } = useVideoConfig();
- if (!motion) return <>{children}>;
- return (
-
- <>{children}>
-
- );
-};
diff --git a/packages/components/src/components/Audio.tsx b/packages/components/src/components/Audio.tsx
deleted file mode 100644
index 7eecab95..00000000
--- a/packages/components/src/components/Audio.tsx
+++ /dev/null
@@ -1,28 +0,0 @@
-import { Audio as RemotionAudio, useVideoConfig } from "remotion";
-import { videoUrl } from "@motionly/base";
-import { StyleAndClass } from "@motionly/base";
-import { AudioProps } from "@motionly/base";
-import { getSrc } from "../helpers";
-
-export const defaultAudioProps: AudioProps = {
- comp: "audio",
- startFrom: 0,
- src: videoUrl,
- volume: 1,
-};
-
-export const Audio = ({
- startFrom,
- src,
- volume,
-}: AudioProps & StyleAndClass) => {
- const { fps } = useVideoConfig();
- if (!src) return null;
- return (
-
- );
-};
diff --git a/packages/components/src/components/Audiogram.tsx b/packages/components/src/components/Audiogram.tsx
deleted file mode 100644
index 10d91227..00000000
--- a/packages/components/src/components/Audiogram.tsx
+++ /dev/null
@@ -1,100 +0,0 @@
-import { useAudioData, visualizeAudio } from "@remotion/media-utils";
-import { useCurrentFrame, useVideoConfig } from "remotion";
-import { videoUrl } from "@motionly/base";
-import { StyleAndClass } from "@motionly/base";
-import { AudiogramProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-import { getSrc } from "../helpers";
-
-export const defaultAudiogramProps: AudiogramProps = {
- comp: "audiogram",
- startFrom: 0,
- src: videoUrl,
- barWidth: 16,
- gap: 3,
- position: "center",
- roundness: 8,
- color: {
- type: "basic",
- color: "#000FFFFF",
- },
- mirror: true,
- smoothing: true,
- multiplier: 2,
- height: 100,
- width: 100,
-};
-
-export const Audiogram = ({
- barWidth,
- roundness,
- src,
- color,
- gap,
- position,
- smoothing,
- mirror,
- style,
- className,
- multiplier = 1,
- startFrom,
- width = 0,
- height = 0,
-}: AudiogramProps & StyleAndClass) => {
- const { fps } = useVideoConfig();
- const currentFrame = useCurrentFrame();
- const background = useColor(color);
- let frame = startFrom ? currentFrame + startFrom * fps : currentFrame;
- if (frame < 0) frame = 0;
- if (!src) return null;
-
- const audioData = useAudioData(getSrc(src));
- if (!audioData) {
- return null;
- }
- const maxVisibleBars = Math.floor(width / ((gap || 0) + barWidth));
- const numberOfSamples = Math.pow(
- 2,
- Math.ceil(Math.log(maxVisibleBars / (mirror ? 2 : 1)) / Math.log(2))
- );
- const visualization = numberOfSamples
- ? visualizeAudio({
- fps,
- frame,
- audioData,
- numberOfSamples,
- smoothing,
- })
- : [];
- const bars = mirror
- ? [...[...visualization].reverse(), ...visualization]
- : visualization;
- return (
-
- {bars.map((v, i) => {
- return (
-
- );
- })}
-
- );
-};
diff --git a/packages/components/src/components/Children.tsx b/packages/components/src/components/Children.tsx
deleted file mode 100644
index e36f75c3..00000000
--- a/packages/components/src/components/Children.tsx
+++ /dev/null
@@ -1,42 +0,0 @@
-import { ComponentProps } from "@motionly/base";
-import { Series, useVideoConfig } from "remotion";
-import { Component } from "../Component";
-
-export const Children = ({
- comps,
- isSequence,
-}: {
- comps?: ComponentProps[];
- isSequence?: boolean;
-}) => {
- const { fps } = useVideoConfig();
- if (!comps) return null;
- if (!isSequence) {
- return (
- <>
- {comps.map((comp) => (
-
- ))}
- >
- );
- }
-
- return (
-
- {comps.map((comp) => {
- return (
-
-
-
- );
- })}
-
- );
-};
diff --git a/packages/components/src/components/Confetti.tsx b/packages/components/src/components/Confetti.tsx
deleted file mode 100644
index 5fc05c0b..00000000
--- a/packages/components/src/components/Confetti.tsx
+++ /dev/null
@@ -1,23 +0,0 @@
-import { ConfettiProps } from "@motionly/base";
-import RemotionConfetti from "@motionly/confetti";
-import { useColor } from "../hooks/useColor";
-
-export const defaultConfettiProps: ConfettiProps = {
- comp: "confetti",
- posX: 0,
- posY: 0,
- angle: -45,
-};
-
-export const Confetti = ({ posX, posY, colors, ...props }: ConfettiProps) => {
- return (
- useColor(c)).filter((c) => c) as string[],
- }}
- />
- );
-};
diff --git a/packages/components/src/components/Div.tsx b/packages/components/src/components/Div.tsx
deleted file mode 100644
index 9fd4de99..00000000
--- a/packages/components/src/components/Div.tsx
+++ /dev/null
@@ -1,36 +0,0 @@
-import { StyleAndClass } from "@motionly/base";
-import { DivProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-import { Children } from "./Children";
-
-export const defaultDivProps: DivProps = {
- comp: "div",
- bg: {
- type: "basic",
- color: "#FFFFFFFF",
- },
- childIds: [],
-};
-
-export const Div = ({
- bg,
- style,
- className,
- comps,
-}: DivProps & StyleAndClass) => {
- const background = useColor(bg);
- return (
-
-
-
- );
-};
diff --git a/packages/components/src/components/Gif.tsx b/packages/components/src/components/Gif.tsx
deleted file mode 100644
index 6a377a03..00000000
--- a/packages/components/src/components/Gif.tsx
+++ /dev/null
@@ -1,25 +0,0 @@
-import { Gif as RemotionGif, GifFillMode } from "@remotion/gif";
-import { StyleAndClass } from "@motionly/base";
-import { GifProps } from "@motionly/base";
-import { getSrc } from "../helpers";
-
-export const defaultGifProps: GifProps = {
- comp: "gif",
- src: "https://media.giphy.com/media/3o7TKsQ8UQ0MnL9nDa/giphy.gif",
- objectFit: "cover",
-};
-
-export const Gif = ({ src, objectFit, style }: GifProps & StyleAndClass) => {
- if (!src) return null;
- return (
-
- );
-};
diff --git a/packages/components/src/components/Graph.tsx b/packages/components/src/components/Graph.tsx
deleted file mode 100644
index 642f36d8..00000000
--- a/packages/components/src/components/Graph.tsx
+++ /dev/null
@@ -1,117 +0,0 @@
-import { spring, useCurrentFrame, useVideoConfig } from "remotion";
-import { StyleAndClass } from "@motionly/base";
-import { GraphProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-
-export const defaultGraphProps: GraphProps = {
- comp: "graph",
- type: "bar",
- src: [
- 2, 5, 2, 9, 5, 3, 2, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18,
- 19, 20,
- ],
- color: {
- type: "basic",
- color: "#FFFFFFFF",
- },
- gap: 3,
- roundness: 10,
- animationDuration: 2,
- animationStart: 0,
- width: 100,
- height: 100,
-};
-
-export const Graph = ({
- color,
- src: values,
- max,
- style,
- className,
- animationDuration,
- animationStart,
- width = 0,
- height = 0,
- ...props
-}: GraphProps & StyleAndClass) => {
- const frame = useCurrentFrame();
- const { fps } = useVideoConfig();
- const background = useColor(color);
- const maxValue = max || Math.max(...values);
-
- if (props.type === "bar")
- return (
-
- {values.map((v, i) => {
- const anim =
- animationDuration && animationStart !== undefined
- ? spring({
- frame:
- frame -
- animationStart * fps -
- ((animationDuration * fps) / values.length) * i,
- fps,
- })
- : 1;
- return (
-
- );
- })}
-
- );
- else if (props.type === "line") {
- const anim =
- animationDuration && animationStart !== undefined
- ? spring({
- frame: frame - animationStart * fps,
- fps,
- durationInFrames: animationDuration * fps,
- config: {
- damping: 100,
- },
- })
- : 1;
- return (
-
- {
- const x = (width / values.length) * i;
- const y = height - height * (v / maxValue);
- return `${i === 0 ? "M" : "L"} ${x} ${y}`;
- })
- .join(" ")}
- stroke={background}
- strokeWidth={props.strokeWidth}
- fill="none"
- />
-
- );
- }
- return null;
-};
diff --git a/packages/components/src/components/Image.tsx b/packages/components/src/components/Image.tsx
deleted file mode 100644
index 4569e04d..00000000
--- a/packages/components/src/components/Image.tsx
+++ /dev/null
@@ -1,32 +0,0 @@
-import { Img } from "remotion";
-import { StyleAndClass } from "@motionly/base";
-import { ImageProps } from "@motionly/base";
-import { getSrc } from "../helpers";
-
-export const defaultImageProps: ImageProps = {
- comp: "image",
- objectFit: "cover",
- src: "https://picsum.photos/seed/motionly/1080/1080",
-};
-
-export const Image = ({
- src,
- objectFit,
- style,
- className,
-}: ImageProps & StyleAndClass) => {
- if (!src) return null;
- return (
-
- );
-};
diff --git a/packages/components/src/components/Lottie.tsx b/packages/components/src/components/Lottie.tsx
deleted file mode 100644
index d41e59e0..00000000
--- a/packages/components/src/components/Lottie.tsx
+++ /dev/null
@@ -1,62 +0,0 @@
-import {
- Lottie as RemotionLottie,
- LottieAnimationData,
-} from "@remotion/lottie";
-import { useEffect, useState } from "react";
-import { continueRender, delayRender } from "remotion";
-import { StyleAndClass } from "@motionly/base";
-import { LottieProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-import { getSrc } from "../helpers";
-
-export const defaultLottieProps: LottieProps = {
- comp: "lottie",
- src: "https://assets4.lottiefiles.com/packages/lf20_zyquagfl.json",
- loop: true,
-};
-
-export const Lottie = ({
- src,
- loop,
- playbackRate,
- style,
- className,
- bg,
- backwards,
-}: LottieProps & StyleAndClass) => {
- const [handle] = useState(() => delayRender("Loading Lottie animation"));
- const background = useColor(bg);
- const [animationData, setAnimationData] =
- useState(null);
- useEffect(() => {
- if (!src) return;
-
- fetch(getSrc(src))
- .then((data) => data.json())
- .then((json) => {
- setAnimationData(json);
- continueRender(handle);
- })
- .catch((err) => {
- console.log("Animation failed to load", err);
- });
- }, [handle, src]);
- if (!animationData) {
- return null;
- }
- return (
-
- );
-};
diff --git a/packages/components/src/components/Map.tsx b/packages/components/src/components/Map.tsx
deleted file mode 100644
index b83b04f5..00000000
--- a/packages/components/src/components/Map.tsx
+++ /dev/null
@@ -1,104 +0,0 @@
-import axios from "axios";
-import { useEffect, useState } from "react";
-import {
- ComposableMap,
- Geographies,
- Geography,
- Marker,
-} from "react-simple-maps";
-import { continueRender, delayRender } from "remotion";
-import { StyleAndClass } from "@motionly/base";
-import { MapProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-import { getSrc } from "../helpers";
-
-export const defaultMapProps: MapProps = {
- comp: "map",
- lat: 48.85,
- lng: 2.29,
- zoom: 300,
- markerColor: {
- type: "basic",
- color: "#00FFFFFF",
- },
- markerSize: 20,
- fill: {
- type: "basic",
- color: "#FF00FFFF",
- },
- stroke: {
- type: "basic",
- color: "#FFFF00FF",
- },
- strokeWidth: 2,
-};
-
-export const Map = ({
- zoom,
- fill,
- src = "https://raw.githubusercontent.com/deldersveld/topojson/master/world-countries.json",
- stroke,
- strokeWidth,
- style,
- className,
- bg,
- lat,
- lng,
- markerColor,
- markerSize,
-}: MapProps & StyleAndClass) => {
- const coordinates: [number, number] = [lng, lat];
- const [handle] = useState(() => delayRender("Loading Map"));
- const [geography, setGeography] = useState(null);
- const fillC = useColor(fill);
- const strokeC = useColor(stroke);
- const marker = useColor(markerColor);
- const background = useColor(bg);
-
- useEffect(() => {
- const effect = async () => {
- try {
- const res = await axios.get(getSrc(src), { timeout: 2000 });
- setGeography(res.data);
- continueRender(handle);
- } catch (err) {
- console.log("Map failed to load", err);
- continueRender(handle);
- }
- };
- effect();
- }, [src]);
-
- if (!geography) return null;
- return (
-
-
- {({ geographies }) =>
- geographies.map((geo) => (
-
- ))
- }
-
- {markerSize && markerColor && (
-
- {markerSize && }
-
- )}
-
- );
-};
diff --git a/packages/components/src/components/Mockup/index.tsx b/packages/components/src/components/Mockup/index.tsx
deleted file mode 100644
index 84c4489e..00000000
--- a/packages/components/src/components/Mockup/index.tsx
+++ /dev/null
@@ -1,100 +0,0 @@
-import { StyleAndClass } from "@motionly/base";
-import { MockupProps } from "@motionly/base";
-import { Iphone } from "./IPhone";
-import { Children } from "../Children";
-import { IPad } from "./ipad";
-import { Iphone14 } from "./iphone14";
-import { Macbook } from "./macbook";
-import { Macbook2 } from "./macbook2";
-import { Monitor } from "./monitor";
-import { Samsung } from "./samsung";
-import { Watch } from "./watch";
-import { CSSProperties } from "react";
-import { useColor } from "../../hooks/useColor";
-
-export const svgStyle: CSSProperties = {
- position: "relative",
- height: "100%",
-};
-
-export const defaultMockupProps: MockupProps = {
- comp: "mockup",
- type: "iphone",
- childIds: [],
-};
-
-const mockups: {
- [key: string]: {
- top?: number;
- bottom?: number;
- left?: number;
- right?: number;
- borderRadius?: number;
- };
-} = {
- samsung: { borderRadius: 1 },
- macbook: {
- top: 6,
- bottom: 9,
- left: 10,
- right: 10,
- },
- macbook2: {
- top: 3,
- borderRadius: 1,
- bottom: 9,
- left: 10,
- right: 10,
- },
- ipad: {
- bottom: 4,
- right: 5,
- },
- watch: {
- top: 22,
- bottom: 20,
- left: 8,
- right: 12,
- },
- monitor: {
- right: 2,
- left: 2,
- borderRadius: 1,
- bottom: 24,
- },
-};
-
-export const Mockup = ({
- type,
- bg,
- comps,
-}: MockupProps & StyleAndClass) => {
- const background = useColor(bg);
-
- return (
-
-
-
-
- {type === "iphone" &&
}
- {type === "ipad" &&
}
- {type === "iphone14" &&
}
- {type === "macbook" &&
}
- {type === "macbook2" &&
}
- {type === "monitor" &&
}
- {type === "samsung" &&
}
- {type === "watch" &&
}
-
- );
-};
diff --git a/packages/components/src/components/Path.tsx b/packages/components/src/components/Path.tsx
deleted file mode 100644
index ff5b0e6e..00000000
--- a/packages/components/src/components/Path.tsx
+++ /dev/null
@@ -1,56 +0,0 @@
-import { evolvePath } from "@remotion/paths";
-import { StyleAndClass } from "@motionly/base";
-import { PathProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-
-export const defaultPathProps: PathProps = {
- comp: "path",
- path: "M11.182.008C11.148-.03 9.923.023 8.857 1.18c-1.066 1.156-.902 2.482-.878 2.516.024.034 1.52.087 2.475-1.258.955-1.345.762-2.391.728-2.43zm3.314 11.733c-.048-.096-2.325-1.234-2.113-3.422.212-2.189 1.675-2.789 1.698-2.854.023-.065-.597-.79-1.254-1.157a3.692 3.692 0 0 0-1.563-.434c-.108-.003-.483-.095-1.254.116-.508.139-1.653.589-1.968.607-.316.018-1.256-.522-2.267-.665-.647-.125-1.333.131-1.824.328-.49.196-1.422.754-2.074 2.237-.652 1.482-.311 3.83-.067 4.56.244.729.625 1.924 1.273 2.796.576.984 1.34 1.667 1.659 1.899.319.232 1.219.386 1.843.067.502-.308 1.408-.485 1.766-.472.357.013 1.061.154 1.782.539.571.197 1.111.115 1.652-.105.541-.221 1.324-1.059 2.238-2.758.347-.79.505-1.217.473-1.282z",
- stroke: {
- type: "basic",
- color: "#0000FFFF",
- },
- viewBoxHeight: 16,
- viewBoxWidth: 16,
- isRound: true,
- strokeWidth: 0.4,
- fill: {
- type: "basic",
- color: "#FFFFFFFF",
- },
-};
-
-export const Path = ({
- path,
- stroke,
- strokeWidth,
- viewBoxHeight = 100,
- viewBoxWidth = 100,
- viewBoxX = 0,
- viewBoxY = 0,
- fill,
- isRound,
- style,
- className,
-}: PathProps & StyleAndClass) => {
- const evolution = evolvePath(1, path);
- const fillC = useColor(fill);
- const strokeC = useColor(stroke);
- return (
-
-
-
- );
-};
diff --git a/packages/components/src/components/Progressbar.tsx b/packages/components/src/components/Progressbar.tsx
deleted file mode 100644
index 99b1e098..00000000
--- a/packages/components/src/components/Progressbar.tsx
+++ /dev/null
@@ -1,183 +0,0 @@
-import { useCurrentFrame, useVideoConfig } from "remotion";
-import { StyleAndClass } from "@motionly/base";
-import { ProgressbarProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-
-export const defaultProgressbarProps: ProgressbarProps = {
- comp: "progressbar",
- barWidth: 30,
- topRight: false,
- color: {
- type: "basic",
- color: "#FF00FFFF",
- },
- bg: {
- type: "basic",
- color: "#00FFFFFF",
- },
- type: "square",
- height: 100,
- width: 100,
-};
-
-export const Progressbar = ({
- color,
- bg,
- style,
- className,
- height = 0,
- width = 0,
- ...props
-}: ProgressbarProps & StyleAndClass) => {
- const frame = useCurrentFrame();
- const { durationInFrames } = useVideoConfig();
- const progress = (frame / durationInFrames) * 100;
- const background = useColor(bg);
- const colorC = useColor(color);
-
- if (props.type === "line")
- return (
-
- );
-
- if (props.type === "spotify")
- return (
-
- );
- if (props.type === "circle") {
- const size = Math.min(width, height);
- const radius = (size - (props.barWidth || 1)) / 2;
- const circumference = 2 * Math.PI * radius;
- const dash = circumference * (progress / 100);
- return (
-
-
-
-
- );
- }
- if (props.type === "square")
- return (
-
- {[1, 2, 3, 4].map((n) => {
- const horizontal = n % 2 === 0;
- const left = props.topRight ? n < 3 : n > 2;
- const top = n < 3;
- return (
-
- );
- })}
-
- );
- return null;
-};
diff --git a/packages/components/src/components/QRCode.tsx b/packages/components/src/components/QRCode.tsx
deleted file mode 100644
index 11d40b41..00000000
--- a/packages/components/src/components/QRCode.tsx
+++ /dev/null
@@ -1,29 +0,0 @@
-import ReactQRCode from "react-qr-code";
-import { StyleAndClass } from "@motionly/base";
-import { QRCodeProps } from "@motionly/base";
-import { useColor } from "../hooks/useColor";
-
-export const defaultQRCodeProps: QRCodeProps = {
- comp: "qrcode",
- text: "https://www.youtube.com/watch?v=QH2-TGUlwu4",
-};
-
-export const QRCode = ({
- text,
- color,
- bg,
- style,
- className,
-}: QRCodeProps & StyleAndClass) => {
- const fgColor = useColor(color);
- const bgColor = useColor(bg);
- return (
-
- );
-};
diff --git a/packages/components/src/components/Shape.tsx b/packages/components/src/components/Shape.tsx
deleted file mode 100644
index 0e215824..00000000
--- a/packages/components/src/components/Shape.tsx
+++ /dev/null
@@ -1,84 +0,0 @@
-import { ShapeProps } from "@motionly/base";
-import { Rect, Triangle, Circle, Ellipse } from "@remotion/shapes";
-import { useColor } from "../hooks/useColor";
-
-export const defaultShapeProps: ShapeProps = {
- comp: "shape",
- type: "triangle",
- width: 100,
- height: 100,
- fill: {
- type: "basic",
- color: "#00FFFFFF",
- },
- stroke: {
- type: "basic",
- color: "#000000FF",
- },
- strokeWidth: 2,
- edgeRoundness: 0,
- cornerRadius: 0,
- direction: "down",
-};
-
-export const Shape = ({
- strokeWidth = 0,
- edgeRoundness,
- cornerRadius,
- width,
- height,
- direction,
- ...props
-}: ShapeProps) => {
- const fill = useColor(props.fill);
- const stroke = useColor(props.stroke);
-
- if (props.type === "triangle")
- return (
-
- );
- if (props.type === "rect")
- return (
-
- );
- else if (props.type === "circle")
- return (
-
- );
- else if (props.type === "ellipse")
- return (
-
- );
- return null;
-};
diff --git a/packages/components/src/components/Text.tsx b/packages/components/src/components/Text.tsx
deleted file mode 100644
index d8048b6f..00000000
--- a/packages/components/src/components/Text.tsx
+++ /dev/null
@@ -1,58 +0,0 @@
-import { StyleAndClass } from "@motionly/base";
-import { TextProps } from "@motionly/base";
-import { useMemo } from "react";
-import { useAnimation } from "../hooks/useAnimations";
-import { useTextStyles } from "../hooks/useTextStyles";
-
-export const defaultTextProps: TextProps = {
- comp: "text",
- textStyle: {
- bg: {
- type: "basic",
- color: "#000000FF",
- },
- color: {
- type: "basic",
- color: "#00FFFFFF",
- },
- fontSize: 120,
- fontFamily: "Inter",
- fontWeight: "700",
- textAlign: "center",
- },
- text: "Hello World",
- justifyContent: "center",
-};
-
-export const Text = ({
- textStyle,
- text,
- style,
- className,
- justifyContent,
-}: TextProps & StyleAndClass) => {
- const styles = useTextStyles(textStyle);
- return (
-
- );
-};
diff --git a/packages/components/src/components/Transcription/default.ts b/packages/components/src/components/Transcription/default.ts
deleted file mode 100644
index 90ac6549..00000000
--- a/packages/components/src/components/Transcription/default.ts
+++ /dev/null
@@ -1,1251 +0,0 @@
-import { TranscriptionProps, TranscriptionWord } from "@motionly/base";
-
-export const defaultTranscriptionWords: TranscriptionWord[] = [
- {
- text: "If",
- start: 0.16,
- end: 0.32,
- },
- {
- text: "you",
- start: 0.36,
- end: 0.56,
- },
- {
- text: "only",
- start: 0.6,
- end: 0.92,
- },
- {
- text: "have",
- start: 1,
- end: 1.32,
- },
- {
- text: "24",
- start: 1.4,
- end: 2.04,
- },
- {
- text: "hours",
- start: 2.12,
- end: 2.36,
- },
- {
- text: "in",
- start: 2.44,
- end: 2.6,
- },
- {
- text: "a",
- start: 2.64,
- end: 2.72,
- },
- {
- text: "day,",
- start: 2.72,
- end: 3.28,
- },
- {
- text: "your",
- start: 3.44,
- end: 3.84,
- },
- {
- text: "success",
- start: 3.88,
- end: 4.4,
- },
- {
- text: "is",
- start: 4.52,
- end: 4.8,
- },
- {
- text: "dependent",
- start: 4.84,
- end: 5.28,
- },
- {
- text: "upon",
- start: 5.28,
- end: 5.76,
- },
- {
- text: "how",
- start: 5.84,
- end: 6.04,
- },
- {
- text: "you",
- start: 6.08,
- end: 6.2,
- },
- {
- text: "use",
- start: 6.24,
- end: 6.4,
- },
- {
- text: "the",
- start: 6.44,
- end: 6.6,
- },
- {
- text: "24.",
- start: 6.64,
- end: 7.44,
- },
- {
- text: "You",
- start: 8.2,
- end: 8.52,
- },
- {
- text: "got",
- start: 8.56,
- end: 8.68,
- },
- {
- text: "to",
- start: 8.72,
- end: 8.8,
- },
- {
- text: "hear",
- start: 8.8,
- end: 8.92,
- },
- {
- text: "me.",
- start: 8.96,
- end: 9.08,
- },
- {
- text: "People",
- start: 9.12,
- end: 9.28,
- },
- {
- text: "talk",
- start: 9.32,
- end: 9.48,
- },
- {
- text: "about",
- start: 9.52,
- end: 9.68,
- },
- {
- text: "Oprah",
- start: 9.72,
- end: 10,
- },
- {
- text: "Winfrey.",
- start: 10,
- end: 10.56,
- },
- {
- text: "You",
- start: 10.64,
- end: 10.8,
- },
- {
- text: "know,",
- start: 10.8,
- end: 10.96,
- },
- {
- text: "Ted",
- start: 11,
- end: 11.28,
- },
- {
- text: "Turner,",
- start: 11.32,
- end: 11.84,
- },
- {
- text: "Warren",
- start: 11.92,
- end: 12.32,
- },
- {
- text: "Buffett.",
- start: 12.36,
- end: 12.8,
- },
- {
- text: "Listen",
- start: 12.8,
- end: 12.96,
- },
- {
- text: "to",
- start: 13,
- end: 13.2,
- },
- {
- text: "me.",
- start: 13.24,
- end: 13.44,
- },
- {
- text: "I",
- start: 13.48,
- end: 13.6,
- },
- {
- text: "don't",
- start: 13.6,
- end: 13.72,
- },
- {
- text: "care",
- start: 13.76,
- end: 13.88,
- },
- {
- text: "how",
- start: 13.92,
- end: 14.04,
- },
- {
- text: "much",
- start: 14.08,
- end: 14.24,
- },
- {
- text: "money",
- start: 14.28,
- end: 14.44,
- },
- {
- text: "you",
- start: 14.48,
- end: 14.6,
- },
- {
- text: "make.",
- start: 14.64,
- end: 14.96,
- },
- {
- text: "You",
- start: 15.04,
- end: 15.24,
- },
- {
- text: "only",
- start: 15.28,
- end: 15.44,
- },
- {
- text: "get",
- start: 15.48,
- end: 15.68,
- },
- {
- text: "24",
- start: 15.72,
- end: 16.12,
- },
- {
- text: "hours",
- start: 16.16,
- end: 16.32,
- },
- {
- text: "in",
- start: 16.36,
- end: 16.48,
- },
- {
- text: "a",
- start: 16.48,
- end: 16.6,
- },
- {
- text: "day.",
- start: 16.64,
- end: 16.88,
- },
- {
- text: "And",
- start: 16.92,
- end: 17.08,
- },
- {
- text: "the",
- start: 17.12,
- end: 17.24,
- },
- {
- text: "difference",
- start: 17.28,
- end: 17.52,
- },
- {
- text: "between",
- start: 17.56,
- end: 17.92,
- },
- {
- text: "Oprah",
- start: 18,
- end: 18.56,
- },
- {
- text: "and",
- start: 18.6,
- end: 18.76,
- },
- {
- text: "the",
- start: 18.8,
- end: 18.92,
- },
- {
- text: "person",
- start: 18.96,
- end: 19.2,
- },
- {
- text: "that's",
- start: 19.24,
- end: 19.48,
- },
- {
- text: "broke",
- start: 19.52,
- end: 20.12,
- },
- {
- text: "is",
- start: 20.2,
- end: 20.56,
- },
- {
- text: "oprah",
- start: 20.6,
- end: 21.08,
- },
- {
- text: "uses",
- start: 21.12,
- end: 21.44,
- },
- {
- text: "her",
- start: 21.48,
- end: 21.68,
- },
- {
- text: "24",
- start: 21.72,
- end: 22.28,
- },
- {
- text: "hours",
- start: 22.36,
- end: 22.76,
- },
- {
- text: "wisely.",
- start: 22.88,
- end: 23.88,
- },
- {
- text: "That's",
- start: 24.88,
- end: 25.28,
- },
- {
- text: "it.",
- start: 25.32,
- end: 25.48,
- },
- {
- text: "Listen",
- start: 25.52,
- end: 25.72,
- },
- {
- text: "to",
- start: 25.76,
- end: 25.92,
- },
- {
- text: "me.",
- start: 25.96,
- end: 26.2,
- },
- {
- text: "That's",
- start: 26.24,
- end: 26.48,
- },
- {
- text: "it.",
- start: 26.52,
- end: 26.68,
- },
- {
- text: "You",
- start: 26.72,
- end: 26.88,
- },
- {
- text: "get",
- start: 26.92,
- end: 27.08,
- },
- {
- text: "24",
- start: 27.12,
- end: 27.84,
- },
- {
- text: "I",
- start: 27.96,
- end: 28.16,
- },
- {
- text: "don't",
- start: 28.2,
- end: 28.36,
- },
- {
- text: "care",
- start: 28.36,
- end: 28.64,
- },
- {
- text: "you",
- start: 28.72,
- end: 28.92,
- },
- {
- text: "broke.",
- start: 28.96,
- end: 29.32,
- },
- {
- text: "You",
- start: 29.36,
- end: 29.56,
- },
- {
- text: "grew",
- start: 29.6,
- end: 29.8,
- },
- {
- text: "up",
- start: 29.8,
- end: 29.92,
- },
- {
- text: "broke.",
- start: 29.96,
- end: 30.32,
- },
- {
- text: "I",
- start: 30.4,
- end: 30.56,
- },
- {
- text: "don't",
- start: 30.6,
- end: 30.76,
- },
- {
- text: "care",
- start: 30.76,
- end: 30.88,
- },
- {
- text: "if",
- start: 30.92,
- end: 31,
- },
- {
- text: "you",
- start: 31,
- end: 31.12,
- },
- {
- text: "grew",
- start: 31.16,
- end: 31.32,
- },
- {
- text: "up",
- start: 31.32,
- end: 31.48,
- },
- {
- text: "rich.",
- start: 31.52,
- end: 31.96,
- },
- {
- text: "I",
- start: 32.04,
- end: 32.24,
- },
- {
- text: "don't",
- start: 32.28,
- end: 32.44,
- },
- {
- text: "care",
- start: 32.44,
- end: 32.56,
- },
- {
- text: "if",
- start: 32.6,
- end: 32.68,
- },
- {
- text: "you're",
- start: 32.68,
- end: 32.88,
- },
- {
- text: "in",
- start: 32.92,
- end: 33.08,
- },
- {
- text: "college.",
- start: 33.12,
- end: 33.48,
- },
- {
- text: "You're",
- start: 33.56,
- end: 33.84,
- },
- {
- text: "not",
- start: 33.88,
- end: 34,
- },
- {
- text: "in",
- start: 34.04,
- end: 34.16,
- },
- {
- text: "college.",
- start: 34.2,
- end: 34.52,
- },
- {
- text: "You",
- start: 34.6,
- end: 34.8,
- },
- {
- text: "only",
- start: 34.84,
- end: 34.96,
- },
- {
- text: "get",
- start: 35,
- end: 35.16,
- },
- {
- text: "24",
- start: 35.2,
- end: 35.84,
- },
- {
- text: "hours.",
- start: 35.92,
- end: 36.32,
- },
- {
- text: "And",
- start: 36.44,
- end: 36.68,
- },
- {
- text: "I",
- start: 36.72,
- end: 37.04,
- },
- {
- text: "blew",
- start: 37.12,
- end: 37.44,
- },
- {
- text: "up.",
- start: 37.52,
- end: 37.84,
- },
- {
- text: "Literally.",
- start: 37.92,
- end: 38.64,
- },
- {
- text: "I",
- start: 38.84,
- end: 39.12,
- },
- {
- text: "went",
- start: 39.16,
- end: 39.32,
- },
- {
- text: "from",
- start: 39.36,
- end: 39.52,
- },
- {
- text: "being",
- start: 39.56,
- end: 39.72,
- },
- {
- text: "a",
- start: 39.76,
- end: 39.92,
- },
- {
- text: "high",
- start: 39.96,
- end: 40.08,
- },
- {
- text: "school",
- start: 40.12,
- end: 40.36,
- },
- {
- text: "dropout",
- start: 40.4,
- end: 41.28,
- },
- {
- text: "to",
- start: 41.48,
- end: 41.8,
- },
- {
- text: "selling",
- start: 41.84,
- end: 42.24,
- },
- {
- text: "6000",
- start: 42.28,
- end: 42.8,
- },
- {
- text: "books",
- start: 42.88,
- end: 43.16,
- },
- {
- text: "in",
- start: 43.16,
- end: 43.28,
- },
- {
- text: "less",
- start: 43.32,
- end: 43.44,
- },
- {
- text: "than",
- start: 43.48,
- end: 43.6,
- },
- {
- text: "six",
- start: 43.64,
- end: 43.8,
- },
- {
- text: "months.",
- start: 43.84,
- end: 44.04,
- },
- {
- text: "What",
- start: 44.08,
- end: 44.28,
- },
- {
- text: "happened",
- start: 44.32,
- end: 44.64,
- },
- {
- text: "in.",
- start: 44.72,
- end: 44.88,
- },
- {
- text: "My",
- start: 44.92,
- end: 45.04,
- },
- {
- text: "24",
- start: 45.08,
- end: 45.48,
- },
- {
- text: "hours?",
- start: 45.52,
- end: 46.12,
- },
- {
- text: "I",
- start: 46.48,
- end: 46.8,
- },
- {
- text: "was",
- start: 46.84,
- end: 46.96,
- },
- {
- text: "like,",
- start: 47,
- end: 47.12,
- },
- {
- text: "okay,",
- start: 47.16,
- end: 47.28,
- },
- {
- text: "Eric,",
- start: 47.32,
- end: 47.56,
- },
- {
- text: "you",
- start: 47.56,
- end: 47.64,
- },
- {
- text: "got",
- start: 47.64,
- end: 47.72,
- },
- {
- text: "to",
- start: 47.72,
- end: 47.8,
- },
- {
- text: "get",
- start: 47.8,
- end: 47.88,
- },
- {
- text: "a",
- start: 47.88,
- end: 47.96,
- },
- {
- text: "grip",
- start: 47.96,
- end: 48.16,
- },
- {
- text: "on",
- start: 48.2,
- end: 48.28,
- },
- {
- text: "your",
- start: 48.28,
- end: 48.4,
- },
- {
- text: "24",
- start: 48.44,
- end: 48.8,
- },
- {
- text: "hours,",
- start: 48.84,
- end: 48.96,
- },
- {
- text: "because",
- start: 49,
- end: 49.12,
- },
- {
- text: "you're",
- start: 49.16,
- end: 49.32,
- },
- {
- text: "about",
- start: 49.32,
- end: 49.44,
- },
- {
- text: "to.",
- start: 49.48,
- end: 49.56,
- },
- {
- text: "Be",
- start: 49.56,
- end: 49.64,
- },
- {
- text: "broke.",
- start: 49.64,
- end: 50,
- },
- {
- text: "For",
- start: 50.04,
- end: 50.2,
- },
- {
- text: "the",
- start: 50.24,
- end: 50.32,
- },
- {
- text: "rest",
- start: 50.32,
- end: 50.44,
- },
- {
- text: "of",
- start: 50.48,
- end: 50.6,
- },
- {
- text: "your",
- start: 50.64,
- end: 50.76,
- },
- {
- text: "life.",
- start: 50.8,
- end: 51.08,
- },
- {
- text: "And",
- start: 51.16,
- end: 51.44,
- },
- {
- text: "that's",
- start: 51.48,
- end: 51.68,
- },
- {
- text: "all",
- start: 51.68,
- end: 51.8,
- },
- {
- text: "I.",
- start: 51.84,
- end: 51.92,
- },
- {
- text: "Need",
- start: 51.92,
- end: 52.04,
- },
- {
- text: "you",
- start: 52.08,
- end: 52.16,
- },
- {
- text: "to",
- start: 52.16,
- end: 52.24,
- },
- {
- text: "do",
- start: 52.24,
- end: 52.36,
- },
- {
- text: "for",
- start: 52.4,
- end: 52.52,
- },
- {
- text: "me.",
- start: 52.56,
- end: 52.72,
- },
- {
- text: "I",
- start: 52.76,
- end: 52.92,
- },
- {
- text: "can",
- start: 52.96,
- end: 53.08,
- },
- {
- text: "tell",
- start: 53.12,
- end: 53.24,
- },
- {
- text: "you",
- start: 53.28,
- end: 53.44,
- },
- {
- text: "all",
- start: 53.48,
- end: 53.64,
- },
- {
- text: "about",
- start: 53.68,
- end: 53.92,
- },
- {
- text: "your.",
- start: 53.96,
- end: 54.12,
- },
- {
- text: "Life",
- start: 54.16,
- end: 54.52,
- },
- {
- text: "if",
- start: 54.64,
- end: 54.84,
- },
- {
- text: "you",
- start: 54.88,
- end: 55,
- },
- {
- text: "just",
- start: 55.04,
- end: 55.16,
- },
- {
- text: "write",
- start: 55.2,
- end: 55.48,
- },
- {
- text: "down",
- start: 55.56,
- end: 55.72,
- },
- {
- text: "your.",
- start: 55.76,
- end: 55.92,
- },
- {
- text: "24",
- start: 55.96,
- end: 56.28,
- },
- {
- text: "hours",
- start: 56.32,
- end: 56.48,
- },
- {
- text: "schedule.",
- start: 56.52,
- end: 56.84,
- },
- {
- text: "For",
- start: 56.88,
- end: 56.96,
- },
- {
- text: "me.",
- start: 56.96,
- end: 57.08,
- },
- {
- text: "You",
- start: 57.12,
- end: 57.24,
- },
- {
- text: "let",
- start: 57.28,
- end: 57.36,
- },
- {
- text: "me",
- start: 57.36,
- end: 57.48,
- },
- {
- text: "look",
- start: 57.52,
- end: 57.64,
- },
- {
- text: "at",
- start: 57.68,
- end: 57.76,
- },
- {
- text: "it.",
- start: 57.76,
- end: 57.88,
- },
- {
- text: "I",
- start: 57.92,
- end: 58.04,
- },
- {
- text: "can",
- start: 58.08,
- end: 58.2,
- },
- {
- text: "tell",
- start: 58.24,
- end: 58.32,
- },
- {
- text: "you",
- start: 58.32,
- end: 58.44,
- },
- {
- text: "where",
- start: 58.48,
- end: 58.6,
- },
- {
- text: "you're",
- start: 58.64,
- end: 58.72,
- },
- {
- text: "going.",
- start: 58.72,
- end: 58.8,
- },
- {
- text: "To",
- start: 58.8,
- end: 58.88,
- },
- {
- text: "be",
- start: 58.88,
- end: 58.96,
- },
- {
- text: "in",
- start: 58.96,
- end: 59.04,
- },
- {
- text: "five",
- start: 59.04,
- end: 59.2,
- },
- {
- text: "years.",
- start: 59.24,
- end: 59.44,
- },
- {
- text: "I",
- start: 59.48,
- end: 59.64,
- },
- {
- text: "can",
- start: 59.68,
- end: 59.76,
- },
- {
- text: "tell",
- start: 59.76,
- end: 59.88,
- },
- {
- text: "you",
- start: 59.92,
- end: 60,
- },
- {
- text: "where",
- start: 60,
- end: 60.12,
- },
- {
- text: "you're",
- start: 60.16,
- end: 60.24,
- },
- {
- text: "going",
- start: 60.24,
- end: 60.32,
- },
- {
- text: "to",
- start: 60.32,
- end: 60.4,
- },
- {
- text: "be",
- start: 60.4,
- end: 60.44,
- },
- {
- text: "in",
- start: 60.44,
- end: 60.48,
- },
- {
- text: "ten",
- start: 60.48,
- end: 60.64,
- },
- {
- text: "years.",
- start: 60.68,
- end: 60.88,
- },
- {
- text: "I",
- start: 60.92,
- end: 61.08,
- },
- {
- text: "can",
- start: 61.12,
- end: 61.2,
- },
- {
- text: "tell",
- start: 61.2,
- end: 61.28,
- },
- {
- text: "you",
- start: 61.28,
- end: 61.4,
- },
- {
- text: "where",
- start: 61.44,
- end: 61.52,
- },
- {
- text: "you're",
- start: 61.52,
- end: 61.6,
- },
- {
- text: "going",
- start: 61.6,
- end: 61.68,
- },
- {
- text: "to",
- start: 61.68,
- end: 61.76,
- },
- {
- text: "be",
- start: 61.76,
- end: 61.84,
- },
- {
- text: "in",
- start: 61.84,
- end: 61.92,
- },
- {
- text: "20",
- start: 61.92,
- end: 62.04,
- },
- {
- text: "years",
- start: 62.08,
- end: 62.2,
- },
- {
- text: "if",
- start: 62.24,
- end: 62.36,
- },
- {
- text: "you",
- start: 62.4,
- end: 62.48,
- },
- {
- text: "keep",
- start: 62.48,
- end: 62.6,
- },
- {
- text: "that",
- start: 62.64,
- end: 62.8,
- },
- {
- text: "schedule.",
- start: 62.84,
- end: 63.04,
- },
-];
-export const defaultTranscriptionProps: TranscriptionProps = {
- comp: "transcription",
- src: defaultTranscriptionWords,
- animationType: "current-word",
- animationStyle: {
- color: {
- type: "basic",
- color: "#FF0000FF",
- },
- },
- textStyle: {
- fontSize: 80,
- fontFamily: "Inter",
- color: {
- type: "basic",
- color: "#FFFFFFFF",
- },
- fontWeight: "800",
- lineHeight: 1.3,
- textAlign: "center",
- },
-};
diff --git a/packages/components/src/components/Transcription/index.tsx b/packages/components/src/components/Transcription/index.tsx
deleted file mode 100644
index af36e194..00000000
--- a/packages/components/src/components/Transcription/index.tsx
+++ /dev/null
@@ -1,113 +0,0 @@
-import { useEffect, useRef, useState } from "react";
-import {
- continueRender,
- delayRender,
- useCurrentFrame,
- useVideoConfig,
-} from "remotion";
-import { StyleAndClass, TranscriptionWord } from "@motionly/base";
-import { TranscriptionProps } from "@motionly/base";
-import { useTextStyles } from "../../hooks/useTextStyles";
-export * from "./default";
-import z from "zod";
-
-export const Transcription = ({
- textStyle,
- src,
- style,
- className,
- animationStyle,
- animationType,
- scrollByPage,
- startFrom,
- height = 0,
-}: TranscriptionProps & StyleAndClass) => {
- const { fps } = useVideoConfig();
- const currentFrame = useCurrentFrame();
- let frame = startFrom ? currentFrame + startFrom * fps : currentFrame;
- if (frame < 0) frame = 0;
- const windowRef = useRef(null);
- const zoomRef = useRef(null);
-
- const [handle] = useState(() => delayRender("Loading Transcription"));
- const [linesRendered, setLinesRendered] = useState(0);
- const lineHeight = (textStyle.lineHeight || 1) * (textStyle.fontSize || 1);
- const linesPerPage = Math.floor(height / lineHeight) || 1;
- const txtStyle = useTextStyles(textStyle);
- const animStyle = useTextStyles(animationStyle);
- const [words, setWords] = useState(
- typeof src === "string" ? [] : src
- );
- useEffect(() => {
- if (typeof src !== "string") return;
- fetch(src)
- .then((res) => res.json())
- .then((data) => {
- z.array(TranscriptionWord).parse(data);
- setWords(data);
- })
- .catch((e) => setWords([]));
- }, [src]);
-
- useEffect(() => {
- if (words) {
- const linesRendered = Math.round(
- (windowRef.current?.getBoundingClientRect().height as number) /
- (zoomRef.current?.getBoundingClientRect().height as number)
- );
- setLinesRendered(linesRendered);
- continueRender(handle);
- }
- }, [handle, words, frame, linesPerPage, lineHeight]);
-
- const linesOffset = Math.max(
- 0,
- !scrollByPage
- ? linesRendered - linesPerPage
- : Math.floor((linesRendered - 1) / linesPerPage) * linesPerPage
- );
- const playedSubs = words.filter((s) => s.start * fps <= frame);
- const unPlayedSubs = words.filter((s) => s.start * fps > frame);
- return (
-
-
-
- {playedSubs.map((item, i) => {
- let isHighlighted = false;
- if (animationType === "previous-text") isHighlighted = true;
- else if (
- animationType === "current-word" &&
- i === playedSubs.length - 1
- )
- isHighlighted = true;
- return (
-
-
- {item.text}{" "}
-
-
- );
- })}
-
- {unPlayedSubs.map((item, i) => (
- {item.text}
- ))}
-
-
-
- );
-};
diff --git a/packages/components/src/components/Video.tsx b/packages/components/src/components/Video.tsx
deleted file mode 100644
index 5b1fd7d1..00000000
--- a/packages/components/src/components/Video.tsx
+++ /dev/null
@@ -1,64 +0,0 @@
-import {
- OffthreadVideo,
- useVideoConfig,
- Video as RemotionVideo,
-} from "remotion";
-import { videoUrl } from "@motionly/base";
-import { StyleAndClass } from "@motionly/base";
-import { VideoProps } from "@motionly/base";
-import { getSrc } from "../helpers";
-
-export const defaultVideoProps: VideoProps = {
- comp: "video",
- objectFit: "cover",
- startFrom: 0,
- src: videoUrl,
- muted: false,
- volume: 100,
-};
-
-export const Video = ({
- objectFit,
- offthread,
- style,
- src,
- className,
- muted,
- volume,
- startFrom,
-}: VideoProps & StyleAndClass) => {
- const { fps } = useVideoConfig();
- const props = {
- src: getSrc(src),
- className,
- muted,
- volume,
- startFrom: startFrom ? Math.ceil(startFrom * fps) : undefined,
- };
- if (!src) return null;
- if (offthread)
- return (
-
- );
- else
- return (
-
- );
-};
diff --git a/packages/components/src/components/index.ts b/packages/components/src/components/index.ts
deleted file mode 100644
index a3dafeb3..00000000
--- a/packages/components/src/components/index.ts
+++ /dev/null
@@ -1,17 +0,0 @@
-export * from "./Audio";
-export * from "./Audiogram";
-export * from "./Div";
-export * from "./Graph";
-export * from "./Image";
-export * from "./Map";
-export * from "./Mockup";
-export * from "./Progressbar";
-export * from "./QRCode";
-export * from "./Text";
-export * from "./Transcription";
-export * from "./Video";
-export * from "./Gif";
-export * from "./Lottie";
-export * from "./Path";
-export * from "./Shape";
-export * from "./Confetti";
diff --git a/packages/components/src/dev/compositions.ts b/packages/components/src/dev/compositions.ts
deleted file mode 100644
index 30472b71..00000000
--- a/packages/components/src/dev/compositions.ts
+++ /dev/null
@@ -1,39 +0,0 @@
-import {
- defaultAudiogramProps,
- defaultAudioProps,
- defaultDivProps,
- defaultGifProps,
- defaultGraphProps,
- defaultImageProps,
- defaultLottieProps,
- defaultMapProps,
- defaultMockupProps,
- defaultPathProps,
- defaultProgressbarProps,
- defaultQRCodeProps,
- defaultTextProps,
- defaultTranscriptionProps,
- defaultVideoProps,
-} from "../components";
-import { defaultConfettiProps } from "../components/Confetti";
-import { defaultShapeProps } from "../components/Shape";
-
-export const compositions = [
- defaultAudioProps,
- defaultAudiogramProps,
- defaultDivProps,
- defaultGifProps,
- defaultGraphProps,
- defaultImageProps,
- defaultLottieProps,
- defaultMapProps,
- defaultMockupProps,
- defaultPathProps,
- defaultProgressbarProps,
- defaultQRCodeProps,
- defaultTextProps,
- defaultTranscriptionProps,
- defaultVideoProps,
- defaultShapeProps,
- defaultConfettiProps,
-];
diff --git a/packages/components/src/dev/root.tsx b/packages/components/src/dev/root.tsx
deleted file mode 100644
index 349e23eb..00000000
--- a/packages/components/src/dev/root.tsx
+++ /dev/null
@@ -1,89 +0,0 @@
-import React from "react";
-import { Composition, Folder, getInputProps } from "remotion";
-import { Composition as Comp } from "../Composition";
-import { compositions } from "./compositions";
-import {
- BaseProps,
- ComponentProps,
- prepareTemplate,
- TemplateType,
-} from "@motionly/base";
-import { test } from "./tests";
-
-const inputProps = getInputProps() as TemplateType;
-const inputTemplate = Object.keys(inputProps).length
- ? inputProps
- : ({
- height: 1080,
- width: 1080,
- fps: 30,
- duration: 6,
- childIds: [],
- components: {},
- bg: {
- type: "basic",
- color: "#FFFFFFFF",
- },
- } as TemplateType);
-const template = prepareTemplate(inputTemplate);
-
-export const Root: React.FC = () => {
- return (
- <>
-
-
- {compositions.map((comp, i) => {
- const id = `${comp.comp}-${i}`;
- const baseComp: BaseProps = {
- id: id,
- height: 1080,
- width: 1080,
- animations: { byIds: {}, allIds: [] },
- };
- const compProps: ComponentProps = { ...comp, ...baseComp };
- return (
-
- );
- })}
-
-
- >
- );
-};
diff --git a/packages/components/src/dev/tests/index.ts b/packages/components/src/dev/tests/index.ts
deleted file mode 100644
index 258b4792..00000000
--- a/packages/components/src/dev/tests/index.ts
+++ /dev/null
@@ -1,67 +0,0 @@
-import { Color, ComponentProps, TemplateType, videoUrl } from "@motionly/base";
-import { defaultPathProps, defaultTranscriptionProps } from "../../components";
-const duration = 2;
-const linearColor: Color = {
- type: "linear",
- gradients: [
- {
- stop: 0,
- color: {
- type: "interpolate",
- colors: [
- { color: "#ff0", start: 0 },
- { color: "#f0f", start: 1 },
- { color: "#0ff", start: 2 },
- { color: "#ff0", start: 3 },
- ],
- },
- },
- {
- stop: 0,
- color: {
- type: "interpolate",
- colors: [
- { color: "#f0f", start: 0 },
- { color: "#0ff", start: 1 },
- { color: "#ff0", start: 2 },
- { color: "#f0f", start: 3 },
- ],
- },
- },
- ],
- angle: 0,
-};
-
-const interpolateColor: Color = {
- type: "interpolate",
- colors: [
- { color: "#f0f", start: 0 },
- { color: "#0ff", start: 1 },
- { color: "#ff0", start: 2 },
- { color: "#f0f", start: 3 },
- ],
-};
-const box: ComponentProps = {
- id: "",
- comp: "div",
- bg: linearColor,
- height: 100,
- width: 100,
- duration,
- childIds: [],
- comps: {},
- animations: { byIds: {}, allIds: [] },
-};
-
-export const test: TemplateType = {
- width: 400,
- height: 400,
- duration: 96,
- fps: 30,
- bg: {
- type: "basic",
- color: "#FFFFFFFF",
- },
- components: {},
- childIds: [],
-};
diff --git a/packages/components/src/hooks/useAnimations.tsx b/packages/components/src/hooks/useAnimations.tsx
deleted file mode 100644
index 3275a693..00000000
--- a/packages/components/src/hooks/useAnimations.tsx
+++ /dev/null
@@ -1,78 +0,0 @@
-import { noise2D } from "@remotion/noise";
-import {
- spring as remotionSpring,
- interpolate as remotionInterpolate,
- useCurrentFrame,
- useVideoConfig,
- Easing,
-} from "remotion";
-import { getDuration, getFrom } from "@motionly/base";
-import { AnimationProps } from "@motionly/base";
-
-export const useAnimation = () => {
- const frame = useCurrentFrame();
- const { fps, durationInFrames } = useVideoConfig();
-
- const animation = (props: AnimationProps) => {
- const { from = 0, to = 1, start = 0, duration = 0 } = props;
- const fromCalc = getFrom(durationInFrames, start * fps);
- const durationCalc = getDuration(
- durationInFrames,
- (start || 0) * fps,
- duration * fps
- );
- if (props.type === "spring") {
- const { damping = 14, mass = 1, stiffness = 80 } = props;
- return remotionSpring({
- fps,
- frame: frame - fromCalc,
- durationInFrames: duration ? durationCalc : undefined,
- config: { damping, mass, stiffness },
- from,
- to,
- });
- }
-
- if (props.type === "interpolate") {
- const { easing = undefined } = props;
- return remotionInterpolate(
- frame,
- [fromCalc, durationCalc + fromCalc],
- [from, to],
- {
- easing:
- easing === "back"
- ? Easing.back()
- : easing === "bounce"
- ? (x) => Easing.bounce(x)
- : easing === "elastic"
- ? Easing.elastic()
- : easing === "ease"
- ? (x) => Easing.ease(x)
- : undefined,
- extrapolateLeft: "clamp",
- extrapolateRight: "clamp",
- }
- );
- }
-
- if (props.type === "noise") {
- const { speed = 1 } = props;
- const x = remotionInterpolate(
- frame,
- [fromCalc, fromCalc + durationCalc],
- [0, 1],
- { extrapolateLeft: "clamp", extrapolateRight: "clamp" }
- );
- const nois = noise2D(
- `${start}${duration}${from}${to}${speed}` || "",
- 1,
- x * speed
- );
- return remotionInterpolate(nois, [-1, 1], [from, to]);
- }
-
- return 0;
- };
- return animation;
-};
diff --git a/packages/components/src/hooks/useColor.ts b/packages/components/src/hooks/useColor.ts
deleted file mode 100644
index dfbda4e7..00000000
--- a/packages/components/src/hooks/useColor.ts
+++ /dev/null
@@ -1,49 +0,0 @@
-import { BaseColor, Color } from "@motionly/base";
-import { useMemo } from "react";
-import { interpolateColors, useCurrentFrame, useVideoConfig } from "remotion";
-
-const getBaseColor = (fps: number, frame: number, color?: BaseColor) => {
- if (!color) return undefined;
- if (color.type === "basic") return color.color;
-
- if (color.type === "interpolate") {
- const { colors = [] } = color;
- if (colors.length < 2) return undefined;
- try {
- return interpolateColors(
- frame,
- colors.map((c) => Math.ceil((c.start || 0) * fps)),
- colors.map((c) => c.color || "#FFF")
- );
- } catch (e) {
- return undefined;
- }
- }
-};
-
-export const useColor = (color?: Color): string | undefined => {
- const frame = useCurrentFrame();
- const { fps } = useVideoConfig();
-
- const getColor = () => {
- if (!color || color.type === "basic" || color.type === "interpolate")
- return getBaseColor(fps, frame, color);
-
- if (color.type === "linear" || color.type === "radial") {
- const { gradients = [], angle = 90 } = color;
- const gradientColors = gradients?.map((c) => ({
- color: getBaseColor(fps, frame, c.color),
- stop: c.stop,
- }));
- return color.type === "linear"
- ? `linear-gradient(${angle}deg, ${gradientColors
- .map((c) => `${c.color} ${(c.stop || 0) * 100}%`)
- .join(", ")})`
- : `radial-gradient(${gradientColors
- .map((c) => `${c.color} ${(c.stop || 0) * 100}%`)
- .join(", ")})`;
- }
- };
-
- return getColor();
-};
diff --git a/packages/components/src/hooks/useFonts.ts b/packages/components/src/hooks/useFonts.ts
deleted file mode 100644
index dd1b86bb..00000000
--- a/packages/components/src/hooks/useFonts.ts
+++ /dev/null
@@ -1,36 +0,0 @@
-import { ComponentProps, getFonts } from "@motionly/base";
-import axios from "axios";
-import { useEffect, useMemo, useState } from "react";
-import { continueRender, delayRender } from "remotion";
-
-const loadFonts = async (fonts: string[]) => {
- if (fonts.length > 0) {
- try {
- const url = `https://fonts.googleapis.com/css?family=${fonts.join(
- ":100,200,300,400,500,600,700,800|"
- )}:100,200,300,400,500,600,700,800`;
- await axios.get(url);
-
- const link = document.createElement("link");
- link.href = url;
- link.rel = "stylesheet";
- link.type = "text/css";
- document.head.appendChild(link);
- } catch (e) {
- console.log(e);
- }
- }
-};
-
-export const useFonts = async (comps?: ComponentProps[]) => {
- const [handle] = useState(() => delayRender("Loading fonts"));
- const fonts = useMemo(() => getFonts(comps), [comps]) || [];
-
- useEffect(() => {
- loadFonts(fonts)
- .then(() => {
- continueRender(handle);
- })
- .catch((e) => console.log(e));
- }, [fonts.toString()]);
-};
diff --git a/packages/components/src/hooks/useSelected.ts b/packages/components/src/hooks/useSelected.ts
deleted file mode 100644
index 2f18c0b5..00000000
--- a/packages/components/src/hooks/useSelected.ts
+++ /dev/null
@@ -1,15 +0,0 @@
-import { createContext, useContext } from "react";
-
-export const SelectedContext = createContext<{
- setSelected: (id: string) => void;
- selectedRef?: React.MutableRefObject | null;
- selected?: string;
-}>({
- setSelected: (id: string) => {
- console.log(`No context ${id}`);
- },
- selectedRef: null,
- selected: "",
-});
-
-export const useSelected = () => useContext(SelectedContext);
diff --git a/packages/components/src/hooks/useTextAnimations.tsx b/packages/components/src/hooks/useTextAnimations.tsx
deleted file mode 100644
index aee50e70..00000000
--- a/packages/components/src/hooks/useTextAnimations.tsx
+++ /dev/null
@@ -1,51 +0,0 @@
-import { AnimationProps } from "@motionly/base";
-import { useMemo } from "react";
-import { useAnimation } from "./useAnimations";
-
-function extractVariables(text: string): string[] {
- const regex = /{{([^}]+)}}/g;
- let match;
- const variables: string[] = [];
- while ((match = regex.exec(text))) {
- variables.push(match[1]);
- }
- return variables;
-}
-
-export const useTextAnimations = (
- animations: AnimationProps[],
- text: string
-) => {
- const animate = useAnimation();
-
- let animatedText = text;
- const variables = useMemo(() => {
- return extractVariables(text);
- }, [text]);
-
- for (const v of variables) {
- const numberAnimations = animations?.filter(
- (a) => a.prop === "number" && a.variable === v
- );
- const textAnimations = animations?.filter(
- (a) => a.prop === "text" && a.variable === v
- );
- let value: string | undefined = undefined;
- if (numberAnimations?.length) {
- value = Math.round(
- numberAnimations.reduce((a, b) => a + animate(b), 0)
- ).toFixed(0);
- } else if (textAnimations?.length && "value" in textAnimations[0]) {
- const text = textAnimations[0].value;
- value = text?.slice(
- 0,
- Math.round(
- text.length * textAnimations.reduce((a, b) => a + animate(b), 0)
- )
- );
- }
- if (value !== undefined)
- animatedText = animatedText.replace(`{{${v}}}`, value);
- }
- return animatedText;
-};
diff --git a/packages/components/src/index.ts b/packages/components/src/index.ts
deleted file mode 100644
index 0a40baa0..00000000
--- a/packages/components/src/index.ts
+++ /dev/null
@@ -1,4 +0,0 @@
-export * from "./Component";
-export * from "./Composition";
-export * from "./components";
-export * from "./hooks/useSelected";
diff --git a/packages/components/tsconfig.json b/packages/components/tsconfig.json
deleted file mode 100644
index 5683fb4e..00000000
--- a/packages/components/tsconfig.json
+++ /dev/null
@@ -1,102 +0,0 @@
-{
- "compilerOptions": {
- /* Visit https://aka.ms/tsconfig to read more about this file */
-
- /* Projects */
- // "incremental": true, /* Save .tsbuildinfo files to allow for incremental compilation of projects. */
- // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */
- // "tsBuildInfoFile": "./.tsbuildinfo", /* Specify the path to .tsbuildinfo incremental compilation file. */
- // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects. */
- // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */
- // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */
-
- /* Language and Environment */
- "target": "es2018" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */,
- // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */
- "jsx": "react-jsx" /* Specify what JSX code is generated. */,
- // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */
- // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */
- // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'. */
- // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */
- // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'. */
- // "reactNamespace": "", /* Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit. */
- // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */
- // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */
- // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */
-
- /* Modules */
- "module": "commonjs" /* Specify what module code is generated. */,
- // "rootDir": "./", /* Specify the root folder within your source files. */
- // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */
- // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
- // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
- // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */
- // "typeRoots": [], /* Specify multiple folders that act like './node_modules/@types'. */
- // "types": [], /* Specify type package names to be included without being referenced in a source file. */
- // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
- // "moduleSuffixes": [], /* List of file name suffixes to search when resolving a module. */
- "resolveJsonModule": true /* Enable importing .json files. */,
- // "noResolve": true, /* Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project. */
- /* JavaScript Support */
- // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */
- // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */
- // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */
-
- /* Emit */
- "declaration": true /* Generate .d.ts files from TypeScript and JavaScript files in your project. */,
- // "declarationMap": true, /* Create sourcemaps for d.ts files. */
- // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */
- // "sourceMap": true, /* Create source map files for emitted JavaScript files. */
- // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */
- "outDir": "./dist" /* Specify an output folder for all emitted files. */,
- // "removeComments": true, /* Disable emitting comments. */
- // "noEmit": true, /* Disable emitting files from a compilation. */
- // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */
- // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types. */
- // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */
- // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */
- // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
- // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
- // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */
- // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */
- // "newLine": "crlf", /* Set the newline character for emitting files. */
- // "stripInternal": true, /* Disable emitting declarations that have '@internal' in their JSDoc comments. */
- // "noEmitHelpers": true, /* Disable generating custom helper functions like '__extends' in compiled output. */
- // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */
- // "preserveConstEnums": true, /* Disable erasing 'const enum' declarations in generated code. */
- // "declarationDir": "./", /* Specify the output directory for generated declaration files. */
- // "preserveValueImports": true, /* Preserve unused imported values in the JavaScript output that would otherwise be removed. */
-
- /* Interop Constraints */
- // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */
- // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */
- "esModuleInterop": true /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */,
- // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */
- "forceConsistentCasingInFileNames": true /* Ensure that casing is correct in imports. */,
-
- /* Type Checking */
- "strict": true /* Enable all strict type-checking options. */,
- // "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */
- // "strictNullChecks": true, /* When type checking, take into account 'null' and 'undefined'. */
- // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */
- // "strictBindCallApply": true, /* Check that the arguments for 'bind', 'call', and 'apply' methods match the original function. */
- // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */
- // "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */
- // "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */
- // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */
- // "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */
- // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */
- // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */
- // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */
- // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */
- // "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */
- // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */
- // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */
- // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */
- // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */
-
- /* Completeness */
- // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */
- "skipLibCheck": true /* Skip type checking all .d.ts files. */
- }
-}
diff --git a/packages/confetti/.gitignore b/packages/confetti/.gitignore
deleted file mode 100644
index 16f4a2dc..00000000
--- a/packages/confetti/.gitignore
+++ /dev/null
@@ -1,5 +0,0 @@
-.turbo/
-dist/
-node_modules/
-.env
-out/
\ No newline at end of file
diff --git a/packages/confetti/CHANGELOG.md b/packages/confetti/CHANGELOG.md
deleted file mode 100644
index fead1b56..00000000
--- a/packages/confetti/CHANGELOG.md
+++ /dev/null
@@ -1,19 +0,0 @@
-# @motionly/confetti
-
-## 1.4.2
-
-### Patch Changes
-
-- Changed colors and text animations
-
-## 1.4.1
-
-### Patch Changes
-
-- removed things from npm
-
-## 1.4.0
-
-### Minor Changes
-
-- renamed to motionly
diff --git a/packages/confetti/package.json b/packages/confetti/package.json
deleted file mode 100644
index 6851174c..00000000
--- a/packages/confetti/package.json
+++ /dev/null
@@ -1,21 +0,0 @@
-{
- "name": "@motionly/confetti",
- "main": "dist/index.js",
- "private": false,
- "license": "MIT",
- "version": "1.4.2",
- "scripts": {
- "build": "tsc",
- "dev": "tsc --watch"
- },
- "peerDependencies": {
- "react": "^18.2.0",
- "remotion": "^3.0.19"
- },
- "devDependencies": {
- "@jonny/eslint-config": "^3.0.266",
- "@types/react": "^18.0.6",
- "@types/web": "^0.0.61",
- "typescript": "^4.7.4"
- }
-}
\ No newline at end of file
diff --git a/packages/confetti/tsconfig.json b/packages/confetti/tsconfig.json
deleted file mode 100644
index eb5ac984..00000000
--- a/packages/confetti/tsconfig.json
+++ /dev/null
@@ -1,103 +0,0 @@
-{
- "compilerOptions": {
- /* Visit https://aka.ms/tsconfig to read more about this file */
-
- /* Projects */
- // "incremental": true, /* Save .tsbuildinfo files to allow for incremental compilation of projects. */
- // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */
- // "tsBuildInfoFile": "./.tsbuildinfo", /* Specify the path to .tsbuildinfo incremental compilation file. */
- // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects. */
- // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */
- // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */
-
- /* Language and Environment */
- "target": "es2016" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */,
- // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */
- "jsx": "react-jsx" /* Specify what JSX code is generated. */,
- // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */
- // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */
- // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'. */
- // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */
- // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'. */
- // "reactNamespace": "", /* Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit. */
- // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */
- // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */
- // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */
-
- /* Modules */
- "module": "commonjs" /* Specify what module code is generated. */,
- // "rootDir": "./", /* Specify the root folder within your source files. */
- // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */
- // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
- // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
- // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */
- // "typeRoots": [], /* Specify multiple folders that act like './node_modules/@types'. */
- // "types": [], /* Specify type package names to be included without being referenced in a source file. */
- // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
- // "moduleSuffixes": [], /* List of file name suffixes to search when resolving a module. */
- "resolveJsonModule": true /* Enable importing .json files. */,
- // "noResolve": true, /* Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project. */
- /* JavaScript Support */
- // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */
- // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */
- // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */
-
- /* Emit */
- "declaration": true /* Generate .d.ts files from TypeScript and JavaScript files in your project. */,
- // "declarationMap": true, /* Create sourcemaps for d.ts files. */
- // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */
- // "sourceMap": true, /* Create source map files for emitted JavaScript files. */
- // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */
- "outDir": "./dist" /* Specify an output folder for all emitted files. */,
- // "removeComments": true, /* Disable emitting comments. */
- // "noEmit": true, /* Disable emitting files from a compilation. */
- // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */
- // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types. */
- // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */
- // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */
- // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
- // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
- // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */
- // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */
- // "newLine": "crlf", /* Set the newline character for emitting files. */
- // "stripInternal": true, /* Disable emitting declarations that have '@internal' in their JSDoc comments. */
- // "noEmitHelpers": true, /* Disable generating custom helper functions like '__extends' in compiled output. */
- // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */
- // "preserveConstEnums": true, /* Disable erasing 'const enum' declarations in generated code. */
- // "declarationDir": "./", /* Specify the output directory for generated declaration files. */
- // "preserveValueImports": true, /* Preserve unused imported values in the JavaScript output that would otherwise be removed. */
-
- /* Interop Constraints */
- // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */
- // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */
- "esModuleInterop": true /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */,
- // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */
- "forceConsistentCasingInFileNames": true /* Ensure that casing is correct in imports. */,
-
- /* Type Checking */
- "strict": true /* Enable all strict type-checking options. */,
- // "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */
- // "strictNullChecks": true, /* When type checking, take into account 'null' and 'undefined'. */
- // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */
- // "strictBindCallApply": true, /* Check that the arguments for 'bind', 'call', and 'apply' methods match the original function. */
- // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */
- // "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */
- // "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */
- // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */
- // "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */
- // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */
- // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */
- // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */
- // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */
- // "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */
- // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */
- // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */
- // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */
- // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */
-
- /* Completeness */
- // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */
- "skipLibCheck": true /* Skip type checking all .d.ts files. */
- }
- }
-
\ No newline at end of file
diff --git a/packages/player/.gitignore b/packages/player/.gitignore
deleted file mode 100644
index 16f4a2dc..00000000
--- a/packages/player/.gitignore
+++ /dev/null
@@ -1,5 +0,0 @@
-.turbo/
-dist/
-node_modules/
-.env
-out/
\ No newline at end of file
diff --git a/packages/player/CHANGELOG.md b/packages/player/CHANGELOG.md
deleted file mode 100644
index b29c5cbe..00000000
--- a/packages/player/CHANGELOG.md
+++ /dev/null
@@ -1,28 +0,0 @@
-# @motionly/player
-
-## 1.4.2
-
-### Patch Changes
-
-- Changed colors and text animations
-- Updated dependencies
- - @motionly/components@1.4.2
-
-## 1.4.1
-
-### Patch Changes
-
-- removed things from npm
-- Updated dependencies
- - @motionly/components@1.4.1
-
-## 1.4.0
-
-### Minor Changes
-
-- renamed to motionly
-
-### Patch Changes
-
-- Updated dependencies
- - @motionly/components@1.4.0
diff --git a/packages/player/package.json b/packages/player/package.json
deleted file mode 100644
index aa396cb6..00000000
--- a/packages/player/package.json
+++ /dev/null
@@ -1,27 +0,0 @@
-{
- "name": "@motionly/player",
- "version": "1.4.2",
- "main": "dist/index.js",
- "license": "MIT",
- "private": false,
- "scripts": {
- "build": "tsc",
- "dev": "tsc --watch"
- },
- "dependencies": {
- "@motionly/components": "*",
- "@remotion/player": "3.3.44",
- "@remotion/cli": "3.3.44",
- "remotion": "3.3.44"
- },
- "peerDependencies": {
- "react": ">=16.8.0",
- "react-dom": ">=16.8.0"
- },
- "devDependencies": {
- "@types/react": "17.0.11",
- "@types/react-dom": "17.0.8",
- "react": "^18.0.0",
- "react-dom": "^18.0.0"
- }
-}
\ No newline at end of file
diff --git a/packages/player/src/Player.tsx b/packages/player/src/Player.tsx
deleted file mode 100644
index a7ba3af8..00000000
--- a/packages/player/src/Player.tsx
+++ /dev/null
@@ -1,42 +0,0 @@
-"use client";
-
-import { Player as RemotionPlayer, PlayerRef } from "@remotion/player";
-import { Composition, SelectedContext } from "@motionly/components";
-import { PlayerProps } from "./PlayerProps";
-import { forwardRef, useEffect, useMemo, useState } from "react";
-import { prepareTemplate } from "@motionly/base";
-
-export const Player = forwardRef(
- (
- {
- template: temp,
- loading,
- setSelected = () => undefined,
- selected,
- selectedRef,
- ...props
- },
- ref
- ) => {
- const [isClient, setIsClient] = useState(false);
- useEffect(() => setIsClient(true), []);
- const template = useMemo(() => prepareTemplate(temp), [temp]);
- return (
-
- <>{loading}>}
- fps={template.fps}
- durationInFrames={Math.ceil((template.duration || 1) * template.fps)}
- inputProps={{
- bg: template.bg,
- comps: template.comps,
- }}
- compositionHeight={template.height}
- compositionWidth={template.width}
- {...props}
- />
-
- );
- }
-);
diff --git a/packages/player/src/PlayerProps.tsx b/packages/player/src/PlayerProps.tsx
deleted file mode 100644
index 42cbdfe8..00000000
--- a/packages/player/src/PlayerProps.tsx
+++ /dev/null
@@ -1,22 +0,0 @@
-import { TemplateType } from "@motionly/base";
-import { CSSProperties, ReactNode } from "react";
-
-export type PlayerProps = {
- allowFullscreen?: boolean;
- autoPlay?: boolean;
- loading?: ReactNode;
- clickToPlay?: boolean;
- controls?: boolean;
- loop?: boolean;
- doubleClickToFullscreen?: boolean;
- moveToBeginningWhenEnded?: boolean;
- initiallyShowControls?: boolean;
- spaceKeyToPlayOrPause?: boolean;
- showVolumeControls?: boolean;
- style?: CSSProperties;
- className?: string;
- template: TemplateType;
- setSelected?: (id: string) => void;
- selected?: string;
- selectedRef?: React.RefObject;
-};
diff --git a/packages/player/src/index.ts b/packages/player/src/index.ts
deleted file mode 100644
index b4e9e22a..00000000
--- a/packages/player/src/index.ts
+++ /dev/null
@@ -1,2 +0,0 @@
-export * from "./Player";
-export * from "./PlayerProps";
diff --git a/packages/player/tsconfig.json b/packages/player/tsconfig.json
deleted file mode 100644
index 8e4518a4..00000000
--- a/packages/player/tsconfig.json
+++ /dev/null
@@ -1,103 +0,0 @@
-{
- "compilerOptions": {
- /* Visit https://aka.ms/tsconfig to read more about this file */
-
- /* Projects */
- // "incremental": true, /* Save .tsbuildinfo files to allow for incremental compilation of projects. */
- // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */
- // "tsBuildInfoFile": "./.tsbuildinfo", /* Specify the path to .tsbuildinfo incremental compilation file. */
- // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects. */
- // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */
- // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */
-
- /* Language and Environment */
- "target": "es2018" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */,
- // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */
- "jsx": "react-jsx" /* Specify what JSX code is generated. */,
- // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */
- // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */
- // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'. */
- // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */
- // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'. */
- // "reactNamespace": "", /* Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit. */
- // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */
- // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */
- // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */
-
- /* Modules */
- "module": "commonjs" /* Specify what module code is generated. */,
- // "rootDir": "./", /* Specify the root folder within your source files. */
- // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */
- // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
- // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
- // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */
- // "typeRoots": [], /* Specify multiple folders that act like './node_modules/@types'. */
- // "types": [], /* Specify type package names to be included without being referenced in a source file. */
- // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
- // "moduleSuffixes": [], /* List of file name suffixes to search when resolving a module. */
- // "resolveJsonModule": true, /* Enable importing .json files. */
- // "noResolve": true, /* Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project. */
-
- /* JavaScript Support */
- // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */
- // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */
- // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */
-
- /* Emit */
- "declaration": true /* Generate .d.ts files from TypeScript and JavaScript files in your project. */,
- // "declarationMap": true, /* Create sourcemaps for d.ts files. */
- // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */
- // "sourceMap": true, /* Create source map files for emitted JavaScript files. */
- // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */
- "outDir": "./dist" /* Specify an output folder for all emitted files. */,
- // "removeComments": true, /* Disable emitting comments. */
- // "noEmit": true, /* Disable emitting files from a compilation. */
- // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */
- // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types. */
- // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */
- // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */
- // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
- // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
- // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */
- // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */
- // "newLine": "crlf", /* Set the newline character for emitting files. */
- // "stripInternal": true, /* Disable emitting declarations that have '@internal' in their JSDoc comments. */
- // "noEmitHelpers": true, /* Disable generating custom helper functions like '__extends' in compiled output. */
- // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */
- // "preserveConstEnums": true, /* Disable erasing 'const enum' declarations in generated code. */
- // "declarationDir": "./", /* Specify the output directory for generated declaration files. */
- // "preserveValueImports": true, /* Preserve unused imported values in the JavaScript output that would otherwise be removed. */
-
- /* Interop Constraints */
- // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */
- // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */
- "esModuleInterop": true /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */,
- // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */
- "forceConsistentCasingInFileNames": true /* Ensure that casing is correct in imports. */,
-
- /* Type Checking */
- "strict": true /* Enable all strict type-checking options. */,
- // "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */
- // "strictNullChecks": true, /* When type checking, take into account 'null' and 'undefined'. */
- // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */
- // "strictBindCallApply": true, /* Check that the arguments for 'bind', 'call', and 'apply' methods match the original function. */
- // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */
- // "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */
- // "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */
- // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */
- // "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */
- // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */
- // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */
- // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */
- // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */
- // "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */
- // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */
- // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */
- // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */
- // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */
-
- /* Completeness */
- // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */
- "skipLibCheck": true /* Skip type checking all .d.ts files. */
- }
-}
diff --git a/packages/renderer/.gitignore b/packages/renderer/.gitignore
deleted file mode 100644
index 16f4a2dc..00000000
--- a/packages/renderer/.gitignore
+++ /dev/null
@@ -1,5 +0,0 @@
-.turbo/
-dist/
-node_modules/
-.env
-out/
\ No newline at end of file
diff --git a/packages/renderer/CHANGELOG.md b/packages/renderer/CHANGELOG.md
deleted file mode 100644
index 862e1e2f..00000000
--- a/packages/renderer/CHANGELOG.md
+++ /dev/null
@@ -1,28 +0,0 @@
-# @motionly/renderer
-
-## 1.4.2
-
-### Patch Changes
-
-- Changed colors and text animations
-- Updated dependencies
- - @motionly/base@1.4.2
-
-## 1.4.1
-
-### Patch Changes
-
-- removed things from npm
-- Updated dependencies
- - @motionly/base@1.4.1
-
-## 1.4.0
-
-### Minor Changes
-
-- renamed to motionly
-
-### Patch Changes
-
-- Updated dependencies
- - @motionly/base@1.4.0
diff --git a/packages/renderer/package.json b/packages/renderer/package.json
deleted file mode 100644
index 0bf60fa9..00000000
--- a/packages/renderer/package.json
+++ /dev/null
@@ -1,25 +0,0 @@
-{
- "name": "@motionly/renderer",
- "version": "1.4.2",
- "main": "dist/index.js",
- "license": "MIT",
- "private": false,
- "dependencies": {
- "@motionly/base": "*",
- "axios": "^1.2.1",
- "typescript": "^4.9.4",
- "@remotion/lambda": "3.3.44",
- "remotion": "3.3.44"
- },
- "scripts": {
- "build": "tsc",
- "dev": "tsc --watch"
- },
- "peerDependencies": {
- "react": ">=16.8.0",
- "next": ">=10.0.0"
- },
- "devDependencies": {
- "react": "^18.0.0"
- }
-}
\ No newline at end of file
diff --git a/packages/renderer/src/api/Handler.ts b/packages/renderer/src/api/Handler.ts
deleted file mode 100644
index 023a69fb..00000000
--- a/packages/renderer/src/api/Handler.ts
+++ /dev/null
@@ -1,39 +0,0 @@
-import { NextApiRequest, NextApiResponse } from "next";
-import { renderStill } from "../sdk";
-import { renderMedia } from "./endpoints/media";
-import { getProgress } from "./endpoints/progress";
-import { RendererOptions } from "./Options";
-
-export const RendererHandler = async (
- req: NextApiRequest,
- res: NextApiResponse,
- options: RendererOptions
-) => {
- const { middleware } = options;
- if (middleware) {
- await middleware(req, res);
- res.headersSent && res.end();
- return;
- }
- const { renderer } = req.query;
- const option = renderer?.[0];
-
- if (option === "progress" && req.method === "GET") {
- const renderId = req.query.renderId as string;
- const result = await getProgress({ renderId });
- if (!result) return res.status(404).end("Error getting progress");
- return res.status(200).json(result);
- }
-
- if (option === "media" && req.method === "POST") {
- const result = await renderMedia(req.body);
- if (!result) return res.status(404).end("Error rendering media");
- return res.status(200).json(result);
- }
-
- if (option === "still" && req.method === "POST") {
- const result = await renderStill(req.body);
- if (!result) return res.status(404).end("Error rendering still");
- return res.status(200).json(result);
- }
-};
diff --git a/packages/renderer/src/api/Options.ts b/packages/renderer/src/api/Options.ts
deleted file mode 100644
index 16fe509b..00000000
--- a/packages/renderer/src/api/Options.ts
+++ /dev/null
@@ -1,5 +0,0 @@
-import { NextApiRequest, NextApiResponse } from "next";
-
-export interface RendererOptions {
- middleware?: (req: NextApiRequest, res: NextApiResponse) => Promise;
-}
diff --git a/packages/renderer/src/api/Renderer.ts b/packages/renderer/src/api/Renderer.ts
deleted file mode 100644
index 965fe862..00000000
--- a/packages/renderer/src/api/Renderer.ts
+++ /dev/null
@@ -1,15 +0,0 @@
-import { NextApiRequest, NextApiResponse } from "next";
-import { RendererHandler } from "./Handler";
-import { RendererOptions } from "./Options";
-
-export function RemotionRenderer(
- ...args:
- | [RendererOptions]
- | [NextApiRequest, NextApiResponse, RendererOptions]
-) {
- if (args.length === 1) {
- return async (req: NextApiRequest, res: NextApiResponse) =>
- await RendererHandler(req, res, args[0]);
- }
- return RendererHandler(args[0], args[1], args[2]);
-}
diff --git a/packages/renderer/src/api/endpoints/media.ts b/packages/renderer/src/api/endpoints/media.ts
deleted file mode 100644
index d9dbdae2..00000000
--- a/packages/renderer/src/api/endpoints/media.ts
+++ /dev/null
@@ -1,17 +0,0 @@
-import { renderMediaOnLambda } from "@remotion/lambda/client";
-import { RenderMediaInput, RenderMediaOutput } from "../../sdk";
-import { composition, functionName, region, serveUrl } from "../../env";
-
-export const renderMedia = async (
- template: RenderMediaInput
-): Promise => {
- const { renderId } = await renderMediaOnLambda({
- serveUrl,
- codec: "h264",
- composition,
- functionName,
- region,
- inputProps: template,
- });
- return { renderId };
-};
diff --git a/packages/renderer/src/api/endpoints/progress.ts b/packages/renderer/src/api/endpoints/progress.ts
deleted file mode 100644
index cc0af078..00000000
--- a/packages/renderer/src/api/endpoints/progress.ts
+++ /dev/null
@@ -1,23 +0,0 @@
-import { getRenderProgress } from "@remotion/lambda/client";
-import { bucketName, functionName, region } from "../../env";
-import { GetProgressInput, GetProgressOutput } from "../../sdk";
-
-export const getProgress = async ({
- renderId,
-}: GetProgressInput): Promise => {
- const {
- overallProgress,
- costs,
- outputFile,
- fatalErrorEncountered,
- done,
- errors,
- } = await getRenderProgress({ bucketName, functionName, region, renderId });
- if (errors.length > 0) console.log(errors);
- return {
- progress: overallProgress,
- cost: costs.accruedSoFar,
- fileUrl: outputFile || "",
- status: fatalErrorEncountered ? "error" : done ? "done" : "rendering",
- };
-};
diff --git a/packages/renderer/src/api/endpoints/still.ts b/packages/renderer/src/api/endpoints/still.ts
deleted file mode 100644
index ee5f45c9..00000000
--- a/packages/renderer/src/api/endpoints/still.ts
+++ /dev/null
@@ -1,25 +0,0 @@
-import { renderStillOnLambda } from "@remotion/lambda/client";
-import { RenderStillInput, RenderStillOutput } from "../../sdk";
-import { composition, functionName, region, serveUrl } from "../../env";
-
-export const renderStill = async ({
- frame,
- ...template
-}: RenderStillInput): Promise => {
- const { estimatedPrice, renderId, url } = await renderStillOnLambda({
- serveUrl,
- imageFormat: "jpeg",
- privacy: "public",
- frame,
- composition,
- functionName,
- region,
- inputProps: template,
- });
- return {
- renderId,
- cost: estimatedPrice.accruedSoFar,
- fileUrl: url,
- status: "done",
- };
-};
diff --git a/packages/renderer/src/api/index.ts b/packages/renderer/src/api/index.ts
deleted file mode 100644
index 074ac356..00000000
--- a/packages/renderer/src/api/index.ts
+++ /dev/null
@@ -1,2 +0,0 @@
-export * from "./Renderer";
-export * from "./Options";
diff --git a/packages/renderer/src/env.ts b/packages/renderer/src/env.ts
deleted file mode 100644
index 0b205b23..00000000
--- a/packages/renderer/src/env.ts
+++ /dev/null
@@ -1,7 +0,0 @@
-export const baseUrl = process.env.NEXT_PUBLIC_REMOTION_API_URL || "";
-export const bucketName = process.env.REMOTION_BUCKET || "";
-// eslint-disable-next-line @typescript-eslint/no-explicit-any
-export const region = process.env.REMOTION_REGION as any;
-export const serveUrl = process.env.REMOTION_SERVE_URL || "";
-export const functionName = process.env.REMOTION_FUNCTION_NAME || "";
-export const composition = "Main";
diff --git a/packages/renderer/src/index.tsx b/packages/renderer/src/index.tsx
deleted file mode 100644
index ccc5e575..00000000
--- a/packages/renderer/src/index.tsx
+++ /dev/null
@@ -1,2 +0,0 @@
-export * from "./sdk";
-export * from "./api";
diff --git a/packages/renderer/src/sdk/endpoints/media.ts b/packages/renderer/src/sdk/endpoints/media.ts
deleted file mode 100644
index f0d5c1c9..00000000
--- a/packages/renderer/src/sdk/endpoints/media.ts
+++ /dev/null
@@ -1,18 +0,0 @@
-import axios from "axios";
-import { TemplateType } from "@motionly/base";
-import { baseUrl } from "../../env";
-
-export type RenderMediaInput = TemplateType;
-export type RenderMediaOutput = { renderId: string };
-
-export const renderMedia = async (
- props: RenderMediaInput
-): Promise => {
- try {
- const result = await axios.post(`${baseUrl}/api/remotion/media/`, props);
- return result.data;
- } catch (e) {
- console.log(e);
- return null;
- }
-};
diff --git a/packages/renderer/src/sdk/endpoints/progress.ts b/packages/renderer/src/sdk/endpoints/progress.ts
deleted file mode 100644
index 87a5d034..00000000
--- a/packages/renderer/src/sdk/endpoints/progress.ts
+++ /dev/null
@@ -1,24 +0,0 @@
-import axios from "axios";
-import { ProgressStatus } from "@motionly/base";
-import { baseUrl } from "../../env";
-
-export type GetProgressInput = { renderId: string };
-export type GetProgressOutput = {
- progress: number;
- cost: number;
- status: ProgressStatus;
- fileUrl: string;
-};
-export const getProgress = async ({
- renderId,
-}: GetProgressInput): Promise => {
- try {
- const result = await axios.get(`${baseUrl}/api/remotion/progress/`, {
- params: { renderId },
- });
- return result.data;
- } catch (e) {
- console.log(e);
- return null;
- }
-};
diff --git a/packages/renderer/src/sdk/endpoints/still.ts b/packages/renderer/src/sdk/endpoints/still.ts
deleted file mode 100644
index 0d584808..00000000
--- a/packages/renderer/src/sdk/endpoints/still.ts
+++ /dev/null
@@ -1,22 +0,0 @@
-import { baseUrl } from "../../env";
-import axios from "axios";
-import { TemplateType, ProgressStatus } from "@motionly/base";
-
-export type RenderStillInput = TemplateType & { frame: number };
-export type RenderStillOutput = {
- fileUrl: string;
- cost: number;
- status: ProgressStatus;
- renderId: string;
-};
-export const renderStill = async (
- props: RenderStillInput
-): Promise => {
- try {
- const result = await axios.post(`${baseUrl}/api/remotion/still/`, props);
- return result.data;
- } catch (e) {
- console.log(e);
- return null;
- }
-};
diff --git a/packages/renderer/src/sdk/index.ts b/packages/renderer/src/sdk/index.ts
deleted file mode 100644
index 00e19407..00000000
--- a/packages/renderer/src/sdk/index.ts
+++ /dev/null
@@ -1,4 +0,0 @@
-export * from "./endpoints/still";
-export * from "./endpoints/progress";
-export * from "./endpoints/media";
-export * from "./useRender";
diff --git a/packages/renderer/src/sdk/useRender.ts b/packages/renderer/src/sdk/useRender.ts
deleted file mode 100644
index 1dfe1a06..00000000
--- a/packages/renderer/src/sdk/useRender.ts
+++ /dev/null
@@ -1,68 +0,0 @@
-import { ProgressStatus, TemplateType } from "@motionly/base";
-import { useEffect, useState } from "react";
-import { renderStill } from "./endpoints/still";
-import { getProgress as getProgressSdk } from "./endpoints/progress";
-import { renderMedia } from "./endpoints/media";
-
-export const useRender = (
- videoInput: TemplateType,
- frame: number = 0,
- refreshInterval = 1000
-) => {
- const [renderId, setRenderId] = useState("");
- const [fileUrl, setFileUrl] = useState("");
- const [progress, setProgress] = useState();
- const [cost, setCost] = useState(0);
- const [status, setStatus] = useState();
-
- useEffect(() => {
- if (!renderId || !refreshInterval || status !== "rendering") return;
-
- const interval = setInterval(getProgress, refreshInterval);
- return () => clearInterval(interval);
- }, [renderId, refreshInterval, status]);
-
- const init = () => {
- setRenderId("");
- setProgress(undefined);
- setCost(0);
- setFileUrl("");
- setStatus("rendering");
- };
- const media = async () => {
- init();
- const result = await renderMedia(videoInput);
- if (!result) return setStatus("error");
- setRenderId(result.renderId);
- };
- const getProgress = async () => {
- const result = await getProgressSdk({ renderId });
- if (!result) return setStatus("error");
-
- setCost(result.cost);
- setStatus(result.status);
- setProgress(result.progress);
- setFileUrl(result.fileUrl);
- };
- const still = async () => {
- init();
- const result = await renderStill({ ...videoInput, frame });
- if (!result) return setStatus("error");
-
- setCost(result.cost);
- setStatus(result.status);
- setProgress(1);
- setRenderId(result.renderId);
- setFileUrl(result.fileUrl);
- };
- return {
- still,
- media,
- getProgress,
- renderId,
- progress,
- cost,
- status,
- fileUrl,
- };
-};
diff --git a/packages/renderer/tsconfig.json b/packages/renderer/tsconfig.json
deleted file mode 100644
index 5a28ec51..00000000
--- a/packages/renderer/tsconfig.json
+++ /dev/null
@@ -1,103 +0,0 @@
-{
- "compilerOptions": {
- /* Visit https://aka.ms/tsconfig to read more about this file */
-
- /* Projects */
- // "incremental": true, /* Save .tsbuildinfo files to allow for incremental compilation of projects. */
- // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */
- // "tsBuildInfoFile": "./.tsbuildinfo", /* Specify the path to .tsbuildinfo incremental compilation file. */
- // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects. */
- // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */
- // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */
-
- /* Language and Environment */
- "target": "es2016" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */,
- // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */
- // "jsx": "preserve", /* Specify what JSX code is generated. */
- // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */
- // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */
- // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'. */
- // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */
- // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'. */
- // "reactNamespace": "", /* Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit. */
- // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */
- // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */
- // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */
-
- /* Modules */
- "module": "commonjs" /* Specify what module code is generated. */,
- // "rootDir": "./", /* Specify the root folder within your source files. */
- // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */
- // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
- // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
- // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */
- // "typeRoots": [], /* Specify multiple folders that act like './node_modules/@types'. */
- // "types": [], /* Specify type package names to be included without being referenced in a source file. */
- // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
- // "moduleSuffixes": [], /* List of file name suffixes to search when resolving a module. */
- // "resolveJsonModule": true, /* Enable importing .json files. */
- // "noResolve": true, /* Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project. */
-
- /* JavaScript Support */
- // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */
- // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */
- // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */
-
- /* Emit */
- "declaration": true /* Generate .d.ts files from TypeScript and JavaScript files in your project. */,
- // "declarationMap": true, /* Create sourcemaps for d.ts files. */
- // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */
- // "sourceMap": true, /* Create source map files for emitted JavaScript files. */
- // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */
- "outDir": "./dist" /* Specify an output folder for all emitted files. */,
- // "removeComments": true, /* Disable emitting comments. */
- // "noEmit": true, /* Disable emitting files from a compilation. */
- // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */
- // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types. */
- // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */
- // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */
- // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
- // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
- // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */
- // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */
- // "newLine": "crlf", /* Set the newline character for emitting files. */
- // "stripInternal": true, /* Disable emitting declarations that have '@internal' in their JSDoc comments. */
- // "noEmitHelpers": true, /* Disable generating custom helper functions like '__extends' in compiled output. */
- // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */
- // "preserveConstEnums": true, /* Disable erasing 'const enum' declarations in generated code. */
- // "declarationDir": "./", /* Specify the output directory for generated declaration files. */
- // "preserveValueImports": true, /* Preserve unused imported values in the JavaScript output that would otherwise be removed. */
-
- /* Interop Constraints */
- // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */
- // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */
- "esModuleInterop": true /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */,
- // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */
- "forceConsistentCasingInFileNames": true /* Ensure that casing is correct in imports. */,
-
- /* Type Checking */
- "strict": true /* Enable all strict type-checking options. */,
- // "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */
- // "strictNullChecks": true, /* When type checking, take into account 'null' and 'undefined'. */
- // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */
- // "strictBindCallApply": true, /* Check that the arguments for 'bind', 'call', and 'apply' methods match the original function. */
- // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */
- // "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */
- // "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */
- // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */
- // "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */
- // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */
- // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */
- // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */
- // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */
- // "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */
- // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */
- // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */
- // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */
- // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */
-
- /* Completeness */
- // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */
- "skipLibCheck": true /* Skip type checking all .d.ts files. */
- }
-}
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
new file mode 100644
index 00000000..17a4bcf1
--- /dev/null
+++ b/pnpm-lock.yaml
@@ -0,0 +1,5618 @@
+lockfileVersion: 5.4
+
+importers:
+
+ .:
+ specifiers:
+ '@changesets/cli': ^2.26.0
+ '@typescript-eslint/eslint-plugin': ^5.47.2-alpha.0
+ '@typescript-eslint/parser': ^5.47.2-alpha.0
+ eslint: ^8.30.0
+ eslint-config-prettier: ^8.5.0
+ eslint-plugin-import: ^2.26.0
+ eslint-plugin-prettier: ^4.2.1
+ eslint-plugin-react: ^7.31.11
+ patch-package: ^6.5.1
+ postinstall-postinstall: ^2.1.0
+ prettier: ^2.8.1
+ turbo: ^1.6.3
+ typescript: ^4.9.5
+ dependencies:
+ '@changesets/cli': 2.26.1
+ '@typescript-eslint/eslint-plugin': 5.57.1_iify4w3mi7rbbu6mxzspkpx4b4
+ '@typescript-eslint/parser': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ eslint: 8.37.0
+ eslint-config-prettier: 8.8.0_eslint@8.37.0
+ eslint-plugin-import: 2.27.5_cwk2z5oni6qsbytuihvch7xbrm
+ eslint-plugin-prettier: 4.2.1_ybb3aapb7235womryl2tm5ze2u
+ eslint-plugin-react: 7.32.2_eslint@8.37.0
+ patch-package: 6.5.1
+ postinstall-postinstall: 2.1.0
+ prettier: 2.8.7
+ typescript: 4.9.5
+ devDependencies:
+ turbo: 1.8.8
+
+ app:
+ specifiers:
+ '@remotion/cli': 3.3.80
+ '@remotion/gif': 3.3.80
+ '@remotion/lottie': 3.3.80
+ '@remotion/media-utils': 3.3.80
+ '@remotion/motion-blur': 3.3.80
+ '@remotion/noise': 3.3.80
+ '@remotion/paths': 3.3.80
+ '@remotion/player': 3.3.80
+ '@remotion/shapes': 3.3.80
+ '@tauri-apps/api': ^1.2.0
+ '@tauri-apps/cli': ^1.2.2
+ '@types/node': ^18.7.10
+ '@types/react': ^18.0.33
+ '@types/react-dom': 18.0.11
+ '@types/react-router-dom': ^5.3.3
+ '@types/react-simple-maps': ^3.0.0
+ '@vitejs/plugin-react': ^3.0.0
+ autoprefixer: ^10.4.13
+ immer: ^9.0.19
+ lottie-web: ^5.10.0
+ postcss: ^8.4.18
+ prop-types: ^15.8.1
+ react: ^18.2.0
+ react-dom: ^18.2.0
+ react-icons: ^4.6.0
+ react-moveable: ^0.44.1
+ react-qr-code: ^2.0.10
+ react-simple-maps: ^3.0.0
+ remotion: 3.3.80
+ sonner: ^0.3.0
+ tailwindcss: ^3.2.1
+ tw-colors: ^1.2.0
+ typescript: ^4.9.4
+ vite: ^4.0.0
+ zod: ^3.21.4
+ zustand: ^4.3.2
+ dependencies:
+ '@remotion/cli': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/gif': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/lottie': 3.3.80_gn5hpwitoxbsx6uavhmqddmj5q
+ '@remotion/media-utils': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/motion-blur': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/noise': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/paths': 3.3.80
+ '@remotion/player': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/shapes': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@tauri-apps/api': 1.2.0
+ autoprefixer: 10.4.14_postcss@8.4.21
+ immer: 9.0.21
+ lottie-web: 5.10.2
+ postcss: 8.4.21
+ prop-types: 15.8.1
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ react-icons: 4.8.0_react@18.2.0
+ react-moveable: 0.44.1
+ react-qr-code: 2.0.11_react@18.2.0
+ react-simple-maps: 3.0.0_v2m5e27vhdewzwhryxwfaorcca
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ sonner: 0.3.0_biqbaboplfbrettd7655fr4n2y
+ tailwindcss: 3.3.1_postcss@8.4.21
+ tw-colors: 1.2.0_tailwindcss@3.3.1
+ typescript: 4.9.5
+ zod: 3.21.4
+ zustand: 4.3.7_immer@9.0.21+react@18.2.0
+ devDependencies:
+ '@tauri-apps/cli': 1.2.3
+ '@types/node': 18.15.11
+ '@types/react': 18.0.33
+ '@types/react-dom': 18.0.11
+ '@types/react-router-dom': 5.3.3
+ '@types/react-simple-maps': 3.0.0
+ '@vitejs/plugin-react': 3.1.0_vite@4.2.1
+ vite: 4.2.1_@types+node@18.15.11
+
+packages:
+
+ /@ampproject/remapping/2.2.0:
+ resolution: {integrity: sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==}
+ engines: {node: '>=6.0.0'}
+ dependencies:
+ '@jridgewell/gen-mapping': 0.1.1
+ '@jridgewell/trace-mapping': 0.3.17
+ dev: true
+
+ /@babel/code-frame/7.21.4:
+ resolution: {integrity: sha512-LYvhNKfwWSPpocw8GI7gpK2nq3HSDuEPC/uSYaALSJu9xjsalaaYFOq0Pwt5KmVqwEbZlDu81aLXwBOmD/Fv9g==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/highlight': 7.18.6
+
+ /@babel/compat-data/7.21.4:
+ resolution: {integrity: sha512-/DYyDpeCfaVinT40FPGdkkb+lYSKvsVuMjDAG7jPOWWiM1ibOaB9CXJAlc4d1QpP/U2q2P9jbrSlClKSErd55g==}
+ engines: {node: '>=6.9.0'}
+ dev: true
+
+ /@babel/core/7.21.4:
+ resolution: {integrity: sha512-qt/YV149Jman/6AfmlxJ04LMIu8bMoyl3RB91yTFrxQmgbrSvQMy7cI8Q62FHx1t8wJ8B5fu0UDoLwHAhUo1QA==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@ampproject/remapping': 2.2.0
+ '@babel/code-frame': 7.21.4
+ '@babel/generator': 7.21.4
+ '@babel/helper-compilation-targets': 7.21.4_@babel+core@7.21.4
+ '@babel/helper-module-transforms': 7.21.2
+ '@babel/helpers': 7.21.0
+ '@babel/parser': 7.21.4
+ '@babel/template': 7.20.7
+ '@babel/traverse': 7.21.4
+ '@babel/types': 7.21.4
+ convert-source-map: 1.9.0
+ debug: 4.3.4
+ gensync: 1.0.0-beta.2
+ json5: 2.2.3
+ semver: 6.3.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/generator/7.21.4:
+ resolution: {integrity: sha512-NieM3pVIYW2SwGzKoqfPrQsf4xGs9M9AIG3ThppsSRmO+m7eQhmI6amajKMUeIO37wFfsvnvcxQFx6x6iqxDnA==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/types': 7.21.4
+ '@jridgewell/gen-mapping': 0.3.2
+ '@jridgewell/trace-mapping': 0.3.17
+ jsesc: 2.5.2
+ dev: true
+
+ /@babel/helper-compilation-targets/7.21.4_@babel+core@7.21.4:
+ resolution: {integrity: sha512-Fa0tTuOXZ1iL8IeDFUWCzjZcn+sJGd9RZdH9esYVjEejGmzf+FFYQpMi/kZUk2kPy/q1H3/GPw7np8qar/stfg==}
+ engines: {node: '>=6.9.0'}
+ peerDependencies:
+ '@babel/core': ^7.0.0
+ dependencies:
+ '@babel/compat-data': 7.21.4
+ '@babel/core': 7.21.4
+ '@babel/helper-validator-option': 7.21.0
+ browserslist: 4.21.5
+ lru-cache: 5.1.1
+ semver: 6.3.0
+ dev: true
+
+ /@babel/helper-environment-visitor/7.18.9:
+ resolution: {integrity: sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==}
+ engines: {node: '>=6.9.0'}
+ dev: true
+
+ /@babel/helper-function-name/7.21.0:
+ resolution: {integrity: sha512-HfK1aMRanKHpxemaY2gqBmL04iAPOPRj7DxtNbiDOrJK+gdwkiNRVpCpUJYbUT+aZyemKN8brqTOxzCaG6ExRg==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/template': 7.20.7
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/helper-hoist-variables/7.18.6:
+ resolution: {integrity: sha512-UlJQPkFqFULIcyW5sbzgbkxn2FKRgwWiRexcuaR8RNJRy8+LLveqPjwZV/bwrLZCN0eUHD/x8D0heK1ozuoo6Q==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/helper-module-imports/7.21.4:
+ resolution: {integrity: sha512-orajc5T2PsRYUN3ZryCEFeMDYwyw09c/pZeaQEZPH0MpKzSvn3e0uXsDBu3k03VI+9DBiRo+l22BfKTpKwa/Wg==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/helper-module-transforms/7.21.2:
+ resolution: {integrity: sha512-79yj2AR4U/Oqq/WOV7Lx6hUjau1Zfo4cI+JLAVYeMV5XIlbOhmjEk5ulbTc9fMpmlojzZHkUUxAiK+UKn+hNQQ==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/helper-environment-visitor': 7.18.9
+ '@babel/helper-module-imports': 7.21.4
+ '@babel/helper-simple-access': 7.20.2
+ '@babel/helper-split-export-declaration': 7.18.6
+ '@babel/helper-validator-identifier': 7.19.1
+ '@babel/template': 7.20.7
+ '@babel/traverse': 7.21.4
+ '@babel/types': 7.21.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/helper-plugin-utils/7.20.2:
+ resolution: {integrity: sha512-8RvlJG2mj4huQ4pZ+rU9lqKi9ZKiRmuvGuM2HlWmkmgOhbs6zEAw6IEiJ5cQqGbDzGZOhwuOQNtZMi/ENLjZoQ==}
+ engines: {node: '>=6.9.0'}
+ dev: true
+
+ /@babel/helper-simple-access/7.20.2:
+ resolution: {integrity: sha512-+0woI/WPq59IrqDYbVGfshjT5Dmk/nnbdpcF8SnMhhXObpTq2KNBdLFRFrkVdbDOyUmHBCxzm5FHV1rACIkIbA==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/helper-split-export-declaration/7.18.6:
+ resolution: {integrity: sha512-bde1etTx6ZyTmobl9LLMMQsaizFVZrquTEHOqKeQESMKo4PlObf+8+JA25ZsIpZhT/WEd39+vOdLXAFG/nELpA==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/helper-string-parser/7.19.4:
+ resolution: {integrity: sha512-nHtDoQcuqFmwYNYPz3Rah5ph2p8PFeFCsZk9A/48dPc/rGocJ5J3hAAZ7pb76VWX3fZKu+uEr/FhH5jLx7umrw==}
+ engines: {node: '>=6.9.0'}
+ dev: true
+
+ /@babel/helper-validator-identifier/7.19.1:
+ resolution: {integrity: sha512-awrNfaMtnHUr653GgGEs++LlAvW6w+DcPrOliSMXWCKo597CwL5Acf/wWdNkf/tfEQE3mjkeD1YOVZOUV/od1w==}
+ engines: {node: '>=6.9.0'}
+
+ /@babel/helper-validator-option/7.21.0:
+ resolution: {integrity: sha512-rmL/B8/f0mKS2baE9ZpyTcTavvEuWhTTW8amjzXNvYG4AwBsqTLikfXsEofsJEfKHf+HQVQbFOHy6o+4cnC/fQ==}
+ engines: {node: '>=6.9.0'}
+ dev: true
+
+ /@babel/helpers/7.21.0:
+ resolution: {integrity: sha512-XXve0CBtOW0pd7MRzzmoyuSj0e3SEzj8pgyFxnTT1NJZL38BD1MK7yYrm8yefRPIDvNNe14xR4FdbHwpInD4rA==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/template': 7.20.7
+ '@babel/traverse': 7.21.4
+ '@babel/types': 7.21.4
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/highlight/7.18.6:
+ resolution: {integrity: sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/helper-validator-identifier': 7.19.1
+ chalk: 2.4.2
+ js-tokens: 4.0.0
+
+ /@babel/parser/7.21.4:
+ resolution: {integrity: sha512-alVJj7k7zIxqBZ7BTRhz0IqJFxW1VJbm6N8JbcYhQ186df9ZBPbZBmWSqAMXwHGsCJdYks7z/voa3ibiS5bCIw==}
+ engines: {node: '>=6.0.0'}
+ hasBin: true
+ dependencies:
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/plugin-transform-react-jsx-self/7.21.0_@babel+core@7.21.4:
+ resolution: {integrity: sha512-f/Eq+79JEu+KUANFks9UZCcvydOOGMgF7jBrcwjHa5jTZD8JivnhCJYvmlhR/WTXBWonDExPoW0eO/CR4QJirA==}
+ engines: {node: '>=6.9.0'}
+ peerDependencies:
+ '@babel/core': ^7.0.0-0
+ dependencies:
+ '@babel/core': 7.21.4
+ '@babel/helper-plugin-utils': 7.20.2
+ dev: true
+
+ /@babel/plugin-transform-react-jsx-source/7.19.6_@babel+core@7.21.4:
+ resolution: {integrity: sha512-RpAi004QyMNisst/pvSanoRdJ4q+jMCWyk9zdw/CyLB9j8RXEahodR6l2GyttDRyEVWZtbN+TpLiHJ3t34LbsQ==}
+ engines: {node: '>=6.9.0'}
+ peerDependencies:
+ '@babel/core': ^7.0.0-0
+ dependencies:
+ '@babel/core': 7.21.4
+ '@babel/helper-plugin-utils': 7.20.2
+ dev: true
+
+ /@babel/runtime/7.21.0:
+ resolution: {integrity: sha512-xwII0//EObnq89Ji5AKYQaRYiW/nZ3llSv29d49IuxPhKbtJoLP+9QUUZ4nVragQVtaVGeZrpB+ZtG/Pdy/POw==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ regenerator-runtime: 0.13.11
+ dev: false
+
+ /@babel/template/7.20.7:
+ resolution: {integrity: sha512-8SegXApWe6VoNw0r9JHpSteLKTpTiLZ4rMlGIm9JQ18KiCtyQiAMEazujAHrUS5flrcqYZa75ukev3P6QmUwUw==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/code-frame': 7.21.4
+ '@babel/parser': 7.21.4
+ '@babel/types': 7.21.4
+ dev: true
+
+ /@babel/traverse/7.21.4:
+ resolution: {integrity: sha512-eyKrRHKdyZxqDm+fV1iqL9UAHMoIg0nDaGqfIOd8rKH17m5snv7Gn4qgjBoFfLz9APvjFU/ICT00NVCv1Epp8Q==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/code-frame': 7.21.4
+ '@babel/generator': 7.21.4
+ '@babel/helper-environment-visitor': 7.18.9
+ '@babel/helper-function-name': 7.21.0
+ '@babel/helper-hoist-variables': 7.18.6
+ '@babel/helper-split-export-declaration': 7.18.6
+ '@babel/parser': 7.21.4
+ '@babel/types': 7.21.4
+ debug: 4.3.4
+ globals: 11.12.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@babel/types/7.21.4:
+ resolution: {integrity: sha512-rU2oY501qDxE8Pyo7i/Orqma4ziCOrby0/9mvbDUGEfvZjb279Nk9k19e2fiCxHbRRpY2ZyrgW1eq22mvmOIzA==}
+ engines: {node: '>=6.9.0'}
+ dependencies:
+ '@babel/helper-string-parser': 7.19.4
+ '@babel/helper-validator-identifier': 7.19.1
+ to-fast-properties: 2.0.0
+ dev: true
+
+ /@changesets/apply-release-plan/6.1.3:
+ resolution: {integrity: sha512-ECDNeoc3nfeAe1jqJb5aFQX7CqzQhD2klXRez2JDb/aVpGUbX673HgKrnrgJRuQR/9f2TtLoYIzrGB9qwD77mg==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/config': 2.3.0
+ '@changesets/get-version-range-type': 0.3.2
+ '@changesets/git': 2.0.0
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ detect-indent: 6.1.0
+ fs-extra: 7.0.1
+ lodash.startcase: 4.4.0
+ outdent: 0.5.0
+ prettier: 2.8.7
+ resolve-from: 5.0.0
+ semver: 5.7.1
+ dev: false
+
+ /@changesets/assemble-release-plan/5.2.3:
+ resolution: {integrity: sha512-g7EVZCmnWz3zMBAdrcKhid4hkHT+Ft1n0mLussFMcB1dE2zCuwcvGoy9ec3yOgPGF4hoMtgHaMIk3T3TBdvU9g==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/errors': 0.1.4
+ '@changesets/get-dependents-graph': 1.3.5
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ semver: 5.7.1
+ dev: false
+
+ /@changesets/changelog-git/0.1.14:
+ resolution: {integrity: sha512-+vRfnKtXVWsDDxGctOfzJsPhaCdXRYoe+KyWYoq5X/GqoISREiat0l3L8B0a453B2B4dfHGcZaGyowHbp9BSaA==}
+ dependencies:
+ '@changesets/types': 5.2.1
+ dev: false
+
+ /@changesets/cli/2.26.1:
+ resolution: {integrity: sha512-XnTa+b51vt057fyAudvDKGB0Sh72xutQZNAdXkCqPBKO2zvs2yYZx5hFZj1u9cbtpwM6Sxtcr02/FQJfZOzemQ==}
+ hasBin: true
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/apply-release-plan': 6.1.3
+ '@changesets/assemble-release-plan': 5.2.3
+ '@changesets/changelog-git': 0.1.14
+ '@changesets/config': 2.3.0
+ '@changesets/errors': 0.1.4
+ '@changesets/get-dependents-graph': 1.3.5
+ '@changesets/get-release-plan': 3.0.16
+ '@changesets/git': 2.0.0
+ '@changesets/logger': 0.0.5
+ '@changesets/pre': 1.0.14
+ '@changesets/read': 0.5.9
+ '@changesets/types': 5.2.1
+ '@changesets/write': 0.2.3
+ '@manypkg/get-packages': 1.1.3
+ '@types/is-ci': 3.0.0
+ '@types/semver': 6.2.3
+ ansi-colors: 4.1.3
+ chalk: 2.4.2
+ enquirer: 2.3.6
+ external-editor: 3.1.0
+ fs-extra: 7.0.1
+ human-id: 1.0.2
+ is-ci: 3.0.1
+ meow: 6.1.1
+ outdent: 0.5.0
+ p-limit: 2.3.0
+ preferred-pm: 3.0.3
+ resolve-from: 5.0.0
+ semver: 5.7.1
+ spawndamnit: 2.0.0
+ term-size: 2.2.1
+ tty-table: 4.2.1
+ dev: false
+
+ /@changesets/config/2.3.0:
+ resolution: {integrity: sha512-EgP/px6mhCx8QeaMAvWtRrgyxW08k/Bx2tpGT+M84jEdX37v3VKfh4Cz1BkwrYKuMV2HZKeHOh8sHvja/HcXfQ==}
+ dependencies:
+ '@changesets/errors': 0.1.4
+ '@changesets/get-dependents-graph': 1.3.5
+ '@changesets/logger': 0.0.5
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ fs-extra: 7.0.1
+ micromatch: 4.0.5
+ dev: false
+
+ /@changesets/errors/0.1.4:
+ resolution: {integrity: sha512-HAcqPF7snsUJ/QzkWoKfRfXushHTu+K5KZLJWPb34s4eCZShIf8BFO3fwq6KU8+G7L5KdtN2BzQAXOSXEyiY9Q==}
+ dependencies:
+ extendable-error: 0.1.7
+ dev: false
+
+ /@changesets/get-dependents-graph/1.3.5:
+ resolution: {integrity: sha512-w1eEvnWlbVDIY8mWXqWuYE9oKhvIaBhzqzo4ITSJY9hgoqQ3RoBqwlcAzg11qHxv/b8ReDWnMrpjpKrW6m1ZTA==}
+ dependencies:
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ chalk: 2.4.2
+ fs-extra: 7.0.1
+ semver: 5.7.1
+ dev: false
+
+ /@changesets/get-release-plan/3.0.16:
+ resolution: {integrity: sha512-OpP9QILpBp1bY2YNIKFzwigKh7Qe9KizRsZomzLe6pK8IUo8onkAAVUD8+JRKSr8R7d4+JRuQrfSSNlEwKyPYg==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/assemble-release-plan': 5.2.3
+ '@changesets/config': 2.3.0
+ '@changesets/pre': 1.0.14
+ '@changesets/read': 0.5.9
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ dev: false
+
+ /@changesets/get-version-range-type/0.3.2:
+ resolution: {integrity: sha512-SVqwYs5pULYjYT4op21F2pVbcrca4qA/bAA3FmFXKMN7Y+HcO8sbZUTx3TAy2VXulP2FACd1aC7f2nTuqSPbqg==}
+ dev: false
+
+ /@changesets/git/2.0.0:
+ resolution: {integrity: sha512-enUVEWbiqUTxqSnmesyJGWfzd51PY4H7mH9yUw0hPVpZBJ6tQZFMU3F3mT/t9OJ/GjyiM4770i+sehAn6ymx6A==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/errors': 0.1.4
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ is-subdir: 1.2.0
+ micromatch: 4.0.5
+ spawndamnit: 2.0.0
+ dev: false
+
+ /@changesets/logger/0.0.5:
+ resolution: {integrity: sha512-gJyZHomu8nASHpaANzc6bkQMO9gU/ib20lqew1rVx753FOxffnCrJlGIeQVxNWCqM+o6OOleCo/ivL8UAO5iFw==}
+ dependencies:
+ chalk: 2.4.2
+ dev: false
+
+ /@changesets/parse/0.3.16:
+ resolution: {integrity: sha512-127JKNd167ayAuBjUggZBkmDS5fIKsthnr9jr6bdnuUljroiERW7FBTDNnNVyJ4l69PzR57pk6mXQdtJyBCJKg==}
+ dependencies:
+ '@changesets/types': 5.2.1
+ js-yaml: 3.14.1
+ dev: false
+
+ /@changesets/pre/1.0.14:
+ resolution: {integrity: sha512-dTsHmxQWEQekHYHbg+M1mDVYFvegDh9j/kySNuDKdylwfMEevTeDouR7IfHNyVodxZXu17sXoJuf2D0vi55FHQ==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/errors': 0.1.4
+ '@changesets/types': 5.2.1
+ '@manypkg/get-packages': 1.1.3
+ fs-extra: 7.0.1
+ dev: false
+
+ /@changesets/read/0.5.9:
+ resolution: {integrity: sha512-T8BJ6JS6j1gfO1HFq50kU3qawYxa4NTbI/ASNVVCBTsKquy2HYwM9r7ZnzkiMe8IEObAJtUVGSrePCOxAK2haQ==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/git': 2.0.0
+ '@changesets/logger': 0.0.5
+ '@changesets/parse': 0.3.16
+ '@changesets/types': 5.2.1
+ chalk: 2.4.2
+ fs-extra: 7.0.1
+ p-filter: 2.1.0
+ dev: false
+
+ /@changesets/types/4.1.0:
+ resolution: {integrity: sha512-LDQvVDv5Kb50ny2s25Fhm3d9QSZimsoUGBsUioj6MC3qbMUCuC8GPIvk/M6IvXx3lYhAs0lwWUQLb+VIEUCECw==}
+ dev: false
+
+ /@changesets/types/5.2.1:
+ resolution: {integrity: sha512-myLfHbVOqaq9UtUKqR/nZA/OY7xFjQMdfgfqeZIBK4d0hA6pgxArvdv8M+6NUzzBsjWLOtvApv8YHr4qM+Kpfg==}
+ dev: false
+
+ /@changesets/write/0.2.3:
+ resolution: {integrity: sha512-Dbamr7AIMvslKnNYsLFafaVORx4H0pvCA2MHqgtNCySMe1blImEyAEOzDmcgKAkgz4+uwoLz7demIrX+JBr/Xw==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/types': 5.2.1
+ fs-extra: 7.0.1
+ human-id: 1.0.2
+ prettier: 2.8.7
+ dev: false
+
+ /@daybrush/utils/1.11.0:
+ resolution: {integrity: sha512-/T0Oe7KkfUoCusFj1cJ6N+Tu+jFZXVkaKqDBcDY3P0goJfcfaT+4+oG8aHi4LDgBErNjP6uvC3IEOSMe2ka/yQ==}
+ dev: false
+
+ /@egjs/agent/2.4.3:
+ resolution: {integrity: sha512-XvksSENe8wPeFlEVouvrOhKdx8HMniJ3by7sro2uPF3M6QqWwjzVcmvwoPtdjiX8O1lfRoLhQMp1a7NGlVTdIA==}
+ dev: false
+
+ /@egjs/children-differ/1.0.1:
+ resolution: {integrity: sha512-DRvyqMf+CPCOzAopQKHtW+X8iN6Hy6SFol+/7zCUiE5y4P/OB8JP8FtU4NxtZwtafvSL4faD5KoQYPj3JHzPFQ==}
+ dependencies:
+ '@egjs/list-differ': 1.0.0
+ dev: false
+
+ /@egjs/list-differ/1.0.0:
+ resolution: {integrity: sha512-HsbMKc0ZAQH+EUeCmI/2PvTYSybmkaWwakU8QGDYYgMVIg9BQ5sM0A0Nnombjxo2+JzXHxmH+jw//yGX+y6GYw==}
+ dev: false
+
+ /@esbuild/android-arm/0.16.12:
+ resolution: {integrity: sha512-CTWgMJtpCyCltrvipZrrcjjRu+rzm6pf9V8muCsJqtKujR3kPmU4ffbckvugNNaRmhxAF1ZI3J+0FUIFLFg8KA==}
+ engines: {node: '>=12'}
+ cpu: [arm]
+ os: [android]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/android-arm/0.17.15:
+ resolution: {integrity: sha512-sRSOVlLawAktpMvDyJIkdLI/c/kdRTOqo8t6ImVxg8yT7LQDUYV5Rp2FKeEosLr6ZCja9UjYAzyRSxGteSJPYg==}
+ engines: {node: '>=12'}
+ cpu: [arm]
+ os: [android]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/android-arm64/0.16.12:
+ resolution: {integrity: sha512-0LacmiIW+X0/LOLMZqYtZ7d4uY9fxYABAYhSSOu+OGQVBqH4N5eIYgkT7bBFnR4Nm3qo6qS3RpHKVrDASqj/uQ==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [android]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/android-arm64/0.17.15:
+ resolution: {integrity: sha512-0kOB6Y7Br3KDVgHeg8PRcvfLkq+AccreK///B4Z6fNZGr/tNHX0z2VywCc7PTeWp+bPvjA5WMvNXltHw5QjAIA==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [android]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/android-x64/0.16.12:
+ resolution: {integrity: sha512-sS5CR3XBKQXYpSGMM28VuiUnbX83Z+aWPZzClW+OB2JquKqxoiwdqucJ5qvXS8pM6Up3RtJfDnRQZkz3en2z5g==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [android]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/android-x64/0.17.15:
+ resolution: {integrity: sha512-MzDqnNajQZ63YkaUWVl9uuhcWyEyh69HGpMIrf+acR4otMkfLJ4sUCxqwbCyPGicE9dVlrysI3lMcDBjGiBBcQ==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [android]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/darwin-arm64/0.16.12:
+ resolution: {integrity: sha512-Dpe5hOAQiQRH20YkFAg+wOpcd4PEuXud+aGgKBQa/VriPJA8zuVlgCOSTwna1CgYl05lf6o5els4dtuyk1qJxQ==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [darwin]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/darwin-arm64/0.17.15:
+ resolution: {integrity: sha512-7siLjBc88Z4+6qkMDxPT2juf2e8SJxmsbNVKFY2ifWCDT72v5YJz9arlvBw5oB4W/e61H1+HDB/jnu8nNg0rLA==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/darwin-x64/0.16.12:
+ resolution: {integrity: sha512-ApGRA6X5txIcxV0095X4e4KKv87HAEXfuDRcGTniDWUUN+qPia8sl/BqG/0IomytQWajnUn4C7TOwHduk/FXBQ==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [darwin]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/darwin-x64/0.17.15:
+ resolution: {integrity: sha512-NbImBas2rXwYI52BOKTW342Tm3LTeVlaOQ4QPZ7XuWNKiO226DisFk/RyPk3T0CKZkKMuU69yOvlapJEmax7cg==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/freebsd-arm64/0.16.12:
+ resolution: {integrity: sha512-AMdK2gA9EU83ccXCWS1B/KcWYZCj4P3vDofZZkl/F/sBv/fphi2oUqUTox/g5GMcIxk8CF1CVYTC82+iBSyiUg==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [freebsd]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/freebsd-arm64/0.17.15:
+ resolution: {integrity: sha512-Xk9xMDjBVG6CfgoqlVczHAdJnCs0/oeFOspFap5NkYAmRCT2qTn1vJWA2f419iMtsHSLm+O8B6SLV/HlY5cYKg==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [freebsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/freebsd-x64/0.16.12:
+ resolution: {integrity: sha512-KUKB9w8G/xaAbD39t6gnRBuhQ8vIYYlxGT2I+mT6UGRnCGRr1+ePFIGBQmf5V16nxylgUuuWVW1zU2ktKkf6WQ==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [freebsd]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/freebsd-x64/0.17.15:
+ resolution: {integrity: sha512-3TWAnnEOdclvb2pnfsTWtdwthPfOz7qAfcwDLcfZyGJwm1SRZIMOeB5FODVhnM93mFSPsHB9b/PmxNNbSnd0RQ==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [freebsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-arm/0.16.12:
+ resolution: {integrity: sha512-vhDdIv6z4eL0FJyNVfdr3C/vdd/Wc6h1683GJsFoJzfKb92dU/v88FhWdigg0i6+3TsbSDeWbsPUXb4dif2abg==}
+ engines: {node: '>=12'}
+ cpu: [arm]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-arm/0.17.15:
+ resolution: {integrity: sha512-MLTgiXWEMAMr8nmS9Gigx43zPRmEfeBfGCwxFQEMgJ5MC53QKajaclW6XDPjwJvhbebv+RzK05TQjvH3/aM4Xw==}
+ engines: {node: '>=12'}
+ cpu: [arm]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-arm64/0.16.12:
+ resolution: {integrity: sha512-29HXMLpLklDfmw7T2buGqq3HImSUaZ1ArmrPOMaNiZZQptOSZs32SQtOHEl8xWX5vfdwZqrBfNf8Te4nArVzKQ==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-arm64/0.17.15:
+ resolution: {integrity: sha512-T0MVnYw9KT6b83/SqyznTs/3Jg2ODWrZfNccg11XjDehIved2oQfrX/wVuev9N936BpMRaTR9I1J0tdGgUgpJA==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-ia32/0.16.12:
+ resolution: {integrity: sha512-JFDuNDTTfgD1LJg7wHA42o2uAO/9VzHYK0leAVnCQE/FdMB599YMH73ux+nS0xGr79pv/BK+hrmdRin3iLgQjg==}
+ engines: {node: '>=12'}
+ cpu: [ia32]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-ia32/0.17.15:
+ resolution: {integrity: sha512-wp02sHs015T23zsQtU4Cj57WiteiuASHlD7rXjKUyAGYzlOKDAjqK6bk5dMi2QEl/KVOcsjwL36kD+WW7vJt8Q==}
+ engines: {node: '>=12'}
+ cpu: [ia32]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-loong64/0.16.12:
+ resolution: {integrity: sha512-xTGzVPqm6WKfCC0iuj1fryIWr1NWEM8DMhAIo+4rFgUtwy/lfHl+Obvus4oddzRDbBetLLmojfVZGmt/g/g+Rw==}
+ engines: {node: '>=12'}
+ cpu: [loong64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-loong64/0.17.15:
+ resolution: {integrity: sha512-k7FsUJjGGSxwnBmMh8d7IbObWu+sF/qbwc+xKZkBe/lTAF16RqxRCnNHA7QTd3oS2AfGBAnHlXL67shV5bBThQ==}
+ engines: {node: '>=12'}
+ cpu: [loong64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-mips64el/0.16.12:
+ resolution: {integrity: sha512-zI1cNgHa3Gol+vPYjIYHzKhU6qMyOQrvZ82REr5Fv7rlh5PG6SkkuCoH7IryPqR+BK2c/7oISGsvPJPGnO2bHQ==}
+ engines: {node: '>=12'}
+ cpu: [mips64el]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-mips64el/0.17.15:
+ resolution: {integrity: sha512-ZLWk6czDdog+Q9kE/Jfbilu24vEe/iW/Sj2d8EVsmiixQ1rM2RKH2n36qfxK4e8tVcaXkvuV3mU5zTZviE+NVQ==}
+ engines: {node: '>=12'}
+ cpu: [mips64el]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-ppc64/0.16.12:
+ resolution: {integrity: sha512-/C8OFXExoMmvTDIOAM54AhtmmuDHKoedUd0Otpfw3+AuuVGemA1nQK99oN909uZbLEU6Bi+7JheFMG3xGfZluQ==}
+ engines: {node: '>=12'}
+ cpu: [ppc64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-ppc64/0.17.15:
+ resolution: {integrity: sha512-mY6dPkIRAiFHRsGfOYZC8Q9rmr8vOBZBme0/j15zFUKM99d4ILY4WpOC7i/LqoY+RE7KaMaSfvY8CqjJtuO4xg==}
+ engines: {node: '>=12'}
+ cpu: [ppc64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-riscv64/0.16.12:
+ resolution: {integrity: sha512-qeouyyc8kAGV6Ni6Isz8hUsKMr00EHgVwUKWNp1r4l88fHEoNTDB8mmestvykW6MrstoGI7g2EAsgr0nxmuGYg==}
+ engines: {node: '>=12'}
+ cpu: [riscv64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-riscv64/0.17.15:
+ resolution: {integrity: sha512-EcyUtxffdDtWjjwIH8sKzpDRLcVtqANooMNASO59y+xmqqRYBBM7xVLQhqF7nksIbm2yHABptoioS9RAbVMWVA==}
+ engines: {node: '>=12'}
+ cpu: [riscv64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-s390x/0.16.12:
+ resolution: {integrity: sha512-s9AyI/5vz1U4NNqnacEGFElqwnHusWa81pskAf8JNDM2eb6b2E6PpBmT8RzeZv6/TxE6/TADn2g9bb0jOUmXwQ==}
+ engines: {node: '>=12'}
+ cpu: [s390x]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-s390x/0.17.15:
+ resolution: {integrity: sha512-BuS6Jx/ezxFuHxgsfvz7T4g4YlVrmCmg7UAwboeyNNg0OzNzKsIZXpr3Sb/ZREDXWgt48RO4UQRDBxJN3B9Rbg==}
+ engines: {node: '>=12'}
+ cpu: [s390x]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/linux-x64/0.16.12:
+ resolution: {integrity: sha512-e8YA7GQGLWhvakBecLptUiKxOk4E/EPtSckS1i0MGYctW8ouvNUoh7xnU15PGO2jz7BYl8q1R6g0gE5HFtzpqQ==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/linux-x64/0.17.15:
+ resolution: {integrity: sha512-JsdS0EgEViwuKsw5tiJQo9UdQdUJYuB+Mf6HxtJSPN35vez1hlrNb1KajvKWF5Sa35j17+rW1ECEO9iNrIXbNg==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/netbsd-x64/0.16.12:
+ resolution: {integrity: sha512-z2+kUxmOqBS+6SRVd57iOLIHE8oGOoEnGVAmwjm2aENSP35HPS+5cK+FL1l+rhrsJOFIPrNHqDUNechpuG96Sg==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [netbsd]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/netbsd-x64/0.17.15:
+ resolution: {integrity: sha512-R6fKjtUysYGym6uXf6qyNephVUQAGtf3n2RCsOST/neIwPqRWcnc3ogcielOd6pT+J0RDR1RGcy0ZY7d3uHVLA==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [netbsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/openbsd-x64/0.16.12:
+ resolution: {integrity: sha512-PAonw4LqIybwn2/vJujhbg1N9W2W8lw9RtXIvvZoyzoA/4rA4CpiuahVbASmQohiytRsixbNoIOUSjRygKXpyA==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [openbsd]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/openbsd-x64/0.17.15:
+ resolution: {integrity: sha512-mVD4PGc26b8PI60QaPUltYKeSX0wxuy0AltC+WCTFwvKCq2+OgLP4+fFd+hZXzO2xW1HPKcytZBdjqL6FQFa7w==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [openbsd]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/sunos-x64/0.16.12:
+ resolution: {integrity: sha512-+wr1tkt1RERi+Zi/iQtkzmMH4nS8+7UIRxjcyRz7lur84wCkAITT50Olq/HiT4JN2X2bjtlOV6vt7ptW5Gw60Q==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [sunos]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/sunos-x64/0.17.15:
+ resolution: {integrity: sha512-U6tYPovOkw3459t2CBwGcFYfFRjivcJJc1WC8Q3funIwX8x4fP+R6xL/QuTPNGOblbq/EUDxj9GU+dWKX0oWlQ==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [sunos]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/win32-arm64/0.16.12:
+ resolution: {integrity: sha512-XEjeUSHmjsAOJk8+pXJu9pFY2O5KKQbHXZWQylJzQuIBeiGrpMeq9sTVrHefHxMOyxUgoKQTcaTS+VK/K5SviA==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [win32]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/win32-arm64/0.17.15:
+ resolution: {integrity: sha512-W+Z5F++wgKAleDABemiyXVnzXgvRFs+GVKThSI+mGgleLWluv0D7Diz4oQpgdpNzh4i2nNDzQtWbjJiqutRp6Q==}
+ engines: {node: '>=12'}
+ cpu: [arm64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/win32-ia32/0.16.12:
+ resolution: {integrity: sha512-eRKPM7e0IecUAUYr2alW7JGDejrFJXmpjt4MlfonmQ5Rz9HWpKFGCjuuIRgKO7W9C/CWVFXdJ2GjddsBXqQI4A==}
+ engines: {node: '>=12'}
+ cpu: [ia32]
+ os: [win32]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/win32-ia32/0.17.15:
+ resolution: {integrity: sha512-Muz/+uGgheShKGqSVS1KsHtCyEzcdOn/W/Xbh6H91Etm+wiIfwZaBn1W58MeGtfI8WA961YMHFYTthBdQs4t+w==}
+ engines: {node: '>=12'}
+ cpu: [ia32]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@esbuild/win32-x64/0.16.12:
+ resolution: {integrity: sha512-iPYKN78t3op2+erv2frW568j1q0RpqX6JOLZ7oPPaAV1VaF7dDstOrNw37PVOYoTWE11pV4A1XUitpdEFNIsPg==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [win32]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@esbuild/win32-x64/0.17.15:
+ resolution: {integrity: sha512-DjDa9ywLUUmjhV2Y9wUTIF+1XsmuFGvZoCmOWkli1XcNAh5t25cc7fgsCx4Zi/Uurep3TTLyDiKATgGEg61pkA==}
+ engines: {node: '>=12'}
+ cpu: [x64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@eslint-community/eslint-utils/4.4.0_eslint@8.37.0:
+ resolution: {integrity: sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ peerDependencies:
+ eslint: ^6.0.0 || ^7.0.0 || >=8.0.0
+ dependencies:
+ eslint: 8.37.0
+ eslint-visitor-keys: 3.4.0
+ dev: false
+
+ /@eslint-community/regexpp/4.5.0:
+ resolution: {integrity: sha512-vITaYzIcNmjn5tF5uxcZ/ft7/RXGrMUIS9HalWckEOF6ESiwXKoMzAQf2UW0aVd6rnOeExTJVd5hmWXucBKGXQ==}
+ engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0}
+ dev: false
+
+ /@eslint/eslintrc/2.0.2:
+ resolution: {integrity: sha512-3W4f5tDUra+pA+FzgugqL2pRimUTDJWKr7BINqOpkZrC0uYI0NIc0/JFgBROCU07HR6GieA5m3/rsPIhDmCXTQ==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dependencies:
+ ajv: 6.12.6
+ debug: 4.3.4
+ espree: 9.5.1
+ globals: 13.20.0
+ ignore: 5.2.4
+ import-fresh: 3.3.0
+ js-yaml: 4.1.0
+ minimatch: 3.1.2
+ strip-json-comments: 3.1.1
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /@eslint/js/8.37.0:
+ resolution: {integrity: sha512-x5vzdtOOGgFVDCUs81QRB2+liax8rFg3+7hqM+QhBG0/G3F1ZsoYl97UrqgHgQ9KKT7G6c4V+aTUCgu/n22v1A==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dev: false
+
+ /@humanwhocodes/config-array/0.11.8:
+ resolution: {integrity: sha512-UybHIJzJnR5Qc/MsD9Kr+RpO2h+/P1GhOwdiLPXK5TWk5sgTdu88bTD9UP+CKbPPh5Rni1u0GjAdYQLemG8g+g==}
+ engines: {node: '>=10.10.0'}
+ dependencies:
+ '@humanwhocodes/object-schema': 1.2.1
+ debug: 4.3.4
+ minimatch: 3.1.2
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /@humanwhocodes/module-importer/1.0.1:
+ resolution: {integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==}
+ engines: {node: '>=12.22'}
+ dev: false
+
+ /@humanwhocodes/object-schema/1.2.1:
+ resolution: {integrity: sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==}
+ dev: false
+
+ /@jridgewell/gen-mapping/0.1.1:
+ resolution: {integrity: sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==}
+ engines: {node: '>=6.0.0'}
+ dependencies:
+ '@jridgewell/set-array': 1.1.2
+ '@jridgewell/sourcemap-codec': 1.4.14
+ dev: true
+
+ /@jridgewell/gen-mapping/0.3.2:
+ resolution: {integrity: sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==}
+ engines: {node: '>=6.0.0'}
+ dependencies:
+ '@jridgewell/set-array': 1.1.2
+ '@jridgewell/sourcemap-codec': 1.4.14
+ '@jridgewell/trace-mapping': 0.3.17
+
+ /@jridgewell/resolve-uri/3.1.0:
+ resolution: {integrity: sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==}
+ engines: {node: '>=6.0.0'}
+
+ /@jridgewell/set-array/1.1.2:
+ resolution: {integrity: sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==}
+ engines: {node: '>=6.0.0'}
+
+ /@jridgewell/source-map/0.3.2:
+ resolution: {integrity: sha512-m7O9o2uR8k2ObDysZYzdfhb08VuEml5oWGiosa1VdaPZ/A6QyPkAJuwN0Q1lhULOf6B7MtQmHENS743hWtCrgw==}
+ dependencies:
+ '@jridgewell/gen-mapping': 0.3.2
+ '@jridgewell/trace-mapping': 0.3.17
+ dev: false
+
+ /@jridgewell/sourcemap-codec/1.4.14:
+ resolution: {integrity: sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==}
+
+ /@jridgewell/trace-mapping/0.3.17:
+ resolution: {integrity: sha512-MCNzAp77qzKca9+W/+I0+sEpaUnZoeasnghNeVc41VZCEKaCH73Vq3BZZ/SzWIgrqE4H4ceI+p+b6C0mHf9T4g==}
+ dependencies:
+ '@jridgewell/resolve-uri': 3.1.0
+ '@jridgewell/sourcemap-codec': 1.4.14
+
+ /@manypkg/find-root/1.1.0:
+ resolution: {integrity: sha512-mki5uBvhHzO8kYYix/WRy2WX8S3B5wdVSc9D6KcU5lQNglP2yt58/VfLuAK49glRXChosY8ap2oJ1qgma3GUVA==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@types/node': 12.20.55
+ find-up: 4.1.0
+ fs-extra: 8.1.0
+ dev: false
+
+ /@manypkg/get-packages/1.1.3:
+ resolution: {integrity: sha512-fo+QhuU3qE/2TQMQmbVMqaQ6EWbMhi4ABWP+O4AM1NqPBuy0OrApV5LO6BrrgnhtAHS2NH6RrVk9OL181tTi8A==}
+ dependencies:
+ '@babel/runtime': 7.21.0
+ '@changesets/types': 4.1.0
+ '@manypkg/find-root': 1.1.0
+ fs-extra: 8.1.0
+ globby: 11.1.0
+ read-yaml-file: 1.1.0
+ dev: false
+
+ /@nodelib/fs.scandir/2.1.5:
+ resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==}
+ engines: {node: '>= 8'}
+ dependencies:
+ '@nodelib/fs.stat': 2.0.5
+ run-parallel: 1.2.0
+ dev: false
+
+ /@nodelib/fs.stat/2.0.5:
+ resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==}
+ engines: {node: '>= 8'}
+ dev: false
+
+ /@nodelib/fs.walk/1.2.8:
+ resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==}
+ engines: {node: '>= 8'}
+ dependencies:
+ '@nodelib/fs.scandir': 2.1.5
+ fastq: 1.15.0
+ dev: false
+
+ /@remotion/bundler/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-c/0CMQckeG64oF+hCeTAGtq3llnLbikHhLoomW41INUEwMAJ1HkuPtFXymJe5uyS5AA7pm9fDuSRgkIQaWmE+w==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ css-loader: 5.2.7_webpack@5.76.1
+ esbuild: 0.16.12
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ react-refresh: 0.9.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ style-loader: 2.0.0_webpack@5.76.1
+ webpack: 5.76.1_esbuild@0.16.12
+ transitivePeerDependencies:
+ - '@swc/core'
+ - uglify-js
+ - webpack-cli
+ dev: false
+
+ /@remotion/cli/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-c5E2Cpjg4tkVX0D0zl9ZoBMcZz7Hhdj6ZsAHrywoZk4B9S8tAyAqs+4U0IWvfWNRek7QCLEhDycOL4AdhU8xoQ==}
+ hasBin: true
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ '@remotion/bundler': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/media-utils': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/player': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ '@remotion/renderer': 3.3.80_biqbaboplfbrettd7655fr4n2y
+ dotenv: 9.0.2
+ memfs: 3.4.3
+ minimist: 1.2.6
+ open: 8.4.2
+ prompts: 2.4.1
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ semver: 7.3.5
+ source-map: 0.6.1
+ transitivePeerDependencies:
+ - '@swc/core'
+ - bufferutil
+ - supports-color
+ - uglify-js
+ - utf-8-validate
+ - webpack-cli
+ dev: false
+
+ /@remotion/compositor-darwin-arm64/3.3.80:
+ resolution: {integrity: sha512-1GjMgVEySvm83ZlO9U6ltuDXH5jMGmK9JD88KEKqMZ2sqB1iP0oge1BWylNoPNfRn+Wvw/ApPAp4Tw9tTucmPg==}
+ cpu: [arm64]
+ os: [darwin]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/compositor-darwin-x64/3.3.80:
+ resolution: {integrity: sha512-RvBfdPr4XGEneb1DJ2Bvb76xHHWcX2qJW66HK9KkNy/d3RI1XpfXq1NOvWHTY8zhfBPfNKcjlGCBrLovKRMf4Q==}
+ cpu: [x64]
+ os: [darwin]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/compositor-linux-arm64-gnu/3.3.80:
+ resolution: {integrity: sha512-cgoQtay+eVEQM8bok7VfveqrQLBv1BgzjUXTXPUvlcp437wSfO/QeFHAmpwJ6fLd6W3rM3ZHmJ5F+P0odAhKqw==}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/compositor-linux-arm64-musl/3.3.80:
+ resolution: {integrity: sha512-MLYl8Ygy43YEQMFAQ1UxVltYTbwLSJmG347Wx/diXfGRRjSZ4IwKJCZlTBlm+FPXOm0xXo3eo3kZbitp6kj66w==}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/compositor-linux-x64-gnu/3.3.80:
+ resolution: {integrity: sha512-tk1i+JMIhKREJCZLZjCBUhUxMZSmGINWnYY6xPnLHYE78d833j5r/VkstWIc5K5tSHx0cPqDO4nVX7v43Pt3NQ==}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/compositor-linux-x64-musl/3.3.80:
+ resolution: {integrity: sha512-5Wvwz/RV/A5r2o+n3XsXkrsTQ9pxs/S7MJkfeqRndtdppf/Cwcn8maguzeLD0k3Zqtv6Dqb8gju9DcN6lVATig==}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/compositor-win32-x64-msvc/3.3.80:
+ resolution: {integrity: sha512-S3ManrRdVH3uOA39+GiX6fPE9psvbS5RL8m5/smYO4rcRPTtALvneVBqRZfww3ly6O1feN3oG1jyEXwT05AVxQ==}
+ cpu: [x64]
+ os: [win32]
+ requiresBuild: true
+ dev: false
+ optional: true
+
+ /@remotion/gif/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-XUQH5SQeXpcrghQMKI/mbX+aRsm18ukpQXttGIg+iTdPrEPUJJIQxK14Dzdju/p5+nB6OPyEDASWmnoWd1qCGg==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ dev: false
+
+ /@remotion/lottie/3.3.80_gn5hpwitoxbsx6uavhmqddmj5q:
+ resolution: {integrity: sha512-zWJf51xOvuO/LrI8haf7hfWIcc89e2kueNubSKQ3iOCsB3m2EJzGYwfmjP5qxkhn40F4NkosvPYk1ApvmhdQsw==}
+ peerDependencies:
+ lottie-web: ^5
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ lottie-web: 5.10.2
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ dev: false
+
+ /@remotion/media-utils/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-ySkKfrvAeSBxmnoCPo/BlYjVACFdbqH7NPXzcWqpuRHcMVko6N9mrmMDxlmlPS3mHdzPJ/uGnlTobHcsoyYLog==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ dev: false
+
+ /@remotion/motion-blur/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-aR5V+VHWNQ6RuxU2m5f9LKta+rO9LR9nH8EnqHP9ilelkw6aaFXWeokmpsTbKfPjMdFGVyDontpqKPAjIgLJlw==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ dev: false
+
+ /@remotion/noise/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-sHWcETP9iD9rBfyYHD+ibpB+I5ky2vYw1xIKdergTK6y7fBjSgpbWKyjGofe4yOzGwb/FPQxRnvNIPAZGUxxMQ==}
+ dependencies:
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ simplex-noise: 4.0.1
+ transitivePeerDependencies:
+ - react
+ - react-dom
+ dev: false
+
+ /@remotion/paths/3.3.80:
+ resolution: {integrity: sha512-jXwXgg0cvBjvjKi9GhgHcRAdmMZNkurbmceeCAhtxyCw/12k/xZ7AFxWInheBH0Wc8OpUq9yNF+R2VQTcZqZCg==}
+ dev: false
+
+ /@remotion/player/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-IFS64mj6ukTcJNFhFzkhoutRqEj3CNi95Ie0C+KnVj1ddtpMQDq4F2LsjgcuahIIAiJPRxG2iXNNF+I8Slj7gQ==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ dev: false
+
+ /@remotion/renderer/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-AtYI09KMBk3wiStE47EN9MpT4Me8XxX+znV2muvG1BNxWTohLqFZ1Npt7fnIDqQl+psWmO87Z99x3508TV27tA==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ execa: 5.1.1
+ extract-zip: 2.0.1
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ remotion: 3.3.80_biqbaboplfbrettd7655fr4n2y
+ source-map: 0.8.0-beta.0
+ ws: 8.7.0
+ optionalDependencies:
+ '@remotion/compositor-darwin-arm64': 3.3.80
+ '@remotion/compositor-darwin-x64': 3.3.80
+ '@remotion/compositor-linux-arm64-gnu': 3.3.80
+ '@remotion/compositor-linux-arm64-musl': 3.3.80
+ '@remotion/compositor-linux-x64-gnu': 3.3.80
+ '@remotion/compositor-linux-x64-musl': 3.3.80
+ '@remotion/compositor-win32-x64-msvc': 3.3.80
+ transitivePeerDependencies:
+ - bufferutil
+ - supports-color
+ - utf-8-validate
+ dev: false
+
+ /@remotion/shapes/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-eG9B0S3eNtwEqQ0o6o0YaIDD2rW/CPoCMiVgY7HZ6hRgbUkLqplGi3n0g/MUVXQF/jWczQHGZH9mnfXSC0GQuA==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ '@remotion/paths': 3.3.80
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ dev: false
+
+ /@scena/dragscroll/1.4.0:
+ resolution: {integrity: sha512-3O8daaZD9VXA9CP3dra6xcgt/qrm0mg0xJCwiX6druCteQ9FFsXffkF8PrqxY4Z4VJ58fFKEa0RlKqbsi/XnRA==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ '@scena/event-emitter': 1.0.5
+ dev: false
+
+ /@scena/event-emitter/1.0.5:
+ resolution: {integrity: sha512-AzY4OTb0+7ynefmWFQ6hxDdk0CySAq/D4efljfhtRHCOP7MBF9zUfhKG3TJiroVjASqVgkRJFdenS8ArZo6Olg==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ dev: false
+
+ /@scena/matrix/1.1.1:
+ resolution: {integrity: sha512-JVKBhN0tm2Srl+Yt+Ywqu0oLgLcdemDQlD1OxmN9jaCTwaFPZ7tY8n6dhVgMEaR9qcR7r+kAlMXnSfNyYdE+Vg==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ dev: false
+
+ /@tauri-apps/api/1.2.0:
+ resolution: {integrity: sha512-lsI54KI6HGf7VImuf/T9pnoejfgkNoXveP14pVV7XarrQ46rOejIVJLFqHI9sRReJMGdh2YuCoI3cc/yCWCsrw==}
+ engines: {node: '>= 14.6.0', npm: '>= 6.6.0', yarn: '>= 1.19.1'}
+ dev: false
+
+ /@tauri-apps/cli-darwin-arm64/1.2.3:
+ resolution: {integrity: sha512-phJN3fN8FtZZwqXg08bcxfq1+X1JSDglLvRxOxB7VWPq+O5SuB8uLyssjJsu+PIhyZZnIhTGdjhzLSFhSXfLsw==}
+ engines: {node: '>= 10'}
+ cpu: [arm64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-darwin-x64/1.2.3:
+ resolution: {integrity: sha512-jFZ/y6z8z6v4yliIbXKBXA7BJgtZVMsITmEXSuD6s5+eCOpDhQxbRkr6CA+FFfr+/r96rWSDSgDenDQuSvPAKw==}
+ engines: {node: '>= 10'}
+ cpu: [x64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-linux-arm-gnueabihf/1.2.3:
+ resolution: {integrity: sha512-C7h5vqAwXzY0kRGSU00Fj8PudiDWFCiQqqUNI1N+fhCILrzWZB9TPBwdx33ZfXKt/U4+emdIoo/N34v3TiAOmQ==}
+ engines: {node: '>= 10'}
+ cpu: [arm]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-linux-arm64-gnu/1.2.3:
+ resolution: {integrity: sha512-buf1c8sdkuUzVDkGPQpyUdAIIdn5r0UgXU6+H5fGPq/Xzt5K69JzXaeo6fHsZEZghbV0hOK+taKV4J0m30UUMQ==}
+ engines: {node: '>= 10'}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-linux-arm64-musl/1.2.3:
+ resolution: {integrity: sha512-x88wPS9W5xAyk392vc4uNHcKBBvCp0wf4H9JFMF9OBwB7vfd59LbQCFcPSu8f0BI7bPrOsyHqspWHuFL8ojQEA==}
+ engines: {node: '>= 10'}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-linux-x64-gnu/1.2.3:
+ resolution: {integrity: sha512-ZMz1jxEVe0B4/7NJnlPHmwmSIuwiD6ViXKs8F+OWWz2Y4jn5TGxWKFg7DLx5OwQTRvEIZxxT7lXHi5CuTNAxKg==}
+ engines: {node: '>= 10'}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-linux-x64-musl/1.2.3:
+ resolution: {integrity: sha512-B/az59EjJhdbZDzawEVox0LQu2ZHCZlk8rJf85AMIktIUoAZPFbwyiUv7/zjzA/sY6Nb58OSJgaPL2/IBy7E0A==}
+ engines: {node: '>= 10'}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-win32-ia32-msvc/1.2.3:
+ resolution: {integrity: sha512-ypdO1OdC5ugNJAKO2m3sb1nsd+0TSvMS9Tr5qN/ZSMvtSduaNwrcZ3D7G/iOIanrqu/Nl8t3LYlgPZGBKlw7Ng==}
+ engines: {node: '>= 10'}
+ cpu: [ia32]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli-win32-x64-msvc/1.2.3:
+ resolution: {integrity: sha512-CsbHQ+XhnV/2csOBBDVfH16cdK00gNyNYUW68isedmqcn8j+s0e9cQ1xXIqi+Hue3awp8g3ImYN5KPepf3UExw==}
+ engines: {node: '>= 10'}
+ cpu: [x64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /@tauri-apps/cli/1.2.3:
+ resolution: {integrity: sha512-erxtXuPhMEGJPBtnhPILD4AjuT81GZsraqpFvXAmEJZ2p8P6t7MVBifCL8LznRknznM3jn90D3M8RNBP3wcXTw==}
+ engines: {node: '>= 10'}
+ hasBin: true
+ optionalDependencies:
+ '@tauri-apps/cli-darwin-arm64': 1.2.3
+ '@tauri-apps/cli-darwin-x64': 1.2.3
+ '@tauri-apps/cli-linux-arm-gnueabihf': 1.2.3
+ '@tauri-apps/cli-linux-arm64-gnu': 1.2.3
+ '@tauri-apps/cli-linux-arm64-musl': 1.2.3
+ '@tauri-apps/cli-linux-x64-gnu': 1.2.3
+ '@tauri-apps/cli-linux-x64-musl': 1.2.3
+ '@tauri-apps/cli-win32-ia32-msvc': 1.2.3
+ '@tauri-apps/cli-win32-x64-msvc': 1.2.3
+ dev: true
+
+ /@types/d3-color/2.0.3:
+ resolution: {integrity: sha512-+0EtEjBfKEDtH9Rk3u3kLOUXM5F+iZK+WvASPb0MhIZl8J8NUvGeZRwKCXl+P3HkYx5TdU4YtcibpqHkSR9n7w==}
+ dev: true
+
+ /@types/d3-geo/2.0.4:
+ resolution: {integrity: sha512-kP0LcPVN6P/42hmFt0kZm93YTscfawZo6tioL9y0Ya2l5rxaGoYrIG4zee+yJoK9cLTOc8E8S5ExqTEYVwjIkw==}
+ dependencies:
+ '@types/geojson': 7946.0.10
+ dev: true
+
+ /@types/d3-interpolate/2.0.2:
+ resolution: {integrity: sha512-lElyqlUfIPyWG/cD475vl6msPL4aMU7eJvx1//Q177L8mdXoVPFl1djIESF2FKnc0NyaHvQlJpWwKJYwAhUoCw==}
+ dependencies:
+ '@types/d3-color': 2.0.3
+ dev: true
+
+ /@types/d3-selection/2.0.1:
+ resolution: {integrity: sha512-3mhtPnGE+c71rl/T5HMy+ykg7migAZ4T6gzU0HxpgBFKcasBrSnwRbYV1/UZR6o5fkpySxhWxAhd7yhjj8jL7g==}
+ dev: true
+
+ /@types/d3-zoom/2.0.3:
+ resolution: {integrity: sha512-9X9uDYKk2U8w775OHj36s9Q7GkNAnJKGw6+sbkP5DpHSjELwKvTGzEK6+IISYfLpJRL/V3mRXMhgDnnJ5LkwJg==}
+ dependencies:
+ '@types/d3-interpolate': 2.0.2
+ '@types/d3-selection': 2.0.1
+ dev: true
+
+ /@types/eslint-scope/3.7.4:
+ resolution: {integrity: sha512-9K4zoImiZc3HlIp6AVUDE4CWYx22a+lhSZMYNpbjW04+YF0KWj4pJXnEMjdnFTiQibFFmElcsasJXDbdI/EPhA==}
+ dependencies:
+ '@types/eslint': 8.37.0
+ '@types/estree': 0.0.51
+ dev: false
+
+ /@types/eslint/8.37.0:
+ resolution: {integrity: sha512-Piet7dG2JBuDIfohBngQ3rCt7MgO9xCO4xIMKxBThCq5PNRB91IjlJ10eJVwfoNtvTErmxLzwBZ7rHZtbOMmFQ==}
+ dependencies:
+ '@types/estree': 0.0.51
+ '@types/json-schema': 7.0.11
+ dev: false
+
+ /@types/estree/0.0.51:
+ resolution: {integrity: sha512-CuPgU6f3eT/XgKKPqKd/gLZV1Xmvf1a2R5POBOGQa6uv82xpls89HU5zKeVoyR8XzHd1RGNOlQlvUe3CFkjWNQ==}
+ dev: false
+
+ /@types/geojson/7946.0.10:
+ resolution: {integrity: sha512-Nmh0K3iWQJzniTuPRcJn5hxXkfB1T1pgB89SBig5PlJQU5yocazeu4jATJlaA0GYFKWMqDdvYemoSnF2pXgLVA==}
+ dev: true
+
+ /@types/history/4.7.11:
+ resolution: {integrity: sha512-qjDJRrmvBMiTx+jyLxvLfJU7UznFuokDv4f3WRuriHKERccVpFU+8XMQUAbDzoiJCsmexxRExQeMwwCdamSKDA==}
+ dev: true
+
+ /@types/is-ci/3.0.0:
+ resolution: {integrity: sha512-Q0Op0hdWbYd1iahB+IFNQcWXFq4O0Q5MwQP7uN0souuQ4rPg1vEYcnIOfr1gY+M+6rc8FGoRaBO1mOOvL29sEQ==}
+ dependencies:
+ ci-info: 3.8.0
+ dev: false
+
+ /@types/json-schema/7.0.11:
+ resolution: {integrity: sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==}
+ dev: false
+
+ /@types/json5/0.0.29:
+ resolution: {integrity: sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==}
+ dev: false
+
+ /@types/minimist/1.2.2:
+ resolution: {integrity: sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ==}
+ dev: false
+
+ /@types/node/12.20.55:
+ resolution: {integrity: sha512-J8xLz7q2OFulZ2cyGTLE1TbbZcjpno7FaN6zdJNrgAdrJ+DZzh/uFR6YrTb4C+nXakvud8Q4+rbhoIWlYQbUFQ==}
+ dev: false
+
+ /@types/node/18.15.11:
+ resolution: {integrity: sha512-E5Kwq2n4SbMzQOn6wnmBjuK9ouqlURrcZDVfbo9ftDDTFt3nk7ZKK4GMOzoYgnpQJKcxwQw+lGaBvvlMo0qN/Q==}
+
+ /@types/normalize-package-data/2.4.1:
+ resolution: {integrity: sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw==}
+ dev: false
+
+ /@types/prop-types/15.7.5:
+ resolution: {integrity: sha512-JCB8C6SnDoQf0cNycqd/35A7MjcnK+ZTqE7judS6o7utxUCg6imJg3QK2qzHKszlTjcj2cn+NwMB2i96ubpj7w==}
+ dev: true
+
+ /@types/react-dom/18.0.11:
+ resolution: {integrity: sha512-O38bPbI2CWtgw/OoQoY+BRelw7uysmXbWvw3nLWO21H1HSh+GOlqPuXshJfjmpNlKiiSDG9cc1JZAaMmVdcTlw==}
+ dependencies:
+ '@types/react': 18.0.33
+ dev: true
+
+ /@types/react-router-dom/5.3.3:
+ resolution: {integrity: sha512-kpqnYK4wcdm5UaWI3fLcELopqLrHgLqNsdpHauzlQktfkHL3npOSwtj1Uz9oKBAzs7lFtVkV8j83voAz2D8fhw==}
+ dependencies:
+ '@types/history': 4.7.11
+ '@types/react': 18.0.33
+ '@types/react-router': 5.1.20
+ dev: true
+
+ /@types/react-router/5.1.20:
+ resolution: {integrity: sha512-jGjmu/ZqS7FjSH6owMcD5qpq19+1RS9DeVRqfl1FeBMxTDQAGwlMWOcs52NDoXaNKyG3d1cYQFMs9rCrb88o9Q==}
+ dependencies:
+ '@types/history': 4.7.11
+ '@types/react': 18.0.33
+ dev: true
+
+ /@types/react-simple-maps/3.0.0:
+ resolution: {integrity: sha512-yj1gBs7R+yq0OaHzQgwcRvzaHQxNBny1myl7NaICeBjToTG2sQK2Tq18lflojtLTm8vOLeFuA3EaYW+L8SkrAQ==}
+ dependencies:
+ '@types/d3-geo': 2.0.4
+ '@types/d3-zoom': 2.0.3
+ '@types/geojson': 7946.0.10
+ '@types/react': 18.0.33
+ dev: true
+
+ /@types/react/18.0.33:
+ resolution: {integrity: sha512-sHxzVxeanvQyQ1lr8NSHaj0kDzcNiGpILEVt69g9S31/7PfMvNCKLKcsHw4lYKjs3cGNJjXSP4mYzX43QlnjNA==}
+ dependencies:
+ '@types/prop-types': 15.7.5
+ '@types/scheduler': 0.16.3
+ csstype: 3.1.2
+ dev: true
+
+ /@types/scheduler/0.16.3:
+ resolution: {integrity: sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==}
+ dev: true
+
+ /@types/semver/6.2.3:
+ resolution: {integrity: sha512-KQf+QAMWKMrtBMsB8/24w53tEsxllMj6TuA80TT/5igJalLI/zm0L3oXRbIAl4Ohfc85gyHX/jhMwsVkmhLU4A==}
+ dev: false
+
+ /@types/semver/7.3.13:
+ resolution: {integrity: sha512-21cFJr9z3g5dW8B0CVI9g2O9beqaThGQ6ZFBqHfwhzLDKUxaqTIy3vnfah/UPkfOiF2pLq+tGz+W8RyCskuslw==}
+ dev: false
+
+ /@types/yauzl/2.10.0:
+ resolution: {integrity: sha512-Cn6WYCm0tXv8p6k+A8PvbDG763EDpBoTzHdA+Q/MF6H3sapGjCm9NzoaJncJS9tUKSuCoDs9XHxYYsQDgxR6kw==}
+ requiresBuild: true
+ dependencies:
+ '@types/node': 18.15.11
+ dev: false
+ optional: true
+
+ /@typescript-eslint/eslint-plugin/5.57.1_iify4w3mi7rbbu6mxzspkpx4b4:
+ resolution: {integrity: sha512-1MeobQkQ9tztuleT3v72XmY0XuKXVXusAhryoLuU5YZ+mXoYKZP9SQ7Flulh1NX4DTjpGTc2b/eMu4u7M7dhnQ==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ peerDependencies:
+ '@typescript-eslint/parser': ^5.0.0
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@eslint-community/regexpp': 4.5.0
+ '@typescript-eslint/parser': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ '@typescript-eslint/scope-manager': 5.57.1
+ '@typescript-eslint/type-utils': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ '@typescript-eslint/utils': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ debug: 4.3.4
+ eslint: 8.37.0
+ grapheme-splitter: 1.0.4
+ ignore: 5.2.4
+ natural-compare-lite: 1.4.0
+ semver: 7.3.8
+ tsutils: 3.21.0_typescript@4.9.5
+ typescript: 4.9.5
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /@typescript-eslint/parser/5.57.1_ip5up2nocltd47wbnuyybe5dxu:
+ resolution: {integrity: sha512-hlA0BLeVSA/wBPKdPGxoVr9Pp6GutGoY380FEhbVi0Ph4WNe8kLvqIRx76RSQt1lynZKfrXKs0/XeEk4zZycuA==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ peerDependencies:
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/scope-manager': 5.57.1
+ '@typescript-eslint/types': 5.57.1
+ '@typescript-eslint/typescript-estree': 5.57.1_typescript@4.9.5
+ debug: 4.3.4
+ eslint: 8.37.0
+ typescript: 4.9.5
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /@typescript-eslint/scope-manager/5.57.1:
+ resolution: {integrity: sha512-N/RrBwEUKMIYxSKl0oDK5sFVHd6VI7p9K5MyUlVYAY6dyNb/wHUqndkTd3XhpGlXgnQsBkRZuu4f9kAHghvgPw==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dependencies:
+ '@typescript-eslint/types': 5.57.1
+ '@typescript-eslint/visitor-keys': 5.57.1
+ dev: false
+
+ /@typescript-eslint/type-utils/5.57.1_ip5up2nocltd47wbnuyybe5dxu:
+ resolution: {integrity: sha512-/RIPQyx60Pt6ga86hKXesXkJ2WOS4UemFrmmq/7eOyiYjYv/MUSHPlkhU6k9T9W1ytnTJueqASW+wOmW4KrViw==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ peerDependencies:
+ eslint: '*'
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/typescript-estree': 5.57.1_typescript@4.9.5
+ '@typescript-eslint/utils': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ debug: 4.3.4
+ eslint: 8.37.0
+ tsutils: 3.21.0_typescript@4.9.5
+ typescript: 4.9.5
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /@typescript-eslint/types/5.57.1:
+ resolution: {integrity: sha512-bSs4LOgyV3bJ08F5RDqO2KXqg3WAdwHCu06zOqcQ6vqbTJizyBhuh1o1ImC69X4bV2g1OJxbH71PJqiO7Y1RuA==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dev: false
+
+ /@typescript-eslint/typescript-estree/5.57.1_typescript@4.9.5:
+ resolution: {integrity: sha512-A2MZqD8gNT0qHKbk2wRspg7cHbCDCk2tcqt6ScCFLr5Ru8cn+TCfM786DjPhqwseiS+PrYwcXht5ztpEQ6TFTw==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ peerDependencies:
+ typescript: '*'
+ peerDependenciesMeta:
+ typescript:
+ optional: true
+ dependencies:
+ '@typescript-eslint/types': 5.57.1
+ '@typescript-eslint/visitor-keys': 5.57.1
+ debug: 4.3.4
+ globby: 11.1.0
+ is-glob: 4.0.3
+ semver: 7.3.8
+ tsutils: 3.21.0_typescript@4.9.5
+ typescript: 4.9.5
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /@typescript-eslint/utils/5.57.1_ip5up2nocltd47wbnuyybe5dxu:
+ resolution: {integrity: sha512-kN6vzzf9NkEtawECqze6v99LtmDiUJCVpvieTFA1uL7/jDghiJGubGZ5csicYHU1Xoqb3oH/R5cN5df6W41Nfg==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ peerDependencies:
+ eslint: ^6.0.0 || ^7.0.0 || ^8.0.0
+ dependencies:
+ '@eslint-community/eslint-utils': 4.4.0_eslint@8.37.0
+ '@types/json-schema': 7.0.11
+ '@types/semver': 7.3.13
+ '@typescript-eslint/scope-manager': 5.57.1
+ '@typescript-eslint/types': 5.57.1
+ '@typescript-eslint/typescript-estree': 5.57.1_typescript@4.9.5
+ eslint: 8.37.0
+ eslint-scope: 5.1.1
+ semver: 7.3.8
+ transitivePeerDependencies:
+ - supports-color
+ - typescript
+ dev: false
+
+ /@typescript-eslint/visitor-keys/5.57.1:
+ resolution: {integrity: sha512-RjQrAniDU0CEk5r7iphkm731zKlFiUjvcBS2yHAg8WWqFMCaCrD0rKEVOMUyMMcbGPZ0bPp56srkGWrgfZqLRA==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dependencies:
+ '@typescript-eslint/types': 5.57.1
+ eslint-visitor-keys: 3.4.0
+ dev: false
+
+ /@vitejs/plugin-react/3.1.0_vite@4.2.1:
+ resolution: {integrity: sha512-AfgcRL8ZBhAlc3BFdigClmTUMISmmzHn7sB2h9U1odvc5U/MjWXsAaz18b/WoppUTDBzxOJwo2VdClfUcItu9g==}
+ engines: {node: ^14.18.0 || >=16.0.0}
+ peerDependencies:
+ vite: ^4.1.0-beta.0
+ dependencies:
+ '@babel/core': 7.21.4
+ '@babel/plugin-transform-react-jsx-self': 7.21.0_@babel+core@7.21.4
+ '@babel/plugin-transform-react-jsx-source': 7.19.6_@babel+core@7.21.4
+ magic-string: 0.27.0
+ react-refresh: 0.14.0
+ vite: 4.2.1_@types+node@18.15.11
+ transitivePeerDependencies:
+ - supports-color
+ dev: true
+
+ /@webassemblyjs/ast/1.11.1:
+ resolution: {integrity: sha512-ukBh14qFLjxTQNTXocdyksN5QdM28S1CxHt2rdskFyL+xFV7VremuBLVbmCePj+URalXBENx/9Lm7lnhihtCSw==}
+ dependencies:
+ '@webassemblyjs/helper-numbers': 1.11.1
+ '@webassemblyjs/helper-wasm-bytecode': 1.11.1
+ dev: false
+
+ /@webassemblyjs/floating-point-hex-parser/1.11.1:
+ resolution: {integrity: sha512-iGRfyc5Bq+NnNuX8b5hwBrRjzf0ocrJPI6GWFodBFzmFnyvrQ83SHKhmilCU/8Jv67i4GJZBMhEzltxzcNagtQ==}
+ dev: false
+
+ /@webassemblyjs/helper-api-error/1.11.1:
+ resolution: {integrity: sha512-RlhS8CBCXfRUR/cwo2ho9bkheSXG0+NwooXcc3PAILALf2QLdFyj7KGsKRbVc95hZnhnERon4kW/D3SZpp6Tcg==}
+ dev: false
+
+ /@webassemblyjs/helper-buffer/1.11.1:
+ resolution: {integrity: sha512-gwikF65aDNeeXa8JxXa2BAk+REjSyhrNC9ZwdT0f8jc4dQQeDQ7G4m0f2QCLPJiMTTO6wfDmRmj/pW0PsUvIcA==}
+ dev: false
+
+ /@webassemblyjs/helper-numbers/1.11.1:
+ resolution: {integrity: sha512-vDkbxiB8zfnPdNK9Rajcey5C0w+QJugEglN0of+kmO8l7lDb77AnlKYQF7aarZuCrv+l0UvqL+68gSDr3k9LPQ==}
+ dependencies:
+ '@webassemblyjs/floating-point-hex-parser': 1.11.1
+ '@webassemblyjs/helper-api-error': 1.11.1
+ '@xtuc/long': 4.2.2
+ dev: false
+
+ /@webassemblyjs/helper-wasm-bytecode/1.11.1:
+ resolution: {integrity: sha512-PvpoOGiJwXeTrSf/qfudJhwlvDQxFgelbMqtq52WWiXC6Xgg1IREdngmPN3bs4RoO83PnL/nFrxucXj1+BX62Q==}
+ dev: false
+
+ /@webassemblyjs/helper-wasm-section/1.11.1:
+ resolution: {integrity: sha512-10P9No29rYX1j7F3EVPX3JvGPQPae+AomuSTPiF9eBQeChHI6iqjMIwR9JmOJXwpnn/oVGDk7I5IlskuMwU/pg==}
+ dependencies:
+ '@webassemblyjs/ast': 1.11.1
+ '@webassemblyjs/helper-buffer': 1.11.1
+ '@webassemblyjs/helper-wasm-bytecode': 1.11.1
+ '@webassemblyjs/wasm-gen': 1.11.1
+ dev: false
+
+ /@webassemblyjs/ieee754/1.11.1:
+ resolution: {integrity: sha512-hJ87QIPtAMKbFq6CGTkZYJivEwZDbQUgYd3qKSadTNOhVY7p+gfP6Sr0lLRVTaG1JjFj+r3YchoqRYxNH3M0GQ==}
+ dependencies:
+ '@xtuc/ieee754': 1.2.0
+ dev: false
+
+ /@webassemblyjs/leb128/1.11.1:
+ resolution: {integrity: sha512-BJ2P0hNZ0u+Th1YZXJpzW6miwqQUGcIHT1G/sf72gLVD9DZ5AdYTqPNbHZh6K1M5VmKvFXwGSWZADz+qBWxeRw==}
+ dependencies:
+ '@xtuc/long': 4.2.2
+ dev: false
+
+ /@webassemblyjs/utf8/1.11.1:
+ resolution: {integrity: sha512-9kqcxAEdMhiwQkHpkNiorZzqpGrodQQ2IGrHHxCy+Ozng0ofyMA0lTqiLkVs1uzTRejX+/O0EOT7KxqVPuXosQ==}
+ dev: false
+
+ /@webassemblyjs/wasm-edit/1.11.1:
+ resolution: {integrity: sha512-g+RsupUC1aTHfR8CDgnsVRVZFJqdkFHpsHMfJuWQzWU3tvnLC07UqHICfP+4XyL2tnr1amvl1Sdp06TnYCmVkA==}
+ dependencies:
+ '@webassemblyjs/ast': 1.11.1
+ '@webassemblyjs/helper-buffer': 1.11.1
+ '@webassemblyjs/helper-wasm-bytecode': 1.11.1
+ '@webassemblyjs/helper-wasm-section': 1.11.1
+ '@webassemblyjs/wasm-gen': 1.11.1
+ '@webassemblyjs/wasm-opt': 1.11.1
+ '@webassemblyjs/wasm-parser': 1.11.1
+ '@webassemblyjs/wast-printer': 1.11.1
+ dev: false
+
+ /@webassemblyjs/wasm-gen/1.11.1:
+ resolution: {integrity: sha512-F7QqKXwwNlMmsulj6+O7r4mmtAlCWfO/0HdgOxSklZfQcDu0TpLiD1mRt/zF25Bk59FIjEuGAIyn5ei4yMfLhA==}
+ dependencies:
+ '@webassemblyjs/ast': 1.11.1
+ '@webassemblyjs/helper-wasm-bytecode': 1.11.1
+ '@webassemblyjs/ieee754': 1.11.1
+ '@webassemblyjs/leb128': 1.11.1
+ '@webassemblyjs/utf8': 1.11.1
+ dev: false
+
+ /@webassemblyjs/wasm-opt/1.11.1:
+ resolution: {integrity: sha512-VqnkNqnZlU5EB64pp1l7hdm3hmQw7Vgqa0KF/KCNO9sIpI6Fk6brDEiX+iCOYrvMuBWDws0NkTOxYEb85XQHHw==}
+ dependencies:
+ '@webassemblyjs/ast': 1.11.1
+ '@webassemblyjs/helper-buffer': 1.11.1
+ '@webassemblyjs/wasm-gen': 1.11.1
+ '@webassemblyjs/wasm-parser': 1.11.1
+ dev: false
+
+ /@webassemblyjs/wasm-parser/1.11.1:
+ resolution: {integrity: sha512-rrBujw+dJu32gYB7/Lup6UhdkPx9S9SnobZzRVL7VcBH9Bt9bCBLEuX/YXOOtBsOZ4NQrRykKhffRWHvigQvOA==}
+ dependencies:
+ '@webassemblyjs/ast': 1.11.1
+ '@webassemblyjs/helper-api-error': 1.11.1
+ '@webassemblyjs/helper-wasm-bytecode': 1.11.1
+ '@webassemblyjs/ieee754': 1.11.1
+ '@webassemblyjs/leb128': 1.11.1
+ '@webassemblyjs/utf8': 1.11.1
+ dev: false
+
+ /@webassemblyjs/wast-printer/1.11.1:
+ resolution: {integrity: sha512-IQboUWM4eKzWW+N/jij2sRatKMh99QEelo3Eb2q0qXkvPRISAj8Qxtmw5itwqK+TTkBuUIE45AxYPToqPtL5gg==}
+ dependencies:
+ '@webassemblyjs/ast': 1.11.1
+ '@xtuc/long': 4.2.2
+ dev: false
+
+ /@xtuc/ieee754/1.2.0:
+ resolution: {integrity: sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA==}
+ dev: false
+
+ /@xtuc/long/4.2.2:
+ resolution: {integrity: sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ==}
+ dev: false
+
+ /@yarnpkg/lockfile/1.1.0:
+ resolution: {integrity: sha512-GpSwvyXOcOOlV70vbnzjj4fW5xW/FdUF6nQEt1ENy7m4ZCczi1+/buVUPAqmGfqznsORNFzUMjctTIp8a9tuCQ==}
+ dev: false
+
+ /acorn-import-assertions/1.8.0_acorn@8.8.2:
+ resolution: {integrity: sha512-m7VZ3jwz4eK6A4Vtt8Ew1/mNbP24u0FhdyfA7fSvnJR6LMdfOYnmuIrrJAgrYfYJ10F/otaHTtrtrtmHdMNzEw==}
+ peerDependencies:
+ acorn: ^8
+ dependencies:
+ acorn: 8.8.2
+ dev: false
+
+ /acorn-jsx/5.3.2_acorn@8.8.2:
+ resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==}
+ peerDependencies:
+ acorn: ^6.0.0 || ^7.0.0 || ^8.0.0
+ dependencies:
+ acorn: 8.8.2
+ dev: false
+
+ /acorn/8.8.2:
+ resolution: {integrity: sha512-xjIYgE8HBrkpd/sJqOGNspf8uHG+NOHGOw6a/Urj8taM2EXfdNAH2oFcPeIFfsv3+kz/mJrS5VuMqbNLjCa2vw==}
+ engines: {node: '>=0.4.0'}
+ hasBin: true
+ dev: false
+
+ /ajv-keywords/3.5.2_ajv@6.12.6:
+ resolution: {integrity: sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ==}
+ peerDependencies:
+ ajv: ^6.9.1
+ dependencies:
+ ajv: 6.12.6
+ dev: false
+
+ /ajv/6.12.6:
+ resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==}
+ dependencies:
+ fast-deep-equal: 3.1.3
+ fast-json-stable-stringify: 2.1.0
+ json-schema-traverse: 0.4.1
+ uri-js: 4.4.1
+ dev: false
+
+ /ansi-colors/4.1.3:
+ resolution: {integrity: sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /ansi-regex/5.0.1:
+ resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /ansi-styles/3.2.1:
+ resolution: {integrity: sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==}
+ engines: {node: '>=4'}
+ dependencies:
+ color-convert: 1.9.3
+
+ /ansi-styles/4.3.0:
+ resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==}
+ engines: {node: '>=8'}
+ dependencies:
+ color-convert: 2.0.1
+ dev: false
+
+ /any-promise/1.3.0:
+ resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==}
+ dev: false
+
+ /anymatch/3.1.3:
+ resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==}
+ engines: {node: '>= 8'}
+ dependencies:
+ normalize-path: 3.0.0
+ picomatch: 2.3.1
+ dev: false
+
+ /arg/5.0.2:
+ resolution: {integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==}
+ dev: false
+
+ /argparse/1.0.10:
+ resolution: {integrity: sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==}
+ dependencies:
+ sprintf-js: 1.0.3
+ dev: false
+
+ /argparse/2.0.1:
+ resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==}
+ dev: false
+
+ /array-buffer-byte-length/1.0.0:
+ resolution: {integrity: sha512-LPuwb2P+NrQw3XhxGc36+XSvuBPopovXYTR9Ew++Du9Yb/bx5AzBfrIsBoj0EZUifjQU+sHL21sseZ3jerWO/A==}
+ dependencies:
+ call-bind: 1.0.2
+ is-array-buffer: 3.0.2
+ dev: false
+
+ /array-includes/3.1.6:
+ resolution: {integrity: sha512-sgTbLvL6cNnw24FnbaDyjmvddQ2ML8arZsgaJhoABMoplz/4QRhtrYS+alr1BUM1Bwp6dhx8vVCBSLG+StwOFw==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ get-intrinsic: 1.2.0
+ is-string: 1.0.7
+ dev: false
+
+ /array-union/2.1.0:
+ resolution: {integrity: sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /array.prototype.flat/1.3.1:
+ resolution: {integrity: sha512-roTU0KWIOmJ4DRLmwKd19Otg0/mT3qPNt0Qb3GWW8iObuZXxrjB/pzn0R3hqpRSWg4HCwqx+0vwOnWnvlOyeIA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ es-shim-unscopables: 1.0.0
+ dev: false
+
+ /array.prototype.flatmap/1.3.1:
+ resolution: {integrity: sha512-8UGn9O1FDVvMNB0UlLv4voxRMze7+FpHyF5mSMRjWHUMlpoDViniy05870VlxhfgTnLbpuwTzvD76MTtWxB/mQ==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ es-shim-unscopables: 1.0.0
+ dev: false
+
+ /array.prototype.tosorted/1.1.1:
+ resolution: {integrity: sha512-pZYPXPRl2PqWcsUs6LOMn+1f1532nEoPTYowBtqLwAW+W8vSVhkIGnmOX1t/UQjD6YGI0vcD2B1U7ZFGQH9jnQ==}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ es-shim-unscopables: 1.0.0
+ get-intrinsic: 1.2.0
+ dev: false
+
+ /arrify/1.0.1:
+ resolution: {integrity: sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /at-least-node/1.0.0:
+ resolution: {integrity: sha512-+q/t7Ekv1EDY2l6Gda6LLiX14rU9TV20Wa3ofeQmwPFZbOMo9DXrLbOjFaaclkXKWidIaopwAObQDqwWtGUjqg==}
+ engines: {node: '>= 4.0.0'}
+ dev: false
+
+ /autoprefixer/10.4.14_postcss@8.4.21:
+ resolution: {integrity: sha512-FQzyfOsTlwVzjHxKEqRIAdJx9niO6VCBCoEwax/VLSoQF29ggECcPuBqUMZ+u8jCZOPSy8b8/8KnuFbp0SaFZQ==}
+ engines: {node: ^10 || ^12 || >=14}
+ hasBin: true
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ browserslist: 4.21.5
+ caniuse-lite: 1.0.30001474
+ fraction.js: 4.2.0
+ normalize-range: 0.1.2
+ picocolors: 1.0.0
+ postcss: 8.4.21
+ postcss-value-parser: 4.2.0
+ dev: false
+
+ /available-typed-arrays/1.0.5:
+ resolution: {integrity: sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==}
+ engines: {node: '>= 0.4'}
+ dev: false
+
+ /balanced-match/1.0.2:
+ resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==}
+ dev: false
+
+ /better-path-resolve/1.0.0:
+ resolution: {integrity: sha512-pbnl5XzGBdrFU/wT4jqmJVPn2B6UHPBOhzMQkY/SPUPB6QtUXtmBHBIwCbXJol93mOpGMnQyP/+BB19q04xj7g==}
+ engines: {node: '>=4'}
+ dependencies:
+ is-windows: 1.0.2
+ dev: false
+
+ /big.js/5.2.2:
+ resolution: {integrity: sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==}
+ dev: false
+
+ /binary-extensions/2.2.0:
+ resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /brace-expansion/1.1.11:
+ resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==}
+ dependencies:
+ balanced-match: 1.0.2
+ concat-map: 0.0.1
+ dev: false
+
+ /braces/3.0.2:
+ resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==}
+ engines: {node: '>=8'}
+ dependencies:
+ fill-range: 7.0.1
+ dev: false
+
+ /breakword/1.0.5:
+ resolution: {integrity: sha512-ex5W9DoOQ/LUEU3PMdLs9ua/CYZl1678NUkKOdUSi8Aw5F1idieaiRURCBFJCwVcrD1J8Iy3vfWSloaMwO2qFg==}
+ dependencies:
+ wcwidth: 1.0.1
+ dev: false
+
+ /browserslist/4.21.5:
+ resolution: {integrity: sha512-tUkiguQGW7S3IhB7N+c2MV/HZPSCPAAiYBZXLsBhFB/PCy6ZKKsZrmBayHV9fdGV/ARIfJ14NkxKzRDjvp7L6w==}
+ engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7}
+ hasBin: true
+ dependencies:
+ caniuse-lite: 1.0.30001474
+ electron-to-chromium: 1.4.350
+ node-releases: 2.0.10
+ update-browserslist-db: 1.0.10_browserslist@4.21.5
+
+ /buffer-crc32/0.2.13:
+ resolution: {integrity: sha512-VO9Ht/+p3SN7SKWqcrgEzjGbRSJYTx+Q1pTQC0wrWqHx0vpJraQ6GtHx8tvcg1rlK1byhU5gccxgOgj7B0TDkQ==}
+ dev: false
+
+ /buffer-from/1.1.2:
+ resolution: {integrity: sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==}
+ dev: false
+
+ /call-bind/1.0.2:
+ resolution: {integrity: sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==}
+ dependencies:
+ function-bind: 1.1.1
+ get-intrinsic: 1.2.0
+ dev: false
+
+ /callsites/3.1.0:
+ resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /camelcase-css/2.0.1:
+ resolution: {integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==}
+ engines: {node: '>= 6'}
+ dev: false
+
+ /camelcase-keys/6.2.2:
+ resolution: {integrity: sha512-YrwaA0vEKazPBkn0ipTiMpSajYDSe+KjQfrjhcBMxJt/znbvlHd8Pw/Vamaz5EB4Wfhs3SUR3Z9mwRu/P3s3Yg==}
+ engines: {node: '>=8'}
+ dependencies:
+ camelcase: 5.3.1
+ map-obj: 4.3.0
+ quick-lru: 4.0.1
+ dev: false
+
+ /camelcase/5.3.1:
+ resolution: {integrity: sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /caniuse-lite/1.0.30001474:
+ resolution: {integrity: sha512-iaIZ8gVrWfemh5DG3T9/YqarVZoYf0r188IjaGwx68j4Pf0SGY6CQkmJUIE+NZHkkecQGohzXmBGEwWDr9aM3Q==}
+
+ /chalk/2.4.2:
+ resolution: {integrity: sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==}
+ engines: {node: '>=4'}
+ dependencies:
+ ansi-styles: 3.2.1
+ escape-string-regexp: 1.0.5
+ supports-color: 5.5.0
+
+ /chalk/4.1.2:
+ resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==}
+ engines: {node: '>=10'}
+ dependencies:
+ ansi-styles: 4.3.0
+ supports-color: 7.2.0
+ dev: false
+
+ /chardet/0.7.0:
+ resolution: {integrity: sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==}
+ dev: false
+
+ /chokidar/3.5.3:
+ resolution: {integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==}
+ engines: {node: '>= 8.10.0'}
+ dependencies:
+ anymatch: 3.1.3
+ braces: 3.0.2
+ 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.2
+ dev: false
+
+ /chrome-trace-event/1.0.3:
+ resolution: {integrity: sha512-p3KULyQg4S7NIHixdwbGX+nFHkoBiA4YQmyWtjb8XngSKV124nJmRysgAeujbUVb15vh+RvFUfCPqU7rXk+hZg==}
+ engines: {node: '>=6.0'}
+ dev: false
+
+ /ci-info/2.0.0:
+ resolution: {integrity: sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==}
+ dev: false
+
+ /ci-info/3.8.0:
+ resolution: {integrity: sha512-eXTggHWSooYhq49F2opQhuHWgzucfF2YgODK4e1566GQs5BIfP30B0oenwBJHfWxAs2fyPB1s7Mg949zLf61Yw==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /cliui/6.0.0:
+ resolution: {integrity: sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==}
+ dependencies:
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ wrap-ansi: 6.2.0
+ dev: false
+
+ /cliui/8.0.1:
+ resolution: {integrity: sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==}
+ engines: {node: '>=12'}
+ dependencies:
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ wrap-ansi: 7.0.0
+ dev: false
+
+ /clone/1.0.4:
+ resolution: {integrity: sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==}
+ engines: {node: '>=0.8'}
+ dev: false
+
+ /color-convert/1.9.3:
+ resolution: {integrity: sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==}
+ dependencies:
+ color-name: 1.1.3
+
+ /color-convert/2.0.1:
+ resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==}
+ engines: {node: '>=7.0.0'}
+ dependencies:
+ color-name: 1.1.4
+ dev: false
+
+ /color-name/1.1.3:
+ resolution: {integrity: sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==}
+
+ /color-name/1.1.4:
+ resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==}
+ dev: false
+
+ /color-string/1.9.1:
+ resolution: {integrity: sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==}
+ dependencies:
+ color-name: 1.1.4
+ simple-swizzle: 0.2.2
+ dev: false
+
+ /color/4.2.3:
+ resolution: {integrity: sha512-1rXeuUUiGGrykh+CeBdu5Ie7OJwinCgQY0bc7GCRxy5xVHy+moaqkpL/jqQq0MtQOeYcrqEz4abc5f0KtU7W4A==}
+ engines: {node: '>=12.5.0'}
+ dependencies:
+ color-convert: 2.0.1
+ color-string: 1.9.1
+ dev: false
+
+ /commander/2.20.3:
+ resolution: {integrity: sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==}
+ dev: false
+
+ /commander/4.1.1:
+ resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==}
+ engines: {node: '>= 6'}
+ dev: false
+
+ /concat-map/0.0.1:
+ resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==}
+ dev: false
+
+ /convert-source-map/1.9.0:
+ resolution: {integrity: sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==}
+ dev: true
+
+ /cross-spawn/5.1.0:
+ resolution: {integrity: sha512-pTgQJ5KC0d2hcY8eyL1IzlBPYjTkyH72XRZPnLyKus2mBfNjQs3klqbJU2VILqZryAZUt9JOb3h/mWMy23/f5A==}
+ dependencies:
+ lru-cache: 4.1.5
+ shebang-command: 1.2.0
+ which: 1.3.1
+ dev: false
+
+ /cross-spawn/6.0.5:
+ resolution: {integrity: sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==}
+ engines: {node: '>=4.8'}
+ dependencies:
+ nice-try: 1.0.5
+ path-key: 2.0.1
+ semver: 5.7.1
+ shebang-command: 1.2.0
+ which: 1.3.1
+ dev: false
+
+ /cross-spawn/7.0.3:
+ resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==}
+ engines: {node: '>= 8'}
+ dependencies:
+ path-key: 3.1.1
+ shebang-command: 2.0.0
+ which: 2.0.2
+ dev: false
+
+ /css-loader/5.2.7_webpack@5.76.1:
+ resolution: {integrity: sha512-Q7mOvpBNBG7YrVGMxRxcBJZFL75o+cH2abNASdibkj/fffYD8qWbInZrD0S9ccI6vZclF3DsHE7njGlLtaHbhg==}
+ engines: {node: '>= 10.13.0'}
+ peerDependencies:
+ webpack: ^4.27.0 || ^5.0.0
+ dependencies:
+ icss-utils: 5.1.0_postcss@8.4.21
+ loader-utils: 2.0.4
+ postcss: 8.4.21
+ postcss-modules-extract-imports: 3.0.0_postcss@8.4.21
+ postcss-modules-local-by-default: 4.0.0_postcss@8.4.21
+ postcss-modules-scope: 3.0.0_postcss@8.4.21
+ postcss-modules-values: 4.0.0_postcss@8.4.21
+ postcss-value-parser: 4.2.0
+ schema-utils: 3.1.1
+ semver: 7.3.5
+ webpack: 5.76.1_esbuild@0.16.12
+ dev: false
+
+ /css-styled/1.0.1_@daybrush+utils@1.11.0:
+ resolution: {integrity: sha512-psJCbNDPPusDBWH/gszP6BetPh577QaqpvaysTNPitxX0nxdGiTgELiOCus0gZ0yXk3gvjShBrFP07nvn58/TQ==}
+ peerDependencies:
+ '@daybrush/utils': '>=1.0.0'
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ string-hash: 1.1.3
+ dev: false
+
+ /css-to-mat/1.0.3:
+ resolution: {integrity: sha512-HADRhVqPc8wFqEp6ClK+uuPYg+FMBinNo2ReLyI/KQCncmHPJ60o5zldyJG7NjsTqXWbdfGJO51jnoxfMvWJiA==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ '@scena/matrix': 1.1.1
+ dev: false
+
+ /cssesc/3.0.0:
+ resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==}
+ engines: {node: '>=4'}
+ hasBin: true
+ dev: false
+
+ /csstype/3.1.2:
+ resolution: {integrity: sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ==}
+ dev: true
+
+ /csv-generate/3.4.3:
+ resolution: {integrity: sha512-w/T+rqR0vwvHqWs/1ZyMDWtHHSJaN06klRqJXBEpDJaM/+dZkso0OKh1VcuuYvK3XM53KysVNq8Ko/epCK8wOw==}
+ dev: false
+
+ /csv-parse/4.16.3:
+ resolution: {integrity: sha512-cO1I/zmz4w2dcKHVvpCr7JVRu8/FymG5OEpmvsZYlccYolPBLoVGKUHgNoc4ZGkFeFlWGEDmMyBM+TTqRdW/wg==}
+ dev: false
+
+ /csv-stringify/5.6.5:
+ resolution: {integrity: sha512-PjiQ659aQ+fUTQqSrd1XEDnOr52jh30RBurfzkscaE2tPaFsDH5wOAHJiw8XAHphRknCwMUE9KRayc4K/NbO8A==}
+ dev: false
+
+ /csv/5.5.3:
+ resolution: {integrity: sha512-QTaY0XjjhTQOdguARF0lGKm5/mEq9PD9/VhZZegHDIBq2tQwgNpHc3dneD4mGo2iJs+fTKv5Bp0fZ+BRuY3Z0g==}
+ engines: {node: '>= 0.1.90'}
+ dependencies:
+ csv-generate: 3.4.3
+ csv-parse: 4.16.3
+ csv-stringify: 5.6.5
+ stream-transform: 2.1.3
+ dev: false
+
+ /d3-array/2.12.1:
+ resolution: {integrity: sha512-B0ErZK/66mHtEsR1TkPEEkwdy+WDesimkM5gpZr5Dsg54BiTA5RXtYW5qTLIAcekaS9xfZrzBLF/OAkB3Qn1YQ==}
+ dependencies:
+ internmap: 1.0.1
+ dev: false
+
+ /d3-color/2.0.0:
+ resolution: {integrity: sha512-SPXi0TSKPD4g9tw0NMZFnR95XVgUZiBH+uUTqQuDu1OsE2zomHU7ho0FISciaPvosimixwHFl3WHLGabv6dDgQ==}
+ dev: false
+
+ /d3-dispatch/2.0.0:
+ resolution: {integrity: sha512-S/m2VsXI7gAti2pBoLClFFTMOO1HTtT0j99AuXLoGFKO6deHDdnv6ZGTxSTTUTgO1zVcv82fCOtDjYK4EECmWA==}
+ dev: false
+
+ /d3-drag/2.0.0:
+ resolution: {integrity: sha512-g9y9WbMnF5uqB9qKqwIIa/921RYWzlUDv9Jl1/yONQwxbOfszAWTCm8u7HOTgJgRDXiRZN56cHT9pd24dmXs8w==}
+ dependencies:
+ d3-dispatch: 2.0.0
+ d3-selection: 2.0.0
+ dev: false
+
+ /d3-ease/2.0.0:
+ resolution: {integrity: sha512-68/n9JWarxXkOWMshcT5IcjbB+agblQUaIsbnXmrzejn2O82n3p2A9R2zEB9HIEFWKFwPAEDDN8gR0VdSAyyAQ==}
+ dev: false
+
+ /d3-geo/2.0.2:
+ resolution: {integrity: sha512-8pM1WGMLGFuhq9S+FpPURxic+gKzjluCD/CHTuUF3mXMeiCo0i6R0tO1s4+GArRFde96SLcW/kOFRjoAosPsFA==}
+ dependencies:
+ d3-array: 2.12.1
+ dev: false
+
+ /d3-interpolate/2.0.1:
+ resolution: {integrity: sha512-c5UhwwTs/yybcmTpAVqwSFl6vrQ8JZJoT5F7xNFK9pymv5C0Ymcc9/LIJHtYIggg/yS9YHw8i8O8tgb9pupjeQ==}
+ dependencies:
+ d3-color: 2.0.0
+ dev: false
+
+ /d3-selection/2.0.0:
+ resolution: {integrity: sha512-XoGGqhLUN/W14NmaqcO/bb1nqjDAw5WtSYb2X8wiuQWvSZUsUVYsOSkOybUrNvcBjaywBdYPy03eXHMXjk9nZA==}
+ dev: false
+
+ /d3-timer/2.0.0:
+ resolution: {integrity: sha512-TO4VLh0/420Y/9dO3+f9abDEFYeCUr2WZRlxJvbp4HPTQcSylXNiL6yZa9FIUvV1yRiFufl1bszTCLDqv9PWNA==}
+ dev: false
+
+ /d3-transition/2.0.0_d3-selection@2.0.0:
+ resolution: {integrity: sha512-42ltAGgJesfQE3u9LuuBHNbGrI/AJjNL2OAUdclE70UE6Vy239GCBEYD38uBPoLeNsOhFStGpPI0BAOV+HMxog==}
+ peerDependencies:
+ d3-selection: '2'
+ dependencies:
+ d3-color: 2.0.0
+ d3-dispatch: 2.0.0
+ d3-ease: 2.0.0
+ d3-interpolate: 2.0.1
+ d3-selection: 2.0.0
+ d3-timer: 2.0.0
+ dev: false
+
+ /d3-zoom/2.0.0:
+ resolution: {integrity: sha512-fFg7aoaEm9/jf+qfstak0IYpnesZLiMX6GZvXtUSdv8RH2o4E2qeelgdU09eKS6wGuiGMfcnMI0nTIqWzRHGpw==}
+ dependencies:
+ d3-dispatch: 2.0.0
+ d3-drag: 2.0.0
+ d3-interpolate: 2.0.1
+ d3-selection: 2.0.0
+ d3-transition: 2.0.0_d3-selection@2.0.0
+ dev: false
+
+ /debug/3.2.7:
+ resolution: {integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==}
+ peerDependencies:
+ supports-color: '*'
+ peerDependenciesMeta:
+ supports-color:
+ optional: true
+ dependencies:
+ ms: 2.1.3
+ dev: false
+
+ /debug/4.3.4:
+ resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==}
+ engines: {node: '>=6.0'}
+ peerDependencies:
+ supports-color: '*'
+ peerDependenciesMeta:
+ supports-color:
+ optional: true
+ dependencies:
+ ms: 2.1.2
+
+ /decamelize-keys/1.1.1:
+ resolution: {integrity: sha512-WiPxgEirIV0/eIOMcnFBA3/IJZAZqKnwAwWyvvdi4lsr1WCN22nhdf/3db3DoZcUjTV2SqfzIwNyp6y2xs3nmg==}
+ engines: {node: '>=0.10.0'}
+ dependencies:
+ decamelize: 1.2.0
+ map-obj: 1.0.1
+ dev: false
+
+ /decamelize/1.2.0:
+ resolution: {integrity: sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /deep-is/0.1.4:
+ resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==}
+ dev: false
+
+ /defaults/1.0.4:
+ resolution: {integrity: sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==}
+ dependencies:
+ clone: 1.0.4
+ dev: false
+
+ /define-lazy-prop/2.0.0:
+ resolution: {integrity: sha512-Ds09qNh8yw3khSjiJjiUInaGX9xlqZDY7JVryGxdxV7NPeuqQfplOpQ66yJFZut3jLa5zOwkXw1g9EI2uKh4Og==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /define-properties/1.2.0:
+ resolution: {integrity: sha512-xvqAVKGfT1+UAvPwKTVw/njhdQ8ZhXK4lI0bCIuCMrp2up9nPnaDftrLtmpTazqd1o+UY4zgzU+avtMbDP+ldA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ has-property-descriptors: 1.0.0
+ object-keys: 1.1.1
+ dev: false
+
+ /detect-indent/6.1.0:
+ resolution: {integrity: sha512-reYkTUJAZb9gUuZ2RvVCNhVHdg62RHnJ7WJl8ftMi4diZ6NWlciOzQN88pUhSELEwflJht4oQDv0F0BMlwaYtA==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /didyoumean/1.2.2:
+ resolution: {integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==}
+ dev: false
+
+ /dir-glob/3.0.1:
+ resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==}
+ engines: {node: '>=8'}
+ dependencies:
+ path-type: 4.0.0
+ dev: false
+
+ /dlv/1.1.3:
+ resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==}
+ dev: false
+
+ /doctrine/2.1.0:
+ resolution: {integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==}
+ engines: {node: '>=0.10.0'}
+ dependencies:
+ esutils: 2.0.3
+ dev: false
+
+ /doctrine/3.0.0:
+ resolution: {integrity: sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==}
+ engines: {node: '>=6.0.0'}
+ dependencies:
+ esutils: 2.0.3
+ dev: false
+
+ /dotenv/9.0.2:
+ resolution: {integrity: sha512-I9OvvrHp4pIARv4+x9iuewrWycX6CcZtoAu1XrzPxc5UygMJXJZYmBsynku8IkrJwgypE5DGNjDPmPRhDCptUg==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /electron-to-chromium/1.4.350:
+ resolution: {integrity: sha512-XnXcWpVnOfHZ4C3NPiL+SubeoGV8zc/pg8GEubRtc1dPA/9jKS2vsOPmtClJHhWxUb2RSGC1OBLCbgNUJMtZPw==}
+
+ /emoji-regex/8.0.0:
+ resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==}
+ dev: false
+
+ /emojis-list/3.0.0:
+ resolution: {integrity: sha512-/kyM18EfinwXZbno9FyUGeFh87KC8HRQBQGildHZbEuRyWFOmv1U10o9BBp8XVZDVNNuQKyIGIu5ZYAAXJ0V2Q==}
+ engines: {node: '>= 4'}
+ dev: false
+
+ /end-of-stream/1.4.4:
+ resolution: {integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==}
+ dependencies:
+ once: 1.4.0
+ dev: false
+
+ /enhanced-resolve/5.12.0:
+ resolution: {integrity: sha512-QHTXI/sZQmko1cbDoNAa3mJ5qhWUUNAq3vR0/YiD379fWQrcfuoX1+HW2S0MTt7XmoPLapdaDKUtelUSPic7hQ==}
+ engines: {node: '>=10.13.0'}
+ dependencies:
+ graceful-fs: 4.2.11
+ tapable: 2.2.1
+ dev: false
+
+ /enquirer/2.3.6:
+ resolution: {integrity: sha512-yjNnPr315/FjS4zIsUxYguYUPP2e1NK4d7E7ZOLiyYCcbFBiTMyID+2wvm2w6+pZ/odMA7cRkjhsPbltwBOrLg==}
+ engines: {node: '>=8.6'}
+ dependencies:
+ ansi-colors: 4.1.3
+ dev: false
+
+ /error-ex/1.3.2:
+ resolution: {integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==}
+ dependencies:
+ is-arrayish: 0.2.1
+ dev: false
+
+ /es-abstract/1.21.2:
+ resolution: {integrity: sha512-y/B5POM2iBnIxCiernH1G7rC9qQoM77lLIMQLuob0zhp8C56Po81+2Nj0WFKnd0pNReDTnkYryc+zhOzpEIROg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ array-buffer-byte-length: 1.0.0
+ available-typed-arrays: 1.0.5
+ call-bind: 1.0.2
+ es-set-tostringtag: 2.0.1
+ es-to-primitive: 1.2.1
+ function.prototype.name: 1.1.5
+ get-intrinsic: 1.2.0
+ get-symbol-description: 1.0.0
+ globalthis: 1.0.3
+ gopd: 1.0.1
+ has: 1.0.3
+ has-property-descriptors: 1.0.0
+ has-proto: 1.0.1
+ has-symbols: 1.0.3
+ internal-slot: 1.0.5
+ is-array-buffer: 3.0.2
+ is-callable: 1.2.7
+ is-negative-zero: 2.0.2
+ is-regex: 1.1.4
+ is-shared-array-buffer: 1.0.2
+ is-string: 1.0.7
+ is-typed-array: 1.1.10
+ is-weakref: 1.0.2
+ object-inspect: 1.12.3
+ object-keys: 1.1.1
+ object.assign: 4.1.4
+ regexp.prototype.flags: 1.4.3
+ safe-regex-test: 1.0.0
+ string.prototype.trim: 1.2.7
+ string.prototype.trimend: 1.0.6
+ string.prototype.trimstart: 1.0.6
+ typed-array-length: 1.0.4
+ unbox-primitive: 1.0.2
+ which-typed-array: 1.1.9
+ dev: false
+
+ /es-module-lexer/0.9.3:
+ resolution: {integrity: sha512-1HQ2M2sPtxwnvOvT1ZClHyQDiggdNjURWpY2we6aMKCQiUVxTmVs2UYPLIrD84sS+kMdUwfBSylbJPwNnBrnHQ==}
+ dev: false
+
+ /es-set-tostringtag/2.0.1:
+ resolution: {integrity: sha512-g3OMbtlwY3QewlqAiMLI47KywjWZoEytKr8pf6iTC8uJq5bIAH52Z9pnQ8pVL6whrCto53JZDuUIsifGeLorTg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ get-intrinsic: 1.2.0
+ has: 1.0.3
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /es-shim-unscopables/1.0.0:
+ resolution: {integrity: sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==}
+ dependencies:
+ has: 1.0.3
+ dev: false
+
+ /es-to-primitive/1.2.1:
+ resolution: {integrity: sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ is-callable: 1.2.7
+ is-date-object: 1.0.5
+ is-symbol: 1.0.4
+ dev: false
+
+ /esbuild/0.16.12:
+ resolution: {integrity: sha512-eq5KcuXajf2OmivCl4e89AD3j8fbV+UTE9vczEzq5haA07U9oOTzBWlh3+6ZdjJR7Rz2QfWZ2uxZyhZxBgJ4+g==}
+ engines: {node: '>=12'}
+ hasBin: true
+ requiresBuild: true
+ optionalDependencies:
+ '@esbuild/android-arm': 0.16.12
+ '@esbuild/android-arm64': 0.16.12
+ '@esbuild/android-x64': 0.16.12
+ '@esbuild/darwin-arm64': 0.16.12
+ '@esbuild/darwin-x64': 0.16.12
+ '@esbuild/freebsd-arm64': 0.16.12
+ '@esbuild/freebsd-x64': 0.16.12
+ '@esbuild/linux-arm': 0.16.12
+ '@esbuild/linux-arm64': 0.16.12
+ '@esbuild/linux-ia32': 0.16.12
+ '@esbuild/linux-loong64': 0.16.12
+ '@esbuild/linux-mips64el': 0.16.12
+ '@esbuild/linux-ppc64': 0.16.12
+ '@esbuild/linux-riscv64': 0.16.12
+ '@esbuild/linux-s390x': 0.16.12
+ '@esbuild/linux-x64': 0.16.12
+ '@esbuild/netbsd-x64': 0.16.12
+ '@esbuild/openbsd-x64': 0.16.12
+ '@esbuild/sunos-x64': 0.16.12
+ '@esbuild/win32-arm64': 0.16.12
+ '@esbuild/win32-ia32': 0.16.12
+ '@esbuild/win32-x64': 0.16.12
+ dev: false
+
+ /esbuild/0.17.15:
+ resolution: {integrity: sha512-LBUV2VsUIc/iD9ME75qhT4aJj0r75abCVS0jakhFzOtR7TQsqQA5w0tZ+KTKnwl3kXE0MhskNdHDh/I5aCR1Zw==}
+ engines: {node: '>=12'}
+ hasBin: true
+ requiresBuild: true
+ optionalDependencies:
+ '@esbuild/android-arm': 0.17.15
+ '@esbuild/android-arm64': 0.17.15
+ '@esbuild/android-x64': 0.17.15
+ '@esbuild/darwin-arm64': 0.17.15
+ '@esbuild/darwin-x64': 0.17.15
+ '@esbuild/freebsd-arm64': 0.17.15
+ '@esbuild/freebsd-x64': 0.17.15
+ '@esbuild/linux-arm': 0.17.15
+ '@esbuild/linux-arm64': 0.17.15
+ '@esbuild/linux-ia32': 0.17.15
+ '@esbuild/linux-loong64': 0.17.15
+ '@esbuild/linux-mips64el': 0.17.15
+ '@esbuild/linux-ppc64': 0.17.15
+ '@esbuild/linux-riscv64': 0.17.15
+ '@esbuild/linux-s390x': 0.17.15
+ '@esbuild/linux-x64': 0.17.15
+ '@esbuild/netbsd-x64': 0.17.15
+ '@esbuild/openbsd-x64': 0.17.15
+ '@esbuild/sunos-x64': 0.17.15
+ '@esbuild/win32-arm64': 0.17.15
+ '@esbuild/win32-ia32': 0.17.15
+ '@esbuild/win32-x64': 0.17.15
+ dev: true
+
+ /escalade/3.1.1:
+ resolution: {integrity: sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==}
+ engines: {node: '>=6'}
+
+ /escape-string-regexp/1.0.5:
+ resolution: {integrity: sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==}
+ engines: {node: '>=0.8.0'}
+
+ /escape-string-regexp/4.0.0:
+ resolution: {integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /eslint-config-prettier/8.8.0_eslint@8.37.0:
+ resolution: {integrity: sha512-wLbQiFre3tdGgpDv67NQKnJuTlcUVYHas3k+DZCc2U2BadthoEY4B7hLPvAxaqdyOGCzuLfii2fqGph10va7oA==}
+ hasBin: true
+ peerDependencies:
+ eslint: '>=7.0.0'
+ dependencies:
+ eslint: 8.37.0
+ dev: false
+
+ /eslint-import-resolver-node/0.3.7:
+ resolution: {integrity: sha512-gozW2blMLJCeFpBwugLTGyvVjNoeo1knonXAcatC6bjPBZitotxdWf7Gimr25N4c0AAOo4eOUfaG82IJPDpqCA==}
+ dependencies:
+ debug: 3.2.7
+ is-core-module: 2.11.0
+ resolve: 1.22.1
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /eslint-module-utils/2.7.4_cnmb32osbfgvbb6outchg7uoay:
+ resolution: {integrity: sha512-j4GT+rqzCoRKHwURX7pddtIPGySnX9Si/cgMI5ztrcqOPtk5dDEeZ34CQVPphnqkJytlc97Vuk05Um2mJ3gEQA==}
+ engines: {node: '>=4'}
+ peerDependencies:
+ '@typescript-eslint/parser': '*'
+ eslint: '*'
+ eslint-import-resolver-node: '*'
+ eslint-import-resolver-typescript: '*'
+ eslint-import-resolver-webpack: '*'
+ peerDependenciesMeta:
+ '@typescript-eslint/parser':
+ optional: true
+ eslint:
+ optional: true
+ eslint-import-resolver-node:
+ optional: true
+ eslint-import-resolver-typescript:
+ optional: true
+ eslint-import-resolver-webpack:
+ optional: true
+ dependencies:
+ '@typescript-eslint/parser': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ debug: 3.2.7
+ eslint: 8.37.0
+ eslint-import-resolver-node: 0.3.7
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /eslint-plugin-import/2.27.5_cwk2z5oni6qsbytuihvch7xbrm:
+ resolution: {integrity: sha512-LmEt3GVofgiGuiE+ORpnvP+kAm3h6MLZJ4Q5HCyHADofsb4VzXFsRiWj3c0OFiV+3DWFh0qg3v9gcPlfc3zRow==}
+ engines: {node: '>=4'}
+ peerDependencies:
+ '@typescript-eslint/parser': '*'
+ eslint: ^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8
+ peerDependenciesMeta:
+ '@typescript-eslint/parser':
+ optional: true
+ dependencies:
+ '@typescript-eslint/parser': 5.57.1_ip5up2nocltd47wbnuyybe5dxu
+ array-includes: 3.1.6
+ array.prototype.flat: 1.3.1
+ array.prototype.flatmap: 1.3.1
+ debug: 3.2.7
+ doctrine: 2.1.0
+ eslint: 8.37.0
+ eslint-import-resolver-node: 0.3.7
+ eslint-module-utils: 2.7.4_cnmb32osbfgvbb6outchg7uoay
+ has: 1.0.3
+ is-core-module: 2.11.0
+ is-glob: 4.0.3
+ minimatch: 3.1.2
+ object.values: 1.1.6
+ resolve: 1.22.1
+ semver: 6.3.0
+ tsconfig-paths: 3.14.2
+ transitivePeerDependencies:
+ - eslint-import-resolver-typescript
+ - eslint-import-resolver-webpack
+ - supports-color
+ dev: false
+
+ /eslint-plugin-prettier/4.2.1_ybb3aapb7235womryl2tm5ze2u:
+ resolution: {integrity: sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==}
+ engines: {node: '>=12.0.0'}
+ peerDependencies:
+ eslint: '>=7.28.0'
+ eslint-config-prettier: '*'
+ prettier: '>=2.0.0'
+ peerDependenciesMeta:
+ eslint-config-prettier:
+ optional: true
+ dependencies:
+ eslint: 8.37.0
+ eslint-config-prettier: 8.8.0_eslint@8.37.0
+ prettier: 2.8.7
+ prettier-linter-helpers: 1.0.0
+ dev: false
+
+ /eslint-plugin-react/7.32.2_eslint@8.37.0:
+ resolution: {integrity: sha512-t2fBMa+XzonrrNkyVirzKlvn5RXzzPwRHtMvLAtVZrt8oxgnTQaYbU6SXTOO1mwQgp1y5+toMSKInnzGr0Knqg==}
+ engines: {node: '>=4'}
+ peerDependencies:
+ eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8
+ dependencies:
+ array-includes: 3.1.6
+ array.prototype.flatmap: 1.3.1
+ array.prototype.tosorted: 1.1.1
+ doctrine: 2.1.0
+ eslint: 8.37.0
+ estraverse: 5.3.0
+ jsx-ast-utils: 3.3.3
+ minimatch: 3.1.2
+ object.entries: 1.1.6
+ object.fromentries: 2.0.6
+ object.hasown: 1.1.2
+ object.values: 1.1.6
+ prop-types: 15.8.1
+ resolve: 2.0.0-next.4
+ semver: 6.3.0
+ string.prototype.matchall: 4.0.8
+ dev: false
+
+ /eslint-scope/5.1.1:
+ resolution: {integrity: sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==}
+ engines: {node: '>=8.0.0'}
+ dependencies:
+ esrecurse: 4.3.0
+ estraverse: 4.3.0
+ dev: false
+
+ /eslint-scope/7.1.1:
+ resolution: {integrity: sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dependencies:
+ esrecurse: 4.3.0
+ estraverse: 5.3.0
+ dev: false
+
+ /eslint-visitor-keys/3.4.0:
+ resolution: {integrity: sha512-HPpKPUBQcAsZOsHAFwTtIKcYlCje62XB7SEAcxjtmW6TD1WVpkS6i6/hOVtTZIl4zGj/mBqpFVGvaDneik+VoQ==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dev: false
+
+ /eslint/8.37.0:
+ resolution: {integrity: sha512-NU3Ps9nI05GUoVMxcZx1J8CNR6xOvUT4jAUMH5+z8lpp3aEdPVCImKw6PWG4PY+Vfkpr+jvMpxs/qoE7wq0sPw==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ hasBin: true
+ dependencies:
+ '@eslint-community/eslint-utils': 4.4.0_eslint@8.37.0
+ '@eslint-community/regexpp': 4.5.0
+ '@eslint/eslintrc': 2.0.2
+ '@eslint/js': 8.37.0
+ '@humanwhocodes/config-array': 0.11.8
+ '@humanwhocodes/module-importer': 1.0.1
+ '@nodelib/fs.walk': 1.2.8
+ ajv: 6.12.6
+ chalk: 4.1.2
+ cross-spawn: 7.0.3
+ debug: 4.3.4
+ doctrine: 3.0.0
+ escape-string-regexp: 4.0.0
+ eslint-scope: 7.1.1
+ eslint-visitor-keys: 3.4.0
+ espree: 9.5.1
+ esquery: 1.5.0
+ esutils: 2.0.3
+ fast-deep-equal: 3.1.3
+ file-entry-cache: 6.0.1
+ find-up: 5.0.0
+ glob-parent: 6.0.2
+ globals: 13.20.0
+ grapheme-splitter: 1.0.4
+ ignore: 5.2.4
+ import-fresh: 3.3.0
+ imurmurhash: 0.1.4
+ is-glob: 4.0.3
+ is-path-inside: 3.0.3
+ js-sdsl: 4.4.0
+ js-yaml: 4.1.0
+ json-stable-stringify-without-jsonify: 1.0.1
+ levn: 0.4.1
+ lodash.merge: 4.6.2
+ minimatch: 3.1.2
+ natural-compare: 1.4.0
+ optionator: 0.9.1
+ strip-ansi: 6.0.1
+ strip-json-comments: 3.1.1
+ text-table: 0.2.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /espree/9.5.1:
+ resolution: {integrity: sha512-5yxtHSZXRSW5pvv3hAlXM5+/Oswi1AUFqBmbibKb5s6bp3rGIDkyXU6xCoyuuLhijr4SFwPrXRoZjz0AZDN9tg==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
+ dependencies:
+ acorn: 8.8.2
+ acorn-jsx: 5.3.2_acorn@8.8.2
+ eslint-visitor-keys: 3.4.0
+ dev: false
+
+ /esprima/4.0.1:
+ resolution: {integrity: sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==}
+ engines: {node: '>=4'}
+ hasBin: true
+ dev: false
+
+ /esquery/1.5.0:
+ resolution: {integrity: sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==}
+ engines: {node: '>=0.10'}
+ dependencies:
+ estraverse: 5.3.0
+ dev: false
+
+ /esrecurse/4.3.0:
+ resolution: {integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==}
+ engines: {node: '>=4.0'}
+ dependencies:
+ estraverse: 5.3.0
+ dev: false
+
+ /estraverse/4.3.0:
+ resolution: {integrity: sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==}
+ engines: {node: '>=4.0'}
+ dev: false
+
+ /estraverse/5.3.0:
+ resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==}
+ engines: {node: '>=4.0'}
+ dev: false
+
+ /esutils/2.0.3:
+ resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /events/3.3.0:
+ resolution: {integrity: sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==}
+ engines: {node: '>=0.8.x'}
+ dev: false
+
+ /execa/5.1.1:
+ resolution: {integrity: sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==}
+ engines: {node: '>=10'}
+ dependencies:
+ cross-spawn: 7.0.3
+ get-stream: 6.0.1
+ human-signals: 2.1.0
+ is-stream: 2.0.1
+ merge-stream: 2.0.0
+ npm-run-path: 4.0.1
+ onetime: 5.1.2
+ signal-exit: 3.0.7
+ strip-final-newline: 2.0.0
+ dev: false
+
+ /extendable-error/0.1.7:
+ resolution: {integrity: sha512-UOiS2in6/Q0FK0R0q6UY9vYpQ21mr/Qn1KOnte7vsACuNJf514WvCCUHSRCPcgjPT2bAhNIJdlE6bVap1GKmeg==}
+ dev: false
+
+ /external-editor/3.1.0:
+ resolution: {integrity: sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==}
+ engines: {node: '>=4'}
+ dependencies:
+ chardet: 0.7.0
+ iconv-lite: 0.4.24
+ tmp: 0.0.33
+ dev: false
+
+ /extract-zip/2.0.1:
+ resolution: {integrity: sha512-GDhU9ntwuKyGXdZBUgTIe+vXnWj0fppUEtMDL0+idd5Sta8TGpHssn/eusA9mrPr9qNDym6SxAYZjNvCn/9RBg==}
+ engines: {node: '>= 10.17.0'}
+ hasBin: true
+ dependencies:
+ debug: 4.3.4
+ get-stream: 5.2.0
+ yauzl: 2.10.0
+ optionalDependencies:
+ '@types/yauzl': 2.10.0
+ transitivePeerDependencies:
+ - supports-color
+ dev: false
+
+ /fast-deep-equal/3.1.3:
+ resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==}
+ dev: false
+
+ /fast-diff/1.2.0:
+ resolution: {integrity: sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==}
+ dev: false
+
+ /fast-glob/3.2.12:
+ resolution: {integrity: sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==}
+ engines: {node: '>=8.6.0'}
+ dependencies:
+ '@nodelib/fs.stat': 2.0.5
+ '@nodelib/fs.walk': 1.2.8
+ glob-parent: 5.1.2
+ merge2: 1.4.1
+ micromatch: 4.0.5
+ dev: false
+
+ /fast-json-stable-stringify/2.1.0:
+ resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==}
+ dev: false
+
+ /fast-levenshtein/2.0.6:
+ resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==}
+ dev: false
+
+ /fastq/1.15.0:
+ resolution: {integrity: sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw==}
+ dependencies:
+ reusify: 1.0.4
+ dev: false
+
+ /fd-slicer/1.1.0:
+ resolution: {integrity: sha512-cE1qsB/VwyQozZ+q1dGxR8LBYNZeofhEdUNGSMbQD3Gw2lAzX9Zb3uIU6Ebc/Fmyjo9AWWfnn0AUCHqtevs/8g==}
+ dependencies:
+ pend: 1.2.0
+ dev: false
+
+ /file-entry-cache/6.0.1:
+ resolution: {integrity: sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==}
+ engines: {node: ^10.12.0 || >=12.0.0}
+ dependencies:
+ flat-cache: 3.0.4
+ dev: false
+
+ /fill-range/7.0.1:
+ resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==}
+ engines: {node: '>=8'}
+ dependencies:
+ to-regex-range: 5.0.1
+ dev: false
+
+ /find-up/4.1.0:
+ resolution: {integrity: sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==}
+ engines: {node: '>=8'}
+ dependencies:
+ locate-path: 5.0.0
+ path-exists: 4.0.0
+ dev: false
+
+ /find-up/5.0.0:
+ resolution: {integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==}
+ engines: {node: '>=10'}
+ dependencies:
+ locate-path: 6.0.0
+ path-exists: 4.0.0
+ dev: false
+
+ /find-yarn-workspace-root/2.0.0:
+ resolution: {integrity: sha512-1IMnbjt4KzsQfnhnzNd8wUEgXZ44IzZaZmnLYx7D5FZlaHt2gW20Cri8Q+E/t5tIj4+epTBub+2Zxu/vNILzqQ==}
+ dependencies:
+ micromatch: 4.0.5
+ dev: false
+
+ /find-yarn-workspace-root2/1.2.16:
+ resolution: {integrity: sha512-hr6hb1w8ePMpPVUK39S4RlwJzi+xPLuVuG8XlwXU3KD5Yn3qgBWVfy3AzNlDhWvE1EORCE65/Qm26rFQt3VLVA==}
+ dependencies:
+ micromatch: 4.0.5
+ pkg-dir: 4.2.0
+ dev: false
+
+ /flat-cache/3.0.4:
+ resolution: {integrity: sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==}
+ engines: {node: ^10.12.0 || >=12.0.0}
+ dependencies:
+ flatted: 3.2.7
+ rimraf: 3.0.2
+ dev: false
+
+ /flat/5.0.2:
+ resolution: {integrity: sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ==}
+ hasBin: true
+ dev: false
+
+ /flatted/3.2.7:
+ resolution: {integrity: sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==}
+ dev: false
+
+ /for-each/0.3.3:
+ resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==}
+ dependencies:
+ is-callable: 1.2.7
+ dev: false
+
+ /fraction.js/4.2.0:
+ resolution: {integrity: sha512-MhLuK+2gUcnZe8ZHlaaINnQLl0xRIGRfcGk2yl8xoQAfHrSsL3rYu6FCmBdkdbhc9EPlwyGHewaRsvwRMJtAlA==}
+ dev: false
+
+ /framework-utils/1.1.0:
+ resolution: {integrity: sha512-KAfqli5PwpFJ8o3psRNs8svpMGyCSAe8nmGcjQ0zZBWN2H6dZDnq+ABp3N3hdUmFeMrLtjOCTXD4yplUJIWceg==}
+ dev: false
+
+ /fs-extra/7.0.1:
+ resolution: {integrity: sha512-YJDaCJZEnBmcbw13fvdAM9AwNOJwOzrE4pqMqBq5nFiEqXUqHwlK4B+3pUw6JNvfSPtX05xFHtYy/1ni01eGCw==}
+ engines: {node: '>=6 <7 || >=8'}
+ dependencies:
+ graceful-fs: 4.2.11
+ jsonfile: 4.0.0
+ universalify: 0.1.2
+ dev: false
+
+ /fs-extra/8.1.0:
+ resolution: {integrity: sha512-yhlQgA6mnOJUKOsRUFsgJdQCvkKhcz8tlZG5HBQfReYZy46OwLcY+Zia0mtdHsOo9y/hP+CxMN0TU9QxoOtG4g==}
+ engines: {node: '>=6 <7 || >=8'}
+ dependencies:
+ graceful-fs: 4.2.11
+ jsonfile: 4.0.0
+ universalify: 0.1.2
+ dev: false
+
+ /fs-extra/9.1.0:
+ resolution: {integrity: sha512-hcg3ZmepS30/7BSFqRvoo3DOMQu7IjqxO5nCDt+zM9XWjb33Wg7ziNT+Qvqbuc3+gWpzO02JubVyk2G4Zvo1OQ==}
+ engines: {node: '>=10'}
+ dependencies:
+ at-least-node: 1.0.0
+ graceful-fs: 4.2.11
+ jsonfile: 6.1.0
+ universalify: 2.0.0
+ dev: false
+
+ /fs-monkey/1.0.3:
+ resolution: {integrity: sha512-cybjIfiiE+pTWicSCLFHSrXZ6EilF30oh91FDP9S2B051prEa7QWfrVTQm10/dDpswBDXZugPa1Ogu8Yh+HV0Q==}
+ dev: false
+
+ /fs.realpath/1.0.0:
+ resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==}
+ dev: false
+
+ /fsevents/2.3.2:
+ resolution: {integrity: sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==}
+ engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0}
+ os: [darwin]
+ requiresBuild: true
+ optional: true
+
+ /function-bind/1.1.1:
+ resolution: {integrity: sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==}
+
+ /function.prototype.name/1.1.5:
+ resolution: {integrity: sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ functions-have-names: 1.2.3
+ dev: false
+
+ /functions-have-names/1.2.3:
+ resolution: {integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==}
+ dev: false
+
+ /gensync/1.0.0-beta.2:
+ resolution: {integrity: sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==}
+ engines: {node: '>=6.9.0'}
+ dev: true
+
+ /gesto/1.15.1:
+ resolution: {integrity: sha512-mqdBeVeYpymupHojEEyH33u0KvL/hbG6gKbqoQKoR7aeWrN82CIXYZkAo4Ie81PUhxS5HNDdmJVcSzqOpPm0JQ==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ '@scena/event-emitter': 1.0.5
+ dev: false
+
+ /get-caller-file/2.0.5:
+ resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==}
+ engines: {node: 6.* || 8.* || >= 10.*}
+ dev: false
+
+ /get-intrinsic/1.2.0:
+ resolution: {integrity: sha512-L049y6nFOuom5wGyRc3/gdTLO94dySVKRACj1RmJZBQXlbTMhtNIgkWkUHq+jYmZvKf14EW1EoJnnjbmoHij0Q==}
+ dependencies:
+ function-bind: 1.1.1
+ has: 1.0.3
+ has-symbols: 1.0.3
+ dev: false
+
+ /get-stream/5.2.0:
+ resolution: {integrity: sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==}
+ engines: {node: '>=8'}
+ dependencies:
+ pump: 3.0.0
+ dev: false
+
+ /get-stream/6.0.1:
+ resolution: {integrity: sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /get-symbol-description/1.0.0:
+ resolution: {integrity: sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ get-intrinsic: 1.2.0
+ dev: false
+
+ /glob-parent/5.1.2:
+ resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==}
+ engines: {node: '>= 6'}
+ dependencies:
+ is-glob: 4.0.3
+ dev: false
+
+ /glob-parent/6.0.2:
+ resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==}
+ engines: {node: '>=10.13.0'}
+ dependencies:
+ is-glob: 4.0.3
+ dev: false
+
+ /glob-to-regexp/0.4.1:
+ resolution: {integrity: sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==}
+ dev: false
+
+ /glob/7.1.6:
+ resolution: {integrity: sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA==}
+ dependencies:
+ fs.realpath: 1.0.0
+ inflight: 1.0.6
+ inherits: 2.0.4
+ minimatch: 3.1.2
+ once: 1.4.0
+ path-is-absolute: 1.0.1
+ dev: false
+
+ /glob/7.2.3:
+ resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==}
+ dependencies:
+ fs.realpath: 1.0.0
+ inflight: 1.0.6
+ inherits: 2.0.4
+ minimatch: 3.1.2
+ once: 1.4.0
+ path-is-absolute: 1.0.1
+ dev: false
+
+ /globals/11.12.0:
+ resolution: {integrity: sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==}
+ engines: {node: '>=4'}
+ dev: true
+
+ /globals/13.20.0:
+ resolution: {integrity: sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==}
+ engines: {node: '>=8'}
+ dependencies:
+ type-fest: 0.20.2
+ dev: false
+
+ /globalthis/1.0.3:
+ resolution: {integrity: sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ define-properties: 1.2.0
+ dev: false
+
+ /globby/11.1.0:
+ resolution: {integrity: sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==}
+ engines: {node: '>=10'}
+ dependencies:
+ array-union: 2.1.0
+ dir-glob: 3.0.1
+ fast-glob: 3.2.12
+ ignore: 5.2.4
+ merge2: 1.4.1
+ slash: 3.0.0
+ dev: false
+
+ /gopd/1.0.1:
+ resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==}
+ dependencies:
+ get-intrinsic: 1.2.0
+ dev: false
+
+ /graceful-fs/4.2.11:
+ resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==}
+ dev: false
+
+ /grapheme-splitter/1.0.4:
+ resolution: {integrity: sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==}
+ dev: false
+
+ /hard-rejection/2.1.0:
+ resolution: {integrity: sha512-VIZB+ibDhx7ObhAe7OVtoEbuP4h/MuOTHJ+J8h/eBXotJYl0fBgR72xDFCKgIh22OJZIOVNxBMWuhAr10r8HdA==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /has-bigints/1.0.2:
+ resolution: {integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==}
+ dev: false
+
+ /has-flag/3.0.0:
+ resolution: {integrity: sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==}
+ engines: {node: '>=4'}
+
+ /has-flag/4.0.0:
+ resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /has-property-descriptors/1.0.0:
+ resolution: {integrity: sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==}
+ dependencies:
+ get-intrinsic: 1.2.0
+ dev: false
+
+ /has-proto/1.0.1:
+ resolution: {integrity: sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==}
+ engines: {node: '>= 0.4'}
+ dev: false
+
+ /has-symbols/1.0.3:
+ resolution: {integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==}
+ engines: {node: '>= 0.4'}
+ dev: false
+
+ /has-tostringtag/1.0.0:
+ resolution: {integrity: sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ has-symbols: 1.0.3
+ dev: false
+
+ /has/1.0.3:
+ resolution: {integrity: sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==}
+ engines: {node: '>= 0.4.0'}
+ dependencies:
+ function-bind: 1.1.1
+
+ /hosted-git-info/2.8.9:
+ resolution: {integrity: sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==}
+ dev: false
+
+ /human-id/1.0.2:
+ resolution: {integrity: sha512-UNopramDEhHJD+VR+ehk8rOslwSfByxPIZyJRfV739NDhN5LF1fa1MqnzKm2lGTQRjNrjK19Q5fhkgIfjlVUKw==}
+ dev: false
+
+ /human-signals/2.1.0:
+ resolution: {integrity: sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==}
+ engines: {node: '>=10.17.0'}
+ dev: false
+
+ /iconv-lite/0.4.24:
+ resolution: {integrity: sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==}
+ engines: {node: '>=0.10.0'}
+ dependencies:
+ safer-buffer: 2.1.2
+ dev: false
+
+ /icss-utils/5.1.0_postcss@8.4.21:
+ resolution: {integrity: sha512-soFhflCVWLfRNOPU3iv5Z9VUdT44xFRbzjLsEzSr5AQmgqPMTHdU3PMT1Cf1ssx8fLNJDA1juftYl+PUcv3MqA==}
+ engines: {node: ^10 || ^12 || >= 14}
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ postcss: 8.4.21
+ dev: false
+
+ /ignore/5.2.4:
+ resolution: {integrity: sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==}
+ engines: {node: '>= 4'}
+ dev: false
+
+ /immer/9.0.21:
+ resolution: {integrity: sha512-bc4NBHqOqSfRW7POMkHd51LvClaeMXpm8dx0e8oE2GORbq5aRK7Bxl4FyzVLdGtLmvLKL7BTDBG5ACQm4HWjTA==}
+ dev: false
+
+ /import-fresh/3.3.0:
+ resolution: {integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==}
+ engines: {node: '>=6'}
+ dependencies:
+ parent-module: 1.0.1
+ resolve-from: 4.0.0
+ dev: false
+
+ /imurmurhash/0.1.4:
+ resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==}
+ engines: {node: '>=0.8.19'}
+ dev: false
+
+ /indent-string/4.0.0:
+ resolution: {integrity: sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /inflight/1.0.6:
+ resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==}
+ dependencies:
+ once: 1.4.0
+ wrappy: 1.0.2
+ dev: false
+
+ /inherits/2.0.4:
+ resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==}
+ dev: false
+
+ /internal-slot/1.0.5:
+ resolution: {integrity: sha512-Y+R5hJrzs52QCG2laLn4udYVnxsfny9CpOhNhUvk/SSSVyF6T27FzRbF0sroPidSu3X8oEAkOn2K804mjpt6UQ==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ get-intrinsic: 1.2.0
+ has: 1.0.3
+ side-channel: 1.0.4
+ dev: false
+
+ /internmap/1.0.1:
+ resolution: {integrity: sha512-lDB5YccMydFBtasVtxnZ3MRBHuaoE8GKsppq+EchKL2U4nK/DmEpPHNH8MZe5HkMtpSiTSOZwfN0tzYjO/lJEw==}
+ dev: false
+
+ /is-array-buffer/3.0.2:
+ resolution: {integrity: sha512-y+FyyR/w8vfIRq4eQcM1EYgSTnmHXPqaF+IgzgraytCFq5Xh8lllDVmAZolPJiZttZLeFSINPYMaEJ7/vWUa1w==}
+ dependencies:
+ call-bind: 1.0.2
+ get-intrinsic: 1.2.0
+ is-typed-array: 1.1.10
+ dev: false
+
+ /is-arrayish/0.2.1:
+ resolution: {integrity: sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==}
+ dev: false
+
+ /is-arrayish/0.3.2:
+ resolution: {integrity: sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==}
+ dev: false
+
+ /is-bigint/1.0.4:
+ resolution: {integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==}
+ dependencies:
+ has-bigints: 1.0.2
+ dev: false
+
+ /is-binary-path/2.1.0:
+ resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==}
+ engines: {node: '>=8'}
+ dependencies:
+ binary-extensions: 2.2.0
+ dev: false
+
+ /is-boolean-object/1.1.2:
+ resolution: {integrity: sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /is-callable/1.2.7:
+ resolution: {integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==}
+ engines: {node: '>= 0.4'}
+ dev: false
+
+ /is-ci/2.0.0:
+ resolution: {integrity: sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==}
+ hasBin: true
+ dependencies:
+ ci-info: 2.0.0
+ dev: false
+
+ /is-ci/3.0.1:
+ resolution: {integrity: sha512-ZYvCgrefwqoQ6yTyYUbQu64HsITZ3NfKX1lzaEYdkTDcfKzzCI/wthRRYKkdjHKFVgNiXKAKm65Zo1pk2as/QQ==}
+ hasBin: true
+ dependencies:
+ ci-info: 3.8.0
+ dev: false
+
+ /is-core-module/2.11.0:
+ resolution: {integrity: sha512-RRjxlvLDkD1YJwDbroBHMb+cukurkDWNyHx7D3oNB5x9rb5ogcksMC5wHCadcXoo67gVr/+3GFySh3134zi6rw==}
+ dependencies:
+ has: 1.0.3
+
+ /is-date-object/1.0.5:
+ resolution: {integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /is-docker/2.2.1:
+ resolution: {integrity: sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==}
+ engines: {node: '>=8'}
+ hasBin: true
+ dev: false
+
+ /is-extglob/2.1.1:
+ resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /is-fullwidth-code-point/3.0.0:
+ resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /is-glob/4.0.3:
+ resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==}
+ engines: {node: '>=0.10.0'}
+ dependencies:
+ is-extglob: 2.1.1
+ dev: false
+
+ /is-negative-zero/2.0.2:
+ resolution: {integrity: sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==}
+ engines: {node: '>= 0.4'}
+ dev: false
+
+ /is-number-object/1.0.7:
+ resolution: {integrity: sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /is-number/7.0.0:
+ resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==}
+ engines: {node: '>=0.12.0'}
+ dev: false
+
+ /is-path-inside/3.0.3:
+ resolution: {integrity: sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /is-plain-obj/1.1.0:
+ resolution: {integrity: sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /is-regex/1.1.4:
+ resolution: {integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /is-shared-array-buffer/1.0.2:
+ resolution: {integrity: sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==}
+ dependencies:
+ call-bind: 1.0.2
+ dev: false
+
+ /is-stream/2.0.1:
+ resolution: {integrity: sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /is-string/1.0.7:
+ resolution: {integrity: sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /is-subdir/1.2.0:
+ resolution: {integrity: sha512-2AT6j+gXe/1ueqbW6fLZJiIw3F8iXGJtt0yDrZaBhAZEG1raiTxKWU+IPqMCzQAXOUCKdA4UDMgacKH25XG2Cw==}
+ engines: {node: '>=4'}
+ dependencies:
+ better-path-resolve: 1.0.0
+ dev: false
+
+ /is-symbol/1.0.4:
+ resolution: {integrity: sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ has-symbols: 1.0.3
+ dev: false
+
+ /is-typed-array/1.1.10:
+ resolution: {integrity: sha512-PJqgEHiWZvMpaFZ3uTc8kHPM4+4ADTlDniuQL7cU/UDA0Ql7F70yGfHph3cLNe+c9toaigv+DFzTJKhc2CtO6A==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ available-typed-arrays: 1.0.5
+ call-bind: 1.0.2
+ for-each: 0.3.3
+ gopd: 1.0.1
+ has-tostringtag: 1.0.0
+ dev: false
+
+ /is-weakref/1.0.2:
+ resolution: {integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==}
+ dependencies:
+ call-bind: 1.0.2
+ dev: false
+
+ /is-windows/1.0.2:
+ resolution: {integrity: sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /is-wsl/2.2.0:
+ resolution: {integrity: sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==}
+ engines: {node: '>=8'}
+ dependencies:
+ is-docker: 2.2.1
+ dev: false
+
+ /isexe/2.0.0:
+ resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==}
+ dev: false
+
+ /jest-worker/27.5.1:
+ resolution: {integrity: sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==}
+ engines: {node: '>= 10.13.0'}
+ dependencies:
+ '@types/node': 18.15.11
+ merge-stream: 2.0.0
+ supports-color: 8.1.1
+ dev: false
+
+ /jiti/1.18.2:
+ resolution: {integrity: sha512-QAdOptna2NYiSSpv0O/BwoHBSmz4YhpzJHyi+fnMRTXFjp7B8i/YG5Z8IfusxB1ufjcD2Sre1F3R+nX3fvy7gg==}
+ hasBin: true
+ dev: false
+
+ /js-sdsl/4.4.0:
+ resolution: {integrity: sha512-FfVSdx6pJ41Oa+CF7RDaFmTnCaFhua+SNYQX74riGOpl96x+2jQCqEfQ2bnXu/5DPCqlRuiqyvTJM0Qjz26IVg==}
+ dev: false
+
+ /js-tokens/4.0.0:
+ resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==}
+
+ /js-yaml/3.14.1:
+ resolution: {integrity: sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==}
+ hasBin: true
+ dependencies:
+ argparse: 1.0.10
+ esprima: 4.0.1
+ dev: false
+
+ /js-yaml/4.1.0:
+ resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==}
+ hasBin: true
+ dependencies:
+ argparse: 2.0.1
+ dev: false
+
+ /jsesc/2.5.2:
+ resolution: {integrity: sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==}
+ engines: {node: '>=4'}
+ hasBin: true
+ dev: true
+
+ /json-parse-even-better-errors/2.3.1:
+ resolution: {integrity: sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==}
+ dev: false
+
+ /json-schema-traverse/0.4.1:
+ resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==}
+ dev: false
+
+ /json-stable-stringify-without-jsonify/1.0.1:
+ resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==}
+ dev: false
+
+ /json5/1.0.2:
+ resolution: {integrity: sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==}
+ hasBin: true
+ dependencies:
+ minimist: 1.2.8
+ dev: false
+
+ /json5/2.2.3:
+ resolution: {integrity: sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==}
+ engines: {node: '>=6'}
+ hasBin: true
+
+ /jsonfile/4.0.0:
+ resolution: {integrity: sha512-m6F1R3z8jjlf2imQHS2Qez5sjKWQzbuuhuJ/FKYFRZvPE3PuHcSMVZzfsLhGVOkfd20obL5SWEBew5ShlquNxg==}
+ optionalDependencies:
+ graceful-fs: 4.2.11
+ dev: false
+
+ /jsonfile/6.1.0:
+ resolution: {integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==}
+ dependencies:
+ universalify: 2.0.0
+ optionalDependencies:
+ graceful-fs: 4.2.11
+ dev: false
+
+ /jsx-ast-utils/3.3.3:
+ resolution: {integrity: sha512-fYQHZTZ8jSfmWZ0iyzfwiU4WDX4HpHbMCZ3gPlWYiCl3BoeOTsqKBqnTVfH2rYT7eP5c3sVbeSPHnnJOaTrWiw==}
+ engines: {node: '>=4.0'}
+ dependencies:
+ array-includes: 3.1.6
+ object.assign: 4.1.4
+ dev: false
+
+ /kind-of/6.0.3:
+ resolution: {integrity: sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /klaw-sync/6.0.0:
+ resolution: {integrity: sha512-nIeuVSzdCCs6TDPTqI8w1Yre34sSq7AkZ4B3sfOBbI2CgVSB4Du4aLQijFU2+lhAFCwt9+42Hel6lQNIv6AntQ==}
+ dependencies:
+ graceful-fs: 4.2.11
+ dev: false
+
+ /kleur/3.0.3:
+ resolution: {integrity: sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /kleur/4.1.5:
+ resolution: {integrity: sha512-o+NO+8WrRiQEE4/7nwRJhN1HWpVmJm511pBHUxPLtp0BUISzlBplORYSmTclCnJvQq2tKu/sgl3xVpkc7ZWuQQ==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /levn/0.4.1:
+ resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==}
+ engines: {node: '>= 0.8.0'}
+ dependencies:
+ prelude-ls: 1.2.1
+ type-check: 0.4.0
+ dev: false
+
+ /lilconfig/2.1.0:
+ resolution: {integrity: sha512-utWOt/GHzuUxnLKxB6dk81RoOeoNeHgbrXiuGk4yyF5qlRz+iIVWu56E2fqGHFrXz0QNUhLB/8nKqvRH66JKGQ==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /lines-and-columns/1.2.4:
+ resolution: {integrity: sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==}
+ dev: false
+
+ /load-yaml-file/0.2.0:
+ resolution: {integrity: sha512-OfCBkGEw4nN6JLtgRidPX6QxjBQGQf72q3si2uvqyFEMbycSFFHwAZeXx6cJgFM9wmLrf9zBwCP3Ivqa+LLZPw==}
+ engines: {node: '>=6'}
+ dependencies:
+ graceful-fs: 4.2.11
+ js-yaml: 3.14.1
+ pify: 4.0.1
+ strip-bom: 3.0.0
+ dev: false
+
+ /loader-runner/4.3.0:
+ resolution: {integrity: sha512-3R/1M+yS3j5ou80Me59j7F9IMs4PXs3VqRrm0TU3AbKPxlmpoY1TNscJV/oGJXo8qCatFGTfDbY6W6ipGOYXfg==}
+ engines: {node: '>=6.11.5'}
+ dev: false
+
+ /loader-utils/2.0.4:
+ resolution: {integrity: sha512-xXqpXoINfFhgua9xiqD8fPFHgkoq1mmmpE92WlDbm9rNRd/EbRb+Gqf908T2DMfuHjjJlksiK2RbHVOdD/MqSw==}
+ engines: {node: '>=8.9.0'}
+ dependencies:
+ big.js: 5.2.2
+ emojis-list: 3.0.0
+ json5: 2.2.3
+ dev: false
+
+ /locate-path/5.0.0:
+ resolution: {integrity: sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==}
+ engines: {node: '>=8'}
+ dependencies:
+ p-locate: 4.1.0
+ dev: false
+
+ /locate-path/6.0.0:
+ resolution: {integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==}
+ engines: {node: '>=10'}
+ dependencies:
+ p-locate: 5.0.0
+ dev: false
+
+ /lodash.foreach/4.5.0:
+ resolution: {integrity: sha512-aEXTF4d+m05rVOAUG3z4vZZ4xVexLKZGF0lIxuHZ1Hplpk/3B6Z1+/ICICYRLm7c41Z2xiejbkCkJoTlypoXhQ==}
+ dev: false
+
+ /lodash.merge/4.6.2:
+ resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==}
+ dev: false
+
+ /lodash.sortby/4.7.0:
+ resolution: {integrity: sha512-HDWXG8isMntAyRF5vZ7xKuEvOhT4AhlRt/3czTSjvGUxjYCBVRQY48ViDHyfYz9VIoBkW4TMGQNapx+l3RUwdA==}
+ dev: false
+
+ /lodash.startcase/4.4.0:
+ resolution: {integrity: sha512-+WKqsK294HMSc2jEbNgpHpd0JfIBhp7rEV4aqXWqFr6AlXov+SlcgB1Fv01y2kGe3Gc8nMW7VA0SrGuSkRfIEg==}
+ dev: false
+
+ /loose-envify/1.4.0:
+ resolution: {integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==}
+ hasBin: true
+ dependencies:
+ js-tokens: 4.0.0
+ dev: false
+
+ /lottie-web/5.10.2:
+ resolution: {integrity: sha512-d0PFIGiwuMsJYaF4uPo+qG8dEorlI+xFI2zrrFtE1bGO4WoLIz+NjremxEq1swpR7juR10aeOtmNh3d6G3ub0A==}
+ dev: false
+
+ /lru-cache/4.1.5:
+ resolution: {integrity: sha512-sWZlbEP2OsHNkXrMl5GYk/jKk70MBng6UU4YI/qGDYbgf6YbP4EvmqISbXCoJiRKs+1bSpFHVgQxvJ17F2li5g==}
+ dependencies:
+ pseudomap: 1.0.2
+ yallist: 2.1.2
+ dev: false
+
+ /lru-cache/5.1.1:
+ resolution: {integrity: sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==}
+ dependencies:
+ yallist: 3.1.1
+ dev: true
+
+ /lru-cache/6.0.0:
+ resolution: {integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==}
+ engines: {node: '>=10'}
+ dependencies:
+ yallist: 4.0.0
+ dev: false
+
+ /magic-string/0.27.0:
+ resolution: {integrity: sha512-8UnnX2PeRAPZuN12svgR9j7M1uWMovg/CEnIwIG0LFkXSJJe4PdfUGiTGl8V9bsBHFUtfVINcSyYxd7q+kx9fA==}
+ engines: {node: '>=12'}
+ dependencies:
+ '@jridgewell/sourcemap-codec': 1.4.14
+ dev: true
+
+ /map-obj/1.0.1:
+ resolution: {integrity: sha512-7N/q3lyZ+LVCp7PzuxrJr4KMbBE2hW7BT7YNia330OFxIf4d3r5zVpicP2650l7CPN6RM9zOJRl3NGpqSiw3Eg==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /map-obj/4.3.0:
+ resolution: {integrity: sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /memfs/3.4.3:
+ resolution: {integrity: sha512-eivjfi7Ahr6eQTn44nvTnR60e4a1Fs1Via2kCR5lHo/kyNoiMWaXCNJ/GpSd0ilXas2JSOl9B5FTIhflXu0hlg==}
+ engines: {node: '>= 4.0.0'}
+ dependencies:
+ fs-monkey: 1.0.3
+ dev: false
+
+ /meow/6.1.1:
+ resolution: {integrity: sha512-3YffViIt2QWgTy6Pale5QpopX/IvU3LPL03jOTqp6pGj3VjesdO/U8CuHMKpnQr4shCNCM5fd5XFFvIIl6JBHg==}
+ engines: {node: '>=8'}
+ dependencies:
+ '@types/minimist': 1.2.2
+ camelcase-keys: 6.2.2
+ decamelize-keys: 1.1.1
+ hard-rejection: 2.1.0
+ minimist-options: 4.1.0
+ normalize-package-data: 2.5.0
+ read-pkg-up: 7.0.1
+ redent: 3.0.0
+ trim-newlines: 3.0.1
+ type-fest: 0.13.1
+ yargs-parser: 18.1.3
+ dev: false
+
+ /merge-stream/2.0.0:
+ resolution: {integrity: sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==}
+ dev: false
+
+ /merge2/1.4.1:
+ resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==}
+ engines: {node: '>= 8'}
+ dev: false
+
+ /micromatch/4.0.5:
+ resolution: {integrity: sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==}
+ engines: {node: '>=8.6'}
+ dependencies:
+ braces: 3.0.2
+ picomatch: 2.3.1
+ dev: false
+
+ /mime-db/1.52.0:
+ resolution: {integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==}
+ engines: {node: '>= 0.6'}
+ dev: false
+
+ /mime-types/2.1.35:
+ resolution: {integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==}
+ engines: {node: '>= 0.6'}
+ dependencies:
+ mime-db: 1.52.0
+ dev: false
+
+ /mimic-fn/2.1.0:
+ resolution: {integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /min-indent/1.0.1:
+ resolution: {integrity: sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==}
+ engines: {node: '>=4'}
+ dev: false
+
+ /minimatch/3.1.2:
+ resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==}
+ dependencies:
+ brace-expansion: 1.1.11
+ dev: false
+
+ /minimist-options/4.1.0:
+ resolution: {integrity: sha512-Q4r8ghd80yhO/0j1O3B2BjweX3fiHg9cdOwjJd2J76Q135c+NDxGCqdYKQ1SKBuFfgWbAUzBfvYjPUEeNgqN1A==}
+ engines: {node: '>= 6'}
+ dependencies:
+ arrify: 1.0.1
+ is-plain-obj: 1.1.0
+ kind-of: 6.0.3
+ dev: false
+
+ /minimist/1.2.6:
+ resolution: {integrity: sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==}
+ dev: false
+
+ /minimist/1.2.8:
+ resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==}
+ dev: false
+
+ /mixme/0.5.9:
+ resolution: {integrity: sha512-VC5fg6ySUscaWUpI4gxCBTQMH2RdUpNrk+MsbpCYtIvf9SBJdiUey4qE7BXviJsJR4nDQxCZ+3yaYNW3guz/Pw==}
+ engines: {node: '>= 8.0.0'}
+ dev: false
+
+ /ms/2.1.2:
+ resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==}
+
+ /ms/2.1.3:
+ resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==}
+ dev: false
+
+ /mz/2.7.0:
+ resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==}
+ dependencies:
+ any-promise: 1.3.0
+ object-assign: 4.1.1
+ thenify-all: 1.6.0
+ dev: false
+
+ /nanoid/3.3.6:
+ resolution: {integrity: sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==}
+ engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}
+ hasBin: true
+
+ /natural-compare-lite/1.4.0:
+ resolution: {integrity: sha512-Tj+HTDSJJKaZnfiuw+iaF9skdPpTo2GtEly5JHnWV/hfv2Qj/9RKsGISQtLh2ox3l5EAGw487hnBee0sIJ6v2g==}
+ dev: false
+
+ /natural-compare/1.4.0:
+ resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==}
+ dev: false
+
+ /neo-async/2.6.2:
+ resolution: {integrity: sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==}
+ dev: false
+
+ /nice-try/1.0.5:
+ resolution: {integrity: sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==}
+ dev: false
+
+ /node-releases/2.0.10:
+ resolution: {integrity: sha512-5GFldHPXVG/YZmFzJvKK2zDSzPKhEp0+ZR5SVaoSag9fsL5YgHbUHDfnG5494ISANDcK4KwPXAx2xqVEydmd7w==}
+
+ /normalize-package-data/2.5.0:
+ resolution: {integrity: sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==}
+ dependencies:
+ hosted-git-info: 2.8.9
+ resolve: 1.22.1
+ semver: 5.7.1
+ validate-npm-package-license: 3.0.4
+ dev: false
+
+ /normalize-path/3.0.0:
+ resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /normalize-range/0.1.2:
+ resolution: {integrity: sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /npm-run-path/4.0.1:
+ resolution: {integrity: sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==}
+ engines: {node: '>=8'}
+ dependencies:
+ path-key: 3.1.1
+ dev: false
+
+ /object-assign/4.1.1:
+ resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /object-hash/3.0.0:
+ resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==}
+ engines: {node: '>= 6'}
+ dev: false
+
+ /object-inspect/1.12.3:
+ resolution: {integrity: sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==}
+ dev: false
+
+ /object-keys/1.1.1:
+ resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==}
+ engines: {node: '>= 0.4'}
+ dev: false
+
+ /object.assign/4.1.4:
+ resolution: {integrity: sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ has-symbols: 1.0.3
+ object-keys: 1.1.1
+ dev: false
+
+ /object.entries/1.1.6:
+ resolution: {integrity: sha512-leTPzo4Zvg3pmbQ3rDK69Rl8GQvIqMWubrkxONG9/ojtFE2rD9fjMKfSI5BxW3osRH1m6VdzmqK8oAY9aT4x5w==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /object.fromentries/2.0.6:
+ resolution: {integrity: sha512-VciD13dswC4j1Xt5394WR4MzmAQmlgN72phd/riNp9vtD7tp4QQWJ0R4wvclXcafgcYK8veHRed2W6XeGBvcfg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /object.hasown/1.1.2:
+ resolution: {integrity: sha512-B5UIT3J1W+WuWIU55h0mjlwaqxiE5vYENJXIXZ4VFe05pNYrkKuK0U/6aFcb0pKywYJh7IhfoqUfKVmrJJHZHw==}
+ dependencies:
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /object.values/1.1.6:
+ resolution: {integrity: sha512-FVVTkD1vENCsAcwNs9k6jea2uHC/X0+JcjG8YA60FN5CMaJmG95wT9jek/xX9nornqGRrBkKtzuAu2wuHpKqvw==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /once/1.4.0:
+ resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==}
+ dependencies:
+ wrappy: 1.0.2
+ dev: false
+
+ /onetime/5.1.2:
+ resolution: {integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==}
+ engines: {node: '>=6'}
+ dependencies:
+ mimic-fn: 2.1.0
+ dev: false
+
+ /open/7.4.2:
+ resolution: {integrity: sha512-MVHddDVweXZF3awtlAS+6pgKLlm/JgxZ90+/NBurBoQctVOOB/zDdVjcyPzQ+0laDGbsWgrRkflI65sQeOgT9Q==}
+ engines: {node: '>=8'}
+ dependencies:
+ is-docker: 2.2.1
+ is-wsl: 2.2.0
+ dev: false
+
+ /open/8.4.2:
+ resolution: {integrity: sha512-7x81NCL719oNbsq/3mh+hVrAWmFuEYUqrq/Iw3kUzH8ReypT9QQ0BLoJS7/G9k6N81XjW4qHWtjWwe/9eLy1EQ==}
+ engines: {node: '>=12'}
+ dependencies:
+ define-lazy-prop: 2.0.0
+ is-docker: 2.2.1
+ is-wsl: 2.2.0
+ dev: false
+
+ /optionator/0.9.1:
+ resolution: {integrity: sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==}
+ engines: {node: '>= 0.8.0'}
+ dependencies:
+ deep-is: 0.1.4
+ fast-levenshtein: 2.0.6
+ levn: 0.4.1
+ prelude-ls: 1.2.1
+ type-check: 0.4.0
+ word-wrap: 1.2.3
+ dev: false
+
+ /os-tmpdir/1.0.2:
+ resolution: {integrity: sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /outdent/0.5.0:
+ resolution: {integrity: sha512-/jHxFIzoMXdqPzTaCpFzAAWhpkSjZPF4Vsn6jAfNpmbH/ymsmd7Qc6VE9BGn0L6YMj6uwpQLxCECpus4ukKS9Q==}
+ dev: false
+
+ /overlap-area/1.1.0:
+ resolution: {integrity: sha512-3dlJgJCaVeXH0/eZjYVJvQiLVVrPO4U1ZGqlATtx6QGO3b5eNM6+JgUKa7oStBTdYuGTk7gVoABCW6Tp+dhRdw==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ dev: false
+
+ /p-filter/2.1.0:
+ resolution: {integrity: sha512-ZBxxZ5sL2HghephhpGAQdoskxplTwr7ICaehZwLIlfL6acuVgZPm8yBNuRAFBGEqtD/hmUeq9eqLg2ys9Xr/yw==}
+ engines: {node: '>=8'}
+ dependencies:
+ p-map: 2.1.0
+ dev: false
+
+ /p-limit/2.3.0:
+ resolution: {integrity: sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==}
+ engines: {node: '>=6'}
+ dependencies:
+ p-try: 2.2.0
+ dev: false
+
+ /p-limit/3.1.0:
+ resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==}
+ engines: {node: '>=10'}
+ dependencies:
+ yocto-queue: 0.1.0
+ dev: false
+
+ /p-locate/4.1.0:
+ resolution: {integrity: sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==}
+ engines: {node: '>=8'}
+ dependencies:
+ p-limit: 2.3.0
+ dev: false
+
+ /p-locate/5.0.0:
+ resolution: {integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==}
+ engines: {node: '>=10'}
+ dependencies:
+ p-limit: 3.1.0
+ dev: false
+
+ /p-map/2.1.0:
+ resolution: {integrity: sha512-y3b8Kpd8OAN444hxfBbFfj1FY/RjtTd8tzYwhUqNYXx0fXx2iX4maP4Qr6qhIKbQXI02wTLAda4fYUbDagTUFw==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /p-try/2.2.0:
+ resolution: {integrity: sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /parent-module/1.0.1:
+ resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==}
+ engines: {node: '>=6'}
+ dependencies:
+ callsites: 3.1.0
+ dev: false
+
+ /parse-json/5.2.0:
+ resolution: {integrity: sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==}
+ engines: {node: '>=8'}
+ dependencies:
+ '@babel/code-frame': 7.21.4
+ error-ex: 1.3.2
+ json-parse-even-better-errors: 2.3.1
+ lines-and-columns: 1.2.4
+ dev: false
+
+ /patch-package/6.5.1:
+ resolution: {integrity: sha512-I/4Zsalfhc6bphmJTlrLoOcAF87jcxko4q0qsv4bGcurbr8IskEOtdnt9iCmsQVGL1B+iUhSQqweyTLJfCF9rA==}
+ engines: {node: '>=10', npm: '>5'}
+ hasBin: true
+ dependencies:
+ '@yarnpkg/lockfile': 1.1.0
+ chalk: 4.1.2
+ cross-spawn: 6.0.5
+ find-yarn-workspace-root: 2.0.0
+ fs-extra: 9.1.0
+ is-ci: 2.0.0
+ klaw-sync: 6.0.0
+ minimist: 1.2.8
+ open: 7.4.2
+ rimraf: 2.7.1
+ semver: 5.7.1
+ slash: 2.0.0
+ tmp: 0.0.33
+ yaml: 1.10.2
+ dev: false
+
+ /path-exists/4.0.0:
+ resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /path-is-absolute/1.0.1:
+ resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /path-key/2.0.1:
+ resolution: {integrity: sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==}
+ engines: {node: '>=4'}
+ dev: false
+
+ /path-key/3.1.1:
+ resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /path-parse/1.0.7:
+ resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==}
+
+ /path-type/4.0.0:
+ resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /pend/1.2.0:
+ resolution: {integrity: sha512-F3asv42UuXchdzt+xXqfW1OGlVBe+mxa2mqI0pg5yAHZPvFmY3Y6drSf/GQ1A86WgWEN9Kzh/WrgKa6iGcHXLg==}
+ dev: false
+
+ /picocolors/1.0.0:
+ resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==}
+
+ /picomatch/2.3.1:
+ resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
+ engines: {node: '>=8.6'}
+ dev: false
+
+ /pify/2.3.0:
+ resolution: {integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /pify/4.0.1:
+ resolution: {integrity: sha512-uB80kBFb/tfd68bVleG9T5GGsGPjJrLAUpR5PZIrhBnIaRTQRjqdJSsIKkOP6OAIFbj7GOrcudc5pNjZ+geV2g==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /pirates/4.0.5:
+ resolution: {integrity: sha512-8V9+HQPupnaXMA23c5hvl69zXvTwTzyAYasnkb0Tts4XvO4CliqONMOnvlq26rkhLC3nWDFBJf73LU1e1VZLaQ==}
+ engines: {node: '>= 6'}
+ dev: false
+
+ /pkg-dir/4.2.0:
+ resolution: {integrity: sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==}
+ engines: {node: '>=8'}
+ dependencies:
+ find-up: 4.1.0
+ dev: false
+
+ /postcss-import/14.1.0_postcss@8.4.21:
+ resolution: {integrity: sha512-flwI+Vgm4SElObFVPpTIT7SU7R3qk2L7PyduMcokiaVKuWv9d/U+Gm/QAd8NDLuykTWTkcrjOeD2Pp1rMeBTGw==}
+ engines: {node: '>=10.0.0'}
+ peerDependencies:
+ postcss: ^8.0.0
+ dependencies:
+ postcss: 8.4.21
+ postcss-value-parser: 4.2.0
+ read-cache: 1.0.0
+ resolve: 1.22.1
+ dev: false
+
+ /postcss-js/4.0.1_postcss@8.4.21:
+ resolution: {integrity: sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==}
+ engines: {node: ^12 || ^14 || >= 16}
+ peerDependencies:
+ postcss: ^8.4.21
+ dependencies:
+ camelcase-css: 2.0.1
+ postcss: 8.4.21
+ dev: false
+
+ /postcss-load-config/3.1.4_postcss@8.4.21:
+ resolution: {integrity: sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg==}
+ engines: {node: '>= 10'}
+ peerDependencies:
+ postcss: '>=8.0.9'
+ ts-node: '>=9.0.0'
+ peerDependenciesMeta:
+ postcss:
+ optional: true
+ ts-node:
+ optional: true
+ dependencies:
+ lilconfig: 2.1.0
+ postcss: 8.4.21
+ yaml: 1.10.2
+ dev: false
+
+ /postcss-modules-extract-imports/3.0.0_postcss@8.4.21:
+ resolution: {integrity: sha512-bdHleFnP3kZ4NYDhuGlVK+CMrQ/pqUm8bx/oGL93K6gVwiclvX5x0n76fYMKuIGKzlABOy13zsvqjb0f92TEXw==}
+ engines: {node: ^10 || ^12 || >= 14}
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ postcss: 8.4.21
+ dev: false
+
+ /postcss-modules-local-by-default/4.0.0_postcss@8.4.21:
+ resolution: {integrity: sha512-sT7ihtmGSF9yhm6ggikHdV0hlziDTX7oFoXtuVWeDd3hHObNkcHRo9V3yg7vCAY7cONyxJC/XXCmmiHHcvX7bQ==}
+ engines: {node: ^10 || ^12 || >= 14}
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ icss-utils: 5.1.0_postcss@8.4.21
+ postcss: 8.4.21
+ postcss-selector-parser: 6.0.11
+ postcss-value-parser: 4.2.0
+ dev: false
+
+ /postcss-modules-scope/3.0.0_postcss@8.4.21:
+ resolution: {integrity: sha512-hncihwFA2yPath8oZ15PZqvWGkWf+XUfQgUGamS4LqoP1anQLOsOJw0vr7J7IwLpoY9fatA2qiGUGmuZL0Iqlg==}
+ engines: {node: ^10 || ^12 || >= 14}
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ postcss: 8.4.21
+ postcss-selector-parser: 6.0.11
+ dev: false
+
+ /postcss-modules-values/4.0.0_postcss@8.4.21:
+ resolution: {integrity: sha512-RDxHkAiEGI78gS2ofyvCsu7iycRv7oqw5xMWn9iMoR0N/7mf9D50ecQqUo5BZ9Zh2vH4bCUR/ktCqbB9m8vJjQ==}
+ engines: {node: ^10 || ^12 || >= 14}
+ peerDependencies:
+ postcss: ^8.1.0
+ dependencies:
+ icss-utils: 5.1.0_postcss@8.4.21
+ postcss: 8.4.21
+ dev: false
+
+ /postcss-nested/6.0.0_postcss@8.4.21:
+ resolution: {integrity: sha512-0DkamqrPcmkBDsLn+vQDIrtkSbNkv5AD/M322ySo9kqFkCIYklym2xEmWkwo+Y3/qZo34tzEPNUw4y7yMCdv5w==}
+ engines: {node: '>=12.0'}
+ peerDependencies:
+ postcss: ^8.2.14
+ dependencies:
+ postcss: 8.4.21
+ postcss-selector-parser: 6.0.11
+ dev: false
+
+ /postcss-selector-parser/6.0.11:
+ resolution: {integrity: sha512-zbARubNdogI9j7WY4nQJBiNqQf3sLS3wCP4WfOidu+p28LofJqDH1tcXypGrcmMHhDk2t9wGhCsYe/+szLTy1g==}
+ engines: {node: '>=4'}
+ dependencies:
+ cssesc: 3.0.0
+ util-deprecate: 1.0.2
+ dev: false
+
+ /postcss-value-parser/4.2.0:
+ resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==}
+ dev: false
+
+ /postcss/8.4.21:
+ resolution: {integrity: sha512-tP7u/Sn/dVxK2NnruI4H9BG+x+Wxz6oeZ1cJ8P6G/PZY0IKk4k/63TDsQf2kQq3+qoJeLm2kIBUNlZe3zgb4Zg==}
+ engines: {node: ^10 || ^12 || >=14}
+ dependencies:
+ nanoid: 3.3.6
+ picocolors: 1.0.0
+ source-map-js: 1.0.2
+
+ /postinstall-postinstall/2.1.0:
+ resolution: {integrity: sha512-7hQX6ZlZXIoRiWNrbMQaLzUUfH+sSx39u8EJ9HYuDc1kLo9IXKWjM5RSquZN1ad5GnH8CGFM78fsAAQi3OKEEQ==}
+ requiresBuild: true
+ dev: false
+
+ /preferred-pm/3.0.3:
+ resolution: {integrity: sha512-+wZgbxNES/KlJs9q40F/1sfOd/j7f1O9JaHcW5Dsn3aUUOZg3L2bjpVUcKV2jvtElYfoTuQiNeMfQJ4kwUAhCQ==}
+ engines: {node: '>=10'}
+ dependencies:
+ find-up: 5.0.0
+ find-yarn-workspace-root2: 1.2.16
+ path-exists: 4.0.0
+ which-pm: 2.0.0
+ dev: false
+
+ /prelude-ls/1.2.1:
+ resolution: {integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==}
+ engines: {node: '>= 0.8.0'}
+ dev: false
+
+ /prettier-linter-helpers/1.0.0:
+ resolution: {integrity: sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==}
+ engines: {node: '>=6.0.0'}
+ dependencies:
+ fast-diff: 1.2.0
+ dev: false
+
+ /prettier/2.8.7:
+ resolution: {integrity: sha512-yPngTo3aXUUmyuTjeTUT75txrf+aMh9FiD7q9ZE/i6r0bPb22g4FsE6Y338PQX1bmfy08i9QQCB7/rcUAVntfw==}
+ engines: {node: '>=10.13.0'}
+ hasBin: true
+ dev: false
+
+ /prompts/2.4.1:
+ resolution: {integrity: sha512-EQyfIuO2hPDsX1L/blblV+H7I0knhgAd82cVneCwcdND9B8AuCDuRcBH6yIcG4dFzlOUqbazQqwGjx5xmsNLuQ==}
+ engines: {node: '>= 6'}
+ dependencies:
+ kleur: 3.0.3
+ sisteransi: 1.0.5
+ dev: false
+
+ /prop-types/15.8.1:
+ resolution: {integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==}
+ dependencies:
+ loose-envify: 1.4.0
+ object-assign: 4.1.1
+ react-is: 16.13.1
+ dev: false
+
+ /pseudomap/1.0.2:
+ resolution: {integrity: sha512-b/YwNhb8lk1Zz2+bXXpS/LK9OisiZZ1SNsSLxN1x2OXVEhW2Ckr/7mWE5vrC1ZTiJlD9g19jWszTmJsB+oEpFQ==}
+ dev: false
+
+ /pump/3.0.0:
+ resolution: {integrity: sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==}
+ dependencies:
+ end-of-stream: 1.4.4
+ once: 1.4.0
+ dev: false
+
+ /punycode/2.3.0:
+ resolution: {integrity: sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /qr.js/0.0.0:
+ resolution: {integrity: sha512-c4iYnWb+k2E+vYpRimHqSu575b1/wKl4XFeJGpFmrJQz5I88v9aY2czh7s0w36srfCM1sXgC/xpoJz5dJfq+OQ==}
+ dev: false
+
+ /queue-microtask/1.2.3:
+ resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==}
+ dev: false
+
+ /quick-lru/4.0.1:
+ resolution: {integrity: sha512-ARhCpm70fzdcvNQfPoy49IaanKkTlRWF2JMzqhcJbhSFRZv7nPTvZJdcY7301IPmvW+/p0RgIWnQDLJxifsQ7g==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /quick-lru/5.1.1:
+ resolution: {integrity: sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /randombytes/2.1.0:
+ resolution: {integrity: sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==}
+ dependencies:
+ safe-buffer: 5.2.1
+ dev: false
+
+ /react-css-styled/1.0.4_@daybrush+utils@1.11.0:
+ resolution: {integrity: sha512-nRske1bAKOCaf7Gf3o76tKQFIYggaW1qH4rutBlitH5lYnRPA7WoAYKrcxqdUPZd00oASg3SvFZSh3Mc1Wvj3w==}
+ dependencies:
+ css-styled: 1.0.1_@daybrush+utils@1.11.0
+ framework-utils: 1.1.0
+ transitivePeerDependencies:
+ - '@daybrush/utils'
+ dev: false
+
+ /react-dom/18.2.0_react@18.2.0:
+ resolution: {integrity: sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==}
+ peerDependencies:
+ react: ^18.2.0
+ dependencies:
+ loose-envify: 1.4.0
+ react: 18.2.0
+ scheduler: 0.23.0
+ dev: false
+
+ /react-icons/4.8.0_react@18.2.0:
+ resolution: {integrity: sha512-N6+kOLcihDiAnj5Czu637waJqSnwlMNROzVZMhfX68V/9bu9qHaMIJC4UdozWoOk57gahFCNHwVvWzm0MTzRjg==}
+ peerDependencies:
+ react: '*'
+ dependencies:
+ react: 18.2.0
+ dev: false
+
+ /react-is/16.13.1:
+ resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==}
+ dev: false
+
+ /react-moveable/0.44.1:
+ resolution: {integrity: sha512-/sZzlSMXZB6ukZdy+w7T8RDGNi+MrECE6S/y33fug0OA4J+iPDwkKl4zaxQGfMNd1dGoBfrJtovYxLi12nV2eg==}
+ dependencies:
+ '@daybrush/utils': 1.11.0
+ '@egjs/agent': 2.4.3
+ '@egjs/children-differ': 1.0.1
+ '@egjs/list-differ': 1.0.0
+ '@scena/dragscroll': 1.4.0
+ '@scena/event-emitter': 1.0.5
+ '@scena/matrix': 1.1.1
+ css-to-mat: 1.0.3
+ framework-utils: 1.1.0
+ gesto: 1.15.1
+ overlap-area: 1.1.0
+ react-css-styled: 1.0.4_@daybrush+utils@1.11.0
+ dev: false
+
+ /react-qr-code/2.0.11_react@18.2.0:
+ resolution: {integrity: sha512-P7mvVM5vk9NjGdHMt4Z0KWeeJYwRAtonHTghZT2r+AASinLUUKQ9wfsGH2lPKsT++gps7hXmaiMGRvwTDEL9OA==}
+ peerDependencies:
+ react: ^16.x || ^17.x || ^18.x
+ react-native-svg: '*'
+ peerDependenciesMeta:
+ react-native-svg:
+ optional: true
+ dependencies:
+ prop-types: 15.8.1
+ qr.js: 0.0.0
+ react: 18.2.0
+ dev: false
+
+ /react-refresh/0.14.0:
+ resolution: {integrity: sha512-wViHqhAd8OHeLS/IRMJjTSDHF3U9eWi62F/MledQGPdJGDhodXJ9PBLNGr6WWL7qlH12Mt3TyTpbS+hGXMjCzQ==}
+ engines: {node: '>=0.10.0'}
+ dev: true
+
+ /react-refresh/0.9.0:
+ resolution: {integrity: sha512-Gvzk7OZpiqKSkxsQvO/mbTN1poglhmAV7gR/DdIrRrSMXraRQQlfikRJOr3Nb9GTMPC5kof948Zy6jJZIFtDvQ==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /react-simple-maps/3.0.0_v2m5e27vhdewzwhryxwfaorcca:
+ resolution: {integrity: sha512-vKNFrvpPG8Vyfdjnz5Ne1N56rZlDfHXv5THNXOVZMqbX1rWZA48zQuYT03mx6PAKanqarJu/PDLgshIZAfHHqw==}
+ peerDependencies:
+ prop-types: ^15.7.2
+ react: ^16.8.0 || 17.x || 18.x
+ react-dom: ^16.8.0 || 17.x || 18.x
+ dependencies:
+ d3-geo: 2.0.2
+ d3-selection: 2.0.0
+ d3-zoom: 2.0.0
+ prop-types: 15.8.1
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ topojson-client: 3.1.0
+ dev: false
+
+ /react/18.2.0:
+ resolution: {integrity: sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==}
+ engines: {node: '>=0.10.0'}
+ dependencies:
+ loose-envify: 1.4.0
+ dev: false
+
+ /read-cache/1.0.0:
+ resolution: {integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==}
+ dependencies:
+ pify: 2.3.0
+ dev: false
+
+ /read-pkg-up/7.0.1:
+ resolution: {integrity: sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==}
+ engines: {node: '>=8'}
+ dependencies:
+ find-up: 4.1.0
+ read-pkg: 5.2.0
+ type-fest: 0.8.1
+ dev: false
+
+ /read-pkg/5.2.0:
+ resolution: {integrity: sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==}
+ engines: {node: '>=8'}
+ dependencies:
+ '@types/normalize-package-data': 2.4.1
+ normalize-package-data: 2.5.0
+ parse-json: 5.2.0
+ type-fest: 0.6.0
+ dev: false
+
+ /read-yaml-file/1.1.0:
+ resolution: {integrity: sha512-VIMnQi/Z4HT2Fxuwg5KrY174U1VdUIASQVWXXyqtNRtxSr9IYkn1rsI6Tb6HsrHCmB7gVpNwX6JxPTHcH6IoTA==}
+ engines: {node: '>=6'}
+ dependencies:
+ graceful-fs: 4.2.11
+ js-yaml: 3.14.1
+ pify: 4.0.1
+ strip-bom: 3.0.0
+ dev: false
+
+ /readdirp/3.6.0:
+ resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==}
+ engines: {node: '>=8.10.0'}
+ dependencies:
+ picomatch: 2.3.1
+ dev: false
+
+ /redent/3.0.0:
+ resolution: {integrity: sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==}
+ engines: {node: '>=8'}
+ dependencies:
+ indent-string: 4.0.0
+ strip-indent: 3.0.0
+ dev: false
+
+ /regenerator-runtime/0.13.11:
+ resolution: {integrity: sha512-kY1AZVr2Ra+t+piVaJ4gxaFaReZVH40AKNo7UCX6W+dEwBo/2oZJzqfuN1qLq1oL45o56cPaTXELwrTh8Fpggg==}
+ dev: false
+
+ /regexp.prototype.flags/1.4.3:
+ resolution: {integrity: sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ functions-have-names: 1.2.3
+ dev: false
+
+ /remotion/3.3.80_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-sGL5zy+rPkLa29AFXqT7kxVV34xZO9r2zNU78+nB/gIcDzKsELZFA2Gtz1fsPkWacWwGLhRscVWhKtmMg3bVjA==}
+ peerDependencies:
+ react: '>=16.8.0'
+ react-dom: '>=16.8.0'
+ dependencies:
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ dev: false
+
+ /require-directory/2.1.1:
+ resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /require-main-filename/2.0.0:
+ resolution: {integrity: sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==}
+ dev: false
+
+ /resolve-from/4.0.0:
+ resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==}
+ engines: {node: '>=4'}
+ dev: false
+
+ /resolve-from/5.0.0:
+ resolution: {integrity: sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /resolve/1.22.1:
+ resolution: {integrity: sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==}
+ hasBin: true
+ dependencies:
+ is-core-module: 2.11.0
+ path-parse: 1.0.7
+ supports-preserve-symlinks-flag: 1.0.0
+
+ /resolve/2.0.0-next.4:
+ resolution: {integrity: sha512-iMDbmAWtfU+MHpxt/I5iWI7cY6YVEZUQ3MBgPQ++XD1PELuJHIl82xBmObyP2KyQmkNB2dsqF7seoQQiAn5yDQ==}
+ hasBin: true
+ dependencies:
+ is-core-module: 2.11.0
+ path-parse: 1.0.7
+ supports-preserve-symlinks-flag: 1.0.0
+ dev: false
+
+ /reusify/1.0.4:
+ resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==}
+ engines: {iojs: '>=1.0.0', node: '>=0.10.0'}
+ dev: false
+
+ /rimraf/2.7.1:
+ resolution: {integrity: sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==}
+ hasBin: true
+ dependencies:
+ glob: 7.2.3
+ dev: false
+
+ /rimraf/3.0.2:
+ resolution: {integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==}
+ hasBin: true
+ dependencies:
+ glob: 7.2.3
+ dev: false
+
+ /rollup/3.20.2:
+ resolution: {integrity: sha512-3zwkBQl7Ai7MFYQE0y1MeQ15+9jsi7XxfrqwTb/9EK8D9C9+//EBR4M+CuA1KODRaNbFez/lWxA5vhEGZp4MUg==}
+ engines: {node: '>=14.18.0', npm: '>=8.0.0'}
+ hasBin: true
+ optionalDependencies:
+ fsevents: 2.3.2
+ dev: true
+
+ /run-parallel/1.2.0:
+ resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==}
+ dependencies:
+ queue-microtask: 1.2.3
+ dev: false
+
+ /safe-buffer/5.2.1:
+ resolution: {integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==}
+ dev: false
+
+ /safe-regex-test/1.0.0:
+ resolution: {integrity: sha512-JBUUzyOgEwXQY1NuPtvcj/qcBDbDmEvWufhlnXZIm75DEHp+afM1r1ujJpJsV/gSM4t59tpDyPi1sd6ZaPFfsA==}
+ dependencies:
+ call-bind: 1.0.2
+ get-intrinsic: 1.2.0
+ is-regex: 1.1.4
+ dev: false
+
+ /safer-buffer/2.1.2:
+ resolution: {integrity: sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==}
+ dev: false
+
+ /scheduler/0.23.0:
+ resolution: {integrity: sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==}
+ dependencies:
+ loose-envify: 1.4.0
+ dev: false
+
+ /schema-utils/3.1.1:
+ resolution: {integrity: sha512-Y5PQxS4ITlC+EahLuXaY86TXfR7Dc5lw294alXOq86JAHCihAIZfqv8nNCWvaEJvaC51uN9hbLGeV0cFBdH+Fw==}
+ engines: {node: '>= 10.13.0'}
+ dependencies:
+ '@types/json-schema': 7.0.11
+ ajv: 6.12.6
+ ajv-keywords: 3.5.2_ajv@6.12.6
+ dev: false
+
+ /semver/5.7.1:
+ resolution: {integrity: sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==}
+ hasBin: true
+ dev: false
+
+ /semver/6.3.0:
+ resolution: {integrity: sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==}
+ hasBin: true
+
+ /semver/7.3.5:
+ resolution: {integrity: sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==}
+ engines: {node: '>=10'}
+ hasBin: true
+ dependencies:
+ lru-cache: 6.0.0
+ dev: false
+
+ /semver/7.3.8:
+ resolution: {integrity: sha512-NB1ctGL5rlHrPJtFDVIVzTyQylMLu9N9VICA6HSFJo8MCGVTMW6gfpicwKmmK/dAjTOrqu5l63JJOpDSrAis3A==}
+ engines: {node: '>=10'}
+ hasBin: true
+ dependencies:
+ lru-cache: 6.0.0
+ dev: false
+
+ /serialize-javascript/6.0.1:
+ resolution: {integrity: sha512-owoXEFjWRllis8/M1Q+Cw5k8ZH40e3zhp/ovX+Xr/vi1qj6QesbyXXViFbpNvWvPNAD62SutwEXavefrLJWj7w==}
+ dependencies:
+ randombytes: 2.1.0
+ dev: false
+
+ /set-blocking/2.0.0:
+ resolution: {integrity: sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==}
+ dev: false
+
+ /shebang-command/1.2.0:
+ resolution: {integrity: sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==}
+ engines: {node: '>=0.10.0'}
+ dependencies:
+ shebang-regex: 1.0.0
+ dev: false
+
+ /shebang-command/2.0.0:
+ resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==}
+ engines: {node: '>=8'}
+ dependencies:
+ shebang-regex: 3.0.0
+ dev: false
+
+ /shebang-regex/1.0.0:
+ resolution: {integrity: sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /shebang-regex/3.0.0:
+ resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /side-channel/1.0.4:
+ resolution: {integrity: sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==}
+ dependencies:
+ call-bind: 1.0.2
+ get-intrinsic: 1.2.0
+ object-inspect: 1.12.3
+ dev: false
+
+ /signal-exit/3.0.7:
+ resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==}
+ dev: false
+
+ /simple-swizzle/0.2.2:
+ resolution: {integrity: sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==}
+ dependencies:
+ is-arrayish: 0.3.2
+ dev: false
+
+ /simplex-noise/4.0.1:
+ resolution: {integrity: sha512-zl/+bdSqW7HJOQ0oDbxrNYaF4F5ik0i7M6YOYmEoIJNtg16NpvWaTTM1Y7oV/7T0jFljawLgYPS81Uu2rsfo1A==}
+ dev: false
+
+ /sisteransi/1.0.5:
+ resolution: {integrity: sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==}
+ dev: false
+
+ /slash/2.0.0:
+ resolution: {integrity: sha512-ZYKh3Wh2z1PpEXWr0MpSBZ0V6mZHAQfYevttO11c51CaWjGTaadiKZ+wVt1PbMlDV5qhMFslpZCemhwOK7C89A==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /slash/3.0.0:
+ resolution: {integrity: sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /smartwrap/2.0.2:
+ resolution: {integrity: sha512-vCsKNQxb7PnCNd2wY1WClWifAc2lwqsG8OaswpJkVJsvMGcnEntdTCDajZCkk93Ay1U3t/9puJmb525Rg5MZBA==}
+ engines: {node: '>=6'}
+ hasBin: true
+ dependencies:
+ array.prototype.flat: 1.3.1
+ breakword: 1.0.5
+ grapheme-splitter: 1.0.4
+ strip-ansi: 6.0.1
+ wcwidth: 1.0.1
+ yargs: 15.4.1
+ dev: false
+
+ /sonner/0.3.0_biqbaboplfbrettd7655fr4n2y:
+ resolution: {integrity: sha512-PJ/3k97N+/Kt/uu5tnPp3HFpFGF/iQs+hq+lAEtEQcEMc7o9S4axOV8pd7RKpFJoKt199aMUqHIgzs2re4MPbw==}
+ peerDependencies:
+ react: ^18.0.0
+ react-dom: ^18.0.0
+ dependencies:
+ react: 18.2.0
+ react-dom: 18.2.0_react@18.2.0
+ dev: false
+
+ /source-map-js/1.0.2:
+ resolution: {integrity: sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==}
+ engines: {node: '>=0.10.0'}
+
+ /source-map-support/0.5.21:
+ resolution: {integrity: sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==}
+ dependencies:
+ buffer-from: 1.1.2
+ source-map: 0.6.1
+ dev: false
+
+ /source-map/0.6.1:
+ resolution: {integrity: sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /source-map/0.8.0-beta.0:
+ resolution: {integrity: sha512-2ymg6oRBpebeZi9UUNsgQ89bhx01TcTkmNTGnNO88imTmbSgy4nfujrgVEFKWpMTEGA11EDkTt7mqObTPdigIA==}
+ engines: {node: '>= 8'}
+ dependencies:
+ whatwg-url: 7.1.0
+ dev: false
+
+ /spawndamnit/2.0.0:
+ resolution: {integrity: sha512-j4JKEcncSjFlqIwU5L/rp2N5SIPsdxaRsIv678+TZxZ0SRDJTm8JrxJMjE/XuiEZNEir3S8l0Fa3Ke339WI4qA==}
+ dependencies:
+ cross-spawn: 5.1.0
+ signal-exit: 3.0.7
+ dev: false
+
+ /spdx-correct/3.2.0:
+ resolution: {integrity: sha512-kN9dJbvnySHULIluDHy32WHRUu3Og7B9sbY7tsFLctQkIqnMh3hErYgdMjTYuqmcXX+lK5T1lnUt3G7zNswmZA==}
+ dependencies:
+ spdx-expression-parse: 3.0.1
+ spdx-license-ids: 3.0.13
+ dev: false
+
+ /spdx-exceptions/2.3.0:
+ resolution: {integrity: sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==}
+ dev: false
+
+ /spdx-expression-parse/3.0.1:
+ resolution: {integrity: sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==}
+ dependencies:
+ spdx-exceptions: 2.3.0
+ spdx-license-ids: 3.0.13
+ dev: false
+
+ /spdx-license-ids/3.0.13:
+ resolution: {integrity: sha512-XkD+zwiqXHikFZm4AX/7JSCXA98U5Db4AFd5XUg/+9UNtnH75+Z9KxtpYiJZx36mUDVOwH83pl7yvCer6ewM3w==}
+ dev: false
+
+ /sprintf-js/1.0.3:
+ resolution: {integrity: sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==}
+ dev: false
+
+ /stream-transform/2.1.3:
+ resolution: {integrity: sha512-9GHUiM5hMiCi6Y03jD2ARC1ettBXkQBoQAe7nJsPknnI0ow10aXjTnew8QtYQmLjzn974BnmWEAJgCY6ZP1DeQ==}
+ dependencies:
+ mixme: 0.5.9
+ dev: false
+
+ /string-hash/1.1.3:
+ resolution: {integrity: sha512-kJUvRUFK49aub+a7T1nNE66EJbZBMnBgoC1UbCZ5n6bsZKBRga4KgBRTMn/pFkeCZSYtNeSyMxPDM0AXWELk2A==}
+ dev: false
+
+ /string-width/4.2.3:
+ resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==}
+ engines: {node: '>=8'}
+ dependencies:
+ emoji-regex: 8.0.0
+ is-fullwidth-code-point: 3.0.0
+ strip-ansi: 6.0.1
+ dev: false
+
+ /string.prototype.matchall/4.0.8:
+ resolution: {integrity: sha512-6zOCOcJ+RJAQshcTvXPHoxoQGONa3e/Lqx90wUA+wEzX78sg5Bo+1tQo4N0pohS0erG9qtCqJDjNCQBjeWVxyg==}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ get-intrinsic: 1.2.0
+ has-symbols: 1.0.3
+ internal-slot: 1.0.5
+ regexp.prototype.flags: 1.4.3
+ side-channel: 1.0.4
+ dev: false
+
+ /string.prototype.trim/1.2.7:
+ resolution: {integrity: sha512-p6TmeT1T3411M8Cgg9wBTMRtY2q9+PNy9EV1i2lIXUN/btt763oIfxwN3RR8VU6wHX8j/1CFy0L+YuThm6bgOg==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /string.prototype.trimend/1.0.6:
+ resolution: {integrity: sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /string.prototype.trimstart/1.0.6:
+ resolution: {integrity: sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==}
+ dependencies:
+ call-bind: 1.0.2
+ define-properties: 1.2.0
+ es-abstract: 1.21.2
+ dev: false
+
+ /strip-ansi/6.0.1:
+ resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==}
+ engines: {node: '>=8'}
+ dependencies:
+ ansi-regex: 5.0.1
+ dev: false
+
+ /strip-bom/3.0.0:
+ resolution: {integrity: sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==}
+ engines: {node: '>=4'}
+ dev: false
+
+ /strip-final-newline/2.0.0:
+ resolution: {integrity: sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /strip-indent/3.0.0:
+ resolution: {integrity: sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==}
+ engines: {node: '>=8'}
+ dependencies:
+ min-indent: 1.0.1
+ dev: false
+
+ /strip-json-comments/3.1.1:
+ resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /style-loader/2.0.0_webpack@5.76.1:
+ resolution: {integrity: sha512-Z0gYUJmzZ6ZdRUqpg1r8GsaFKypE+3xAzuFeMuoHgjc9KZv3wMyCRjQIWEbhoFSq7+7yoHXySDJyyWQaPajeiQ==}
+ engines: {node: '>= 10.13.0'}
+ peerDependencies:
+ webpack: ^4.0.0 || ^5.0.0
+ dependencies:
+ loader-utils: 2.0.4
+ schema-utils: 3.1.1
+ webpack: 5.76.1_esbuild@0.16.12
+ dev: false
+
+ /sucrase/3.31.0:
+ resolution: {integrity: sha512-6QsHnkqyVEzYcaiHsOKkzOtOgdJcb8i54x6AV2hDwyZcY9ZyykGZVw6L/YN98xC0evwTP6utsWWrKRaa8QlfEQ==}
+ engines: {node: '>=8'}
+ hasBin: true
+ dependencies:
+ commander: 4.1.1
+ glob: 7.1.6
+ lines-and-columns: 1.2.4
+ mz: 2.7.0
+ pirates: 4.0.5
+ ts-interface-checker: 0.1.13
+ dev: false
+
+ /supports-color/5.5.0:
+ resolution: {integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==}
+ engines: {node: '>=4'}
+ dependencies:
+ has-flag: 3.0.0
+
+ /supports-color/7.2.0:
+ resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==}
+ engines: {node: '>=8'}
+ dependencies:
+ has-flag: 4.0.0
+ dev: false
+
+ /supports-color/8.1.1:
+ resolution: {integrity: sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==}
+ engines: {node: '>=10'}
+ dependencies:
+ has-flag: 4.0.0
+ dev: false
+
+ /supports-preserve-symlinks-flag/1.0.0:
+ resolution: {integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==}
+ engines: {node: '>= 0.4'}
+
+ /tailwindcss/3.3.1_postcss@8.4.21:
+ resolution: {integrity: sha512-Vkiouc41d4CEq0ujXl6oiGFQ7bA3WEhUZdTgXAhtKxSy49OmKs8rEfQmupsfF0IGW8fv2iQkp1EVUuapCFrZ9g==}
+ engines: {node: '>=12.13.0'}
+ hasBin: true
+ peerDependencies:
+ postcss: ^8.0.9
+ dependencies:
+ arg: 5.0.2
+ chokidar: 3.5.3
+ color-name: 1.1.4
+ didyoumean: 1.2.2
+ dlv: 1.1.3
+ fast-glob: 3.2.12
+ glob-parent: 6.0.2
+ is-glob: 4.0.3
+ jiti: 1.18.2
+ lilconfig: 2.1.0
+ micromatch: 4.0.5
+ normalize-path: 3.0.0
+ object-hash: 3.0.0
+ picocolors: 1.0.0
+ postcss: 8.4.21
+ postcss-import: 14.1.0_postcss@8.4.21
+ postcss-js: 4.0.1_postcss@8.4.21
+ postcss-load-config: 3.1.4_postcss@8.4.21
+ postcss-nested: 6.0.0_postcss@8.4.21
+ postcss-selector-parser: 6.0.11
+ postcss-value-parser: 4.2.0
+ quick-lru: 5.1.1
+ resolve: 1.22.1
+ sucrase: 3.31.0
+ transitivePeerDependencies:
+ - ts-node
+ dev: false
+
+ /tapable/2.2.1:
+ resolution: {integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==}
+ engines: {node: '>=6'}
+ dev: false
+
+ /term-size/2.2.1:
+ resolution: {integrity: sha512-wK0Ri4fOGjv/XPy8SBHZChl8CM7uMc5VML7SqiQ0zG7+J5Vr+RMQDoHa2CNT6KHUnTGIXH34UDMkPzAUyapBZg==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /terser-webpack-plugin/5.3.7_k622ebknnoc2vifrz6zomek7f4:
+ resolution: {integrity: sha512-AfKwIktyP7Cu50xNjXF/6Qb5lBNzYaWpU6YfoX3uZicTx0zTy0stDDCsvjDapKsSDvOeWo5MEq4TmdBy2cNoHw==}
+ engines: {node: '>= 10.13.0'}
+ peerDependencies:
+ '@swc/core': '*'
+ esbuild: '*'
+ uglify-js: '*'
+ webpack: ^5.1.0
+ peerDependenciesMeta:
+ '@swc/core':
+ optional: true
+ esbuild:
+ optional: true
+ uglify-js:
+ optional: true
+ dependencies:
+ '@jridgewell/trace-mapping': 0.3.17
+ esbuild: 0.16.12
+ jest-worker: 27.5.1
+ schema-utils: 3.1.1
+ serialize-javascript: 6.0.1
+ terser: 5.16.8
+ webpack: 5.76.1_esbuild@0.16.12
+ dev: false
+
+ /terser/5.16.8:
+ resolution: {integrity: sha512-QI5g1E/ef7d+PsDifb+a6nnVgC4F22Bg6T0xrBrz6iloVB4PUkkunp6V8nzoOOZJIzjWVdAGqCdlKlhLq/TbIA==}
+ engines: {node: '>=10'}
+ hasBin: true
+ dependencies:
+ '@jridgewell/source-map': 0.3.2
+ acorn: 8.8.2
+ commander: 2.20.3
+ source-map-support: 0.5.21
+ dev: false
+
+ /text-table/0.2.0:
+ resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==}
+ dev: false
+
+ /thenify-all/1.6.0:
+ resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==}
+ engines: {node: '>=0.8'}
+ dependencies:
+ thenify: 3.3.1
+ dev: false
+
+ /thenify/3.3.1:
+ resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==}
+ dependencies:
+ any-promise: 1.3.0
+ dev: false
+
+ /tmp/0.0.33:
+ resolution: {integrity: sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==}
+ engines: {node: '>=0.6.0'}
+ dependencies:
+ os-tmpdir: 1.0.2
+ dev: false
+
+ /to-fast-properties/2.0.0:
+ resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==}
+ engines: {node: '>=4'}
+ dev: true
+
+ /to-regex-range/5.0.1:
+ resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==}
+ engines: {node: '>=8.0'}
+ dependencies:
+ is-number: 7.0.0
+ dev: false
+
+ /topojson-client/3.1.0:
+ resolution: {integrity: sha512-605uxS6bcYxGXw9qi62XyrV6Q3xwbndjachmNxu8HWTtVPxZfEJN9fd/SZS1Q54Sn2y0TMyMxFj/cJINqGHrKw==}
+ hasBin: true
+ dependencies:
+ commander: 2.20.3
+ dev: false
+
+ /tr46/1.0.1:
+ resolution: {integrity: sha512-dTpowEjclQ7Kgx5SdBkqRzVhERQXov8/l9Ft9dVM9fmg0W0KQSVaXX9T4i6twCPNtYiZM53lpSSUAwJbFPOHxA==}
+ dependencies:
+ punycode: 2.3.0
+ dev: false
+
+ /trim-newlines/3.0.1:
+ resolution: {integrity: sha512-c1PTsA3tYrIsLGkJkzHF+w9F2EyxfXGo4UyJc4pFL++FMjnq0HJS69T3M7d//gKrFKwy429bouPescbjecU+Zw==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /ts-interface-checker/0.1.13:
+ resolution: {integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==}
+ dev: false
+
+ /tsconfig-paths/3.14.2:
+ resolution: {integrity: sha512-o/9iXgCYc5L/JxCHPe3Hvh8Q/2xm5Z+p18PESBU6Ff33695QnCHBEjcytY2q19ua7Mbl/DavtBOLq+oG0RCL+g==}
+ dependencies:
+ '@types/json5': 0.0.29
+ json5: 1.0.2
+ minimist: 1.2.8
+ strip-bom: 3.0.0
+ dev: false
+
+ /tslib/1.14.1:
+ resolution: {integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==}
+ dev: false
+
+ /tsutils/3.21.0_typescript@4.9.5:
+ resolution: {integrity: sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==}
+ engines: {node: '>= 6'}
+ peerDependencies:
+ typescript: '>=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta'
+ dependencies:
+ tslib: 1.14.1
+ typescript: 4.9.5
+ dev: false
+
+ /tty-table/4.2.1:
+ resolution: {integrity: sha512-xz0uKo+KakCQ+Dxj1D/tKn2FSyreSYWzdkL/BYhgN6oMW808g8QRMuh1atAV9fjTPbWBjfbkKQpI/5rEcnAc7g==}
+ engines: {node: '>=8.0.0'}
+ hasBin: true
+ dependencies:
+ chalk: 4.1.2
+ csv: 5.5.3
+ kleur: 4.1.5
+ smartwrap: 2.0.2
+ strip-ansi: 6.0.1
+ wcwidth: 1.0.1
+ yargs: 17.7.1
+ dev: false
+
+ /turbo-darwin-64/1.8.8:
+ resolution: {integrity: sha512-18cSeIm7aeEvIxGyq7PVoFyEnPpWDM/0CpZvXKHpQ6qMTkfNt517qVqUTAwsIYqNS8xazcKAqkNbvU1V49n65Q==}
+ cpu: [x64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /turbo-darwin-arm64/1.8.8:
+ resolution: {integrity: sha512-ruGRI9nHxojIGLQv1TPgN7ud4HO4V8mFBwSgO6oDoZTNuk5ybWybItGR+yu6fni5vJoyMHXOYA2srnxvOc7hjQ==}
+ cpu: [arm64]
+ os: [darwin]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /turbo-linux-64/1.8.8:
+ resolution: {integrity: sha512-N/GkHTHeIQogXB1/6ZWfxHx+ubYeb8Jlq3b/3jnU4zLucpZzTQ8XkXIAfJG/TL3Q7ON7xQ8yGOyGLhHL7MpFRg==}
+ cpu: [x64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /turbo-linux-arm64/1.8.8:
+ resolution: {integrity: sha512-hKqLbBHgUkYf2Ww8uBL9UYdBFQ5677a7QXdsFhONXoACbDUPvpK4BKlz3NN7G4NZ+g9dGju+OJJjQP0VXRHb5w==}
+ cpu: [arm64]
+ os: [linux]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /turbo-windows-64/1.8.8:
+ resolution: {integrity: sha512-2ndjDJyzkNslXxLt+PQuU21AHJWc8f6MnLypXy3KsN4EyX/uKKGZS0QJWz27PeHg0JS75PVvhfFV+L9t9i+Yyg==}
+ cpu: [x64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /turbo-windows-arm64/1.8.8:
+ resolution: {integrity: sha512-xCA3oxgmW9OMqpI34AAmKfOVsfDljhD5YBwgs0ZDsn5h3kCHhC4x9W5dDk1oyQ4F5EXSH3xVym5/xl1J6WRpUg==}
+ cpu: [arm64]
+ os: [win32]
+ requiresBuild: true
+ dev: true
+ optional: true
+
+ /turbo/1.8.8:
+ resolution: {integrity: sha512-qYJ5NjoTX+591/x09KgsDOPVDUJfU9GoS+6jszQQlLp1AHrf1wRFA3Yps8U+/HTG03q0M4qouOfOLtRQP4QypA==}
+ hasBin: true
+ requiresBuild: true
+ optionalDependencies:
+ turbo-darwin-64: 1.8.8
+ turbo-darwin-arm64: 1.8.8
+ turbo-linux-64: 1.8.8
+ turbo-linux-arm64: 1.8.8
+ turbo-windows-64: 1.8.8
+ turbo-windows-arm64: 1.8.8
+ dev: true
+
+ /tw-colors/1.2.0_tailwindcss@3.3.1:
+ resolution: {integrity: sha512-gbvYhPb3Ony0dkaYQ2GYYF88XWSUlj25iDOFcMWR7ncK5NEMRbqKq0M3s4xOfGqBHpvX3i3XI2MCbRPM5BudJQ==}
+ peerDependencies:
+ tailwindcss: '>=3.0.0'
+ dependencies:
+ color: 4.2.3
+ flat: 5.0.2
+ lodash.foreach: 4.5.0
+ tailwindcss: 3.3.1_postcss@8.4.21
+ dev: false
+
+ /type-check/0.4.0:
+ resolution: {integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==}
+ engines: {node: '>= 0.8.0'}
+ dependencies:
+ prelude-ls: 1.2.1
+ dev: false
+
+ /type-fest/0.13.1:
+ resolution: {integrity: sha512-34R7HTnG0XIJcBSn5XhDd7nNFPRcXYRZrBB2O2jdKqYODldSzBAqzsWoZYYvduky73toYS/ESqxPvkDf/F0XMg==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /type-fest/0.20.2:
+ resolution: {integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /type-fest/0.6.0:
+ resolution: {integrity: sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /type-fest/0.8.1:
+ resolution: {integrity: sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==}
+ engines: {node: '>=8'}
+ dev: false
+
+ /typed-array-length/1.0.4:
+ resolution: {integrity: sha512-KjZypGq+I/H7HI5HlOoGHkWUUGq+Q0TPhQurLbyrVrvnKTBgzLhIJ7j6J/XTQOi0d1RjyZ0wdas8bKs2p0x3Ng==}
+ dependencies:
+ call-bind: 1.0.2
+ for-each: 0.3.3
+ is-typed-array: 1.1.10
+ dev: false
+
+ /typescript/4.9.5:
+ resolution: {integrity: sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==}
+ engines: {node: '>=4.2.0'}
+ hasBin: true
+ dev: false
+
+ /unbox-primitive/1.0.2:
+ resolution: {integrity: sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==}
+ dependencies:
+ call-bind: 1.0.2
+ has-bigints: 1.0.2
+ has-symbols: 1.0.3
+ which-boxed-primitive: 1.0.2
+ dev: false
+
+ /universalify/0.1.2:
+ resolution: {integrity: sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==}
+ engines: {node: '>= 4.0.0'}
+ dev: false
+
+ /universalify/2.0.0:
+ resolution: {integrity: sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==}
+ engines: {node: '>= 10.0.0'}
+ dev: false
+
+ /update-browserslist-db/1.0.10_browserslist@4.21.5:
+ resolution: {integrity: sha512-OztqDenkfFkbSG+tRxBeAnCVPckDBcvibKd35yDONx6OU8N7sqgwc7rCbkJ/WcYtVRZ4ba68d6byhC21GFh7sQ==}
+ hasBin: true
+ peerDependencies:
+ browserslist: '>= 4.21.0'
+ dependencies:
+ browserslist: 4.21.5
+ escalade: 3.1.1
+ picocolors: 1.0.0
+
+ /uri-js/4.4.1:
+ resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==}
+ dependencies:
+ punycode: 2.3.0
+ dev: false
+
+ /use-sync-external-store/1.2.0_react@18.2.0:
+ resolution: {integrity: sha512-eEgnFxGQ1Ife9bzYs6VLi8/4X6CObHMw9Qr9tPY43iKwsPw8xE8+EFsf/2cFZ5S3esXgpWgtSCtLNS41F+sKPA==}
+ peerDependencies:
+ react: ^16.8.0 || ^17.0.0 || ^18.0.0
+ dependencies:
+ react: 18.2.0
+ dev: false
+
+ /util-deprecate/1.0.2:
+ resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==}
+ dev: false
+
+ /validate-npm-package-license/3.0.4:
+ resolution: {integrity: sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==}
+ dependencies:
+ spdx-correct: 3.2.0
+ spdx-expression-parse: 3.0.1
+ dev: false
+
+ /vite/4.2.1_@types+node@18.15.11:
+ resolution: {integrity: sha512-7MKhqdy0ISo4wnvwtqZkjke6XN4taqQ2TBaTccLIpOKv7Vp2h4Y+NpmWCnGDeSvvn45KxvWgGyb0MkHvY1vgbg==}
+ engines: {node: ^14.18.0 || >=16.0.0}
+ hasBin: true
+ peerDependencies:
+ '@types/node': '>= 14'
+ less: '*'
+ sass: '*'
+ stylus: '*'
+ sugarss: '*'
+ terser: ^5.4.0
+ peerDependenciesMeta:
+ '@types/node':
+ optional: true
+ less:
+ optional: true
+ sass:
+ optional: true
+ stylus:
+ optional: true
+ sugarss:
+ optional: true
+ terser:
+ optional: true
+ dependencies:
+ '@types/node': 18.15.11
+ esbuild: 0.17.15
+ postcss: 8.4.21
+ resolve: 1.22.1
+ rollup: 3.20.2
+ optionalDependencies:
+ fsevents: 2.3.2
+ dev: true
+
+ /watchpack/2.4.0:
+ resolution: {integrity: sha512-Lcvm7MGST/4fup+ifyKi2hjyIAwcdI4HRgtvTpIUxBRhB+RFtUh8XtDOxUfctVCnhVi+QQj49i91OyvzkJl6cg==}
+ engines: {node: '>=10.13.0'}
+ dependencies:
+ glob-to-regexp: 0.4.1
+ graceful-fs: 4.2.11
+ dev: false
+
+ /wcwidth/1.0.1:
+ resolution: {integrity: sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==}
+ dependencies:
+ defaults: 1.0.4
+ dev: false
+
+ /webidl-conversions/4.0.2:
+ resolution: {integrity: sha512-YQ+BmxuTgd6UXZW3+ICGfyqRyHXVlD5GtQr5+qjiNW7bF0cqrzX500HVXPBOvgXb5YnzDd+h0zqyv61KUD7+Sg==}
+ dev: false
+
+ /webpack-sources/3.2.3:
+ resolution: {integrity: sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w==}
+ engines: {node: '>=10.13.0'}
+ dev: false
+
+ /webpack/5.76.1_esbuild@0.16.12:
+ resolution: {integrity: sha512-4+YIK4Abzv8172/SGqObnUjaIHjLEuUasz9EwQj/9xmPPkYJy2Mh03Q/lJfSD3YLzbxy5FeTq5Uw0323Oh6SJQ==}
+ engines: {node: '>=10.13.0'}
+ hasBin: true
+ peerDependencies:
+ webpack-cli: '*'
+ peerDependenciesMeta:
+ webpack-cli:
+ optional: true
+ dependencies:
+ '@types/eslint-scope': 3.7.4
+ '@types/estree': 0.0.51
+ '@webassemblyjs/ast': 1.11.1
+ '@webassemblyjs/wasm-edit': 1.11.1
+ '@webassemblyjs/wasm-parser': 1.11.1
+ acorn: 8.8.2
+ acorn-import-assertions: 1.8.0_acorn@8.8.2
+ browserslist: 4.21.5
+ chrome-trace-event: 1.0.3
+ enhanced-resolve: 5.12.0
+ es-module-lexer: 0.9.3
+ eslint-scope: 5.1.1
+ events: 3.3.0
+ glob-to-regexp: 0.4.1
+ graceful-fs: 4.2.11
+ json-parse-even-better-errors: 2.3.1
+ loader-runner: 4.3.0
+ mime-types: 2.1.35
+ neo-async: 2.6.2
+ schema-utils: 3.1.1
+ tapable: 2.2.1
+ terser-webpack-plugin: 5.3.7_k622ebknnoc2vifrz6zomek7f4
+ watchpack: 2.4.0
+ webpack-sources: 3.2.3
+ transitivePeerDependencies:
+ - '@swc/core'
+ - esbuild
+ - uglify-js
+ dev: false
+
+ /whatwg-url/7.1.0:
+ resolution: {integrity: sha512-WUu7Rg1DroM7oQvGWfOiAK21n74Gg+T4elXEQYkOhtyLeWiJFoOGLXPKI/9gzIie9CtwVLm8wtw6YJdKyxSjeg==}
+ dependencies:
+ lodash.sortby: 4.7.0
+ tr46: 1.0.1
+ webidl-conversions: 4.0.2
+ dev: false
+
+ /which-boxed-primitive/1.0.2:
+ resolution: {integrity: sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==}
+ dependencies:
+ is-bigint: 1.0.4
+ is-boolean-object: 1.1.2
+ is-number-object: 1.0.7
+ is-string: 1.0.7
+ is-symbol: 1.0.4
+ dev: false
+
+ /which-module/2.0.0:
+ resolution: {integrity: sha512-B+enWhmw6cjfVC7kS8Pj9pCrKSc5txArRyaYGe088shv/FGWH+0Rjx/xPgtsWfsUtS27FkP697E4DDhgrgoc0Q==}
+ dev: false
+
+ /which-pm/2.0.0:
+ resolution: {integrity: sha512-Lhs9Pmyph0p5n5Z3mVnN0yWcbQYUAD7rbQUiMsQxOJ3T57k7RFe35SUwWMf7dsbDZks1uOmw4AecB/JMDj3v/w==}
+ engines: {node: '>=8.15'}
+ dependencies:
+ load-yaml-file: 0.2.0
+ path-exists: 4.0.0
+ dev: false
+
+ /which-typed-array/1.1.9:
+ resolution: {integrity: sha512-w9c4xkx6mPidwp7180ckYWfMmvxpjlZuIudNtDf4N/tTAUB8VJbX25qZoAsrtGuYNnGw3pa0AXgbGKRB8/EceA==}
+ engines: {node: '>= 0.4'}
+ dependencies:
+ available-typed-arrays: 1.0.5
+ call-bind: 1.0.2
+ for-each: 0.3.3
+ gopd: 1.0.1
+ has-tostringtag: 1.0.0
+ is-typed-array: 1.1.10
+ dev: false
+
+ /which/1.3.1:
+ resolution: {integrity: sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==}
+ hasBin: true
+ dependencies:
+ isexe: 2.0.0
+ dev: false
+
+ /which/2.0.2:
+ resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==}
+ engines: {node: '>= 8'}
+ hasBin: true
+ dependencies:
+ isexe: 2.0.0
+ dev: false
+
+ /word-wrap/1.2.3:
+ resolution: {integrity: sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==}
+ engines: {node: '>=0.10.0'}
+ dev: false
+
+ /wrap-ansi/6.2.0:
+ resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==}
+ engines: {node: '>=8'}
+ dependencies:
+ ansi-styles: 4.3.0
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ dev: false
+
+ /wrap-ansi/7.0.0:
+ resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==}
+ engines: {node: '>=10'}
+ dependencies:
+ ansi-styles: 4.3.0
+ string-width: 4.2.3
+ strip-ansi: 6.0.1
+ dev: false
+
+ /wrappy/1.0.2:
+ resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==}
+ dev: false
+
+ /ws/8.7.0:
+ resolution: {integrity: sha512-c2gsP0PRwcLFzUiA8Mkr37/MI7ilIlHQxaEAtd0uNMbVMoy8puJyafRlm0bV9MbGSabUPeLrRRaqIBcFcA2Pqg==}
+ engines: {node: '>=10.0.0'}
+ peerDependencies:
+ bufferutil: ^4.0.1
+ utf-8-validate: ^5.0.2
+ peerDependenciesMeta:
+ bufferutil:
+ optional: true
+ utf-8-validate:
+ optional: true
+ dev: false
+
+ /y18n/4.0.3:
+ resolution: {integrity: sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==}
+ dev: false
+
+ /y18n/5.0.8:
+ resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /yallist/2.1.2:
+ resolution: {integrity: sha512-ncTzHV7NvsQZkYe1DW7cbDLm0YpzHmZF5r/iyP3ZnQtMiJ+pjzisCiMNI+Sj+xQF5pXhSHxSB3uDbsBTzY/c2A==}
+ dev: false
+
+ /yallist/3.1.1:
+ resolution: {integrity: sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==}
+ dev: true
+
+ /yallist/4.0.0:
+ resolution: {integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==}
+ dev: false
+
+ /yaml/1.10.2:
+ resolution: {integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==}
+ engines: {node: '>= 6'}
+ dev: false
+
+ /yargs-parser/18.1.3:
+ resolution: {integrity: sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==}
+ engines: {node: '>=6'}
+ dependencies:
+ camelcase: 5.3.1
+ decamelize: 1.2.0
+ dev: false
+
+ /yargs-parser/21.1.1:
+ resolution: {integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==}
+ engines: {node: '>=12'}
+ dev: false
+
+ /yargs/15.4.1:
+ resolution: {integrity: sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==}
+ engines: {node: '>=8'}
+ dependencies:
+ cliui: 6.0.0
+ decamelize: 1.2.0
+ find-up: 4.1.0
+ get-caller-file: 2.0.5
+ require-directory: 2.1.1
+ require-main-filename: 2.0.0
+ set-blocking: 2.0.0
+ string-width: 4.2.3
+ which-module: 2.0.0
+ y18n: 4.0.3
+ yargs-parser: 18.1.3
+ dev: false
+
+ /yargs/17.7.1:
+ resolution: {integrity: sha512-cwiTb08Xuv5fqF4AovYacTFNxk62th7LKJ6BL9IGUpTJrWoU7/7WdQGTP2SjKf1dUNBGzDd28p/Yfs/GI6JrLw==}
+ engines: {node: '>=12'}
+ dependencies:
+ cliui: 8.0.1
+ escalade: 3.1.1
+ get-caller-file: 2.0.5
+ require-directory: 2.1.1
+ string-width: 4.2.3
+ y18n: 5.0.8
+ yargs-parser: 21.1.1
+ dev: false
+
+ /yauzl/2.10.0:
+ resolution: {integrity: sha512-p4a9I6X6nu6IhoGmBqAcbJy1mlC4j27vEPZX9F4L4/vZT3Lyq1VkFHw/V/PUcB9Buo+DG3iHkT0x3Qya58zc3g==}
+ dependencies:
+ buffer-crc32: 0.2.13
+ fd-slicer: 1.1.0
+ dev: false
+
+ /yocto-queue/0.1.0:
+ resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==}
+ engines: {node: '>=10'}
+ dev: false
+
+ /zod/3.21.4:
+ resolution: {integrity: sha512-m46AKbrzKVzOzs/DZgVnG5H55N1sv1M8qZU3A8RIKbs3mrACDNeIOeilDymVb2HdmP8uwshOCF4uJ8uM9rCqJw==}
+ dev: false
+
+ /zustand/4.3.7_immer@9.0.21+react@18.2.0:
+ resolution: {integrity: sha512-dY8ERwB9Nd21ellgkBZFhudER8KVlelZm8388B5nDAXhO/+FZDhYMuRnqDgu5SYyRgz/iaf8RKnbUs/cHfOGlQ==}
+ engines: {node: '>=12.7.0'}
+ peerDependencies:
+ immer: '>=9.0'
+ react: '>=16.8'
+ peerDependenciesMeta:
+ immer:
+ optional: true
+ react:
+ optional: true
+ dependencies:
+ immer: 9.0.21
+ react: 18.2.0
+ use-sync-external-store: 1.2.0_react@18.2.0
+ dev: false
diff --git a/pnpm-workspace.yaml b/pnpm-workspace.yaml
new file mode 100644
index 00000000..444ed0c0
--- /dev/null
+++ b/pnpm-workspace.yaml
@@ -0,0 +1,2 @@
+packages:
+ - app
\ No newline at end of file
diff --git a/prisma/migrations/20230202204608_/migration.sql b/prisma/migrations/20230202204608_/migration.sql
deleted file mode 100644
index ff1b49d8..00000000
--- a/prisma/migrations/20230202204608_/migration.sql
+++ /dev/null
@@ -1,120 +0,0 @@
--- CreateEnum
-CREATE TYPE "FileType" AS ENUM ('IMAGE', 'VIDEO', 'AUDIO', 'OTHER');
-
--- CreateTable
-CREATE TABLE "Account" (
- "id" TEXT NOT NULL,
- "userId" TEXT NOT NULL,
- "type" TEXT NOT NULL,
- "provider" TEXT NOT NULL,
- "providerAccountId" TEXT NOT NULL,
- "refresh_token" TEXT,
- "access_token" TEXT,
- "expires_at" INTEGER,
- "token_type" TEXT,
- "scope" TEXT,
- "id_token" TEXT,
- "session_state" TEXT,
-
- CONSTRAINT "Account_pkey" PRIMARY KEY ("id")
-);
-
--- CreateTable
-CREATE TABLE "Session" (
- "id" TEXT NOT NULL,
- "sessionToken" TEXT NOT NULL,
- "userId" TEXT NOT NULL,
- "expires" TIMESTAMP(3) NOT NULL,
-
- CONSTRAINT "Session_pkey" PRIMARY KEY ("id")
-);
-
--- CreateTable
-CREATE TABLE "VerificationToken" (
- "identifier" TEXT NOT NULL,
- "token" TEXT NOT NULL,
- "expires" TIMESTAMP(3) NOT NULL
-);
-
--- CreateTable
-CREATE TABLE "User" (
- "id" TEXT NOT NULL,
- "name" TEXT,
- "email" TEXT,
- "emailVerified" TIMESTAMP(3),
- "image" TEXT,
-
- CONSTRAINT "User_pkey" PRIMARY KEY ("id")
-);
-
--- CreateTable
-CREATE TABLE "ApiKey" (
- "key" TEXT NOT NULL,
- "name" TEXT NOT NULL,
- "createdAt" TIMESTAMP(3) NOT NULL DEFAULT CURRENT_TIMESTAMP,
- "updatedAt" TIMESTAMP(3) NOT NULL,
- "userId" TEXT NOT NULL,
-
- CONSTRAINT "ApiKey_pkey" PRIMARY KEY ("key")
-);
-
--- CreateTable
-CREATE TABLE "Project" (
- "id" TEXT NOT NULL,
- "name" TEXT NOT NULL DEFAULT '',
- "description" TEXT NOT NULL DEFAULT '',
- "preview" TEXT,
- "template" JSONB NOT NULL,
- "createdAt" TIMESTAMP(3) DEFAULT CURRENT_TIMESTAMP,
- "updatedAt" TIMESTAMP(3),
- "public" BOOLEAN NOT NULL DEFAULT false,
- "userId" TEXT NOT NULL,
-
- CONSTRAINT "Project_pkey" PRIMARY KEY ("id")
-);
-
--- CreateTable
-CREATE TABLE "File" (
- "id" TEXT NOT NULL,
- "url" TEXT NOT NULL,
- "type" "FileType" NOT NULL,
- "name" TEXT NOT NULL DEFAULT '',
- "createdAt" TIMESTAMP(3) DEFAULT CURRENT_TIMESTAMP,
- "updatedAt" TIMESTAMP(3),
- "userId" TEXT NOT NULL,
-
- CONSTRAINT "File_pkey" PRIMARY KEY ("id")
-);
-
--- CreateIndex
-CREATE UNIQUE INDEX "Account_provider_providerAccountId_key" ON "Account"("provider", "providerAccountId");
-
--- CreateIndex
-CREATE UNIQUE INDEX "Session_sessionToken_key" ON "Session"("sessionToken");
-
--- CreateIndex
-CREATE UNIQUE INDEX "VerificationToken_token_key" ON "VerificationToken"("token");
-
--- CreateIndex
-CREATE UNIQUE INDEX "VerificationToken_identifier_token_key" ON "VerificationToken"("identifier", "token");
-
--- CreateIndex
-CREATE UNIQUE INDEX "User_email_key" ON "User"("email");
-
--- CreateIndex
-CREATE UNIQUE INDEX "ApiKey_key_key" ON "ApiKey"("key");
-
--- AddForeignKey
-ALTER TABLE "Account" ADD CONSTRAINT "Account_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE CASCADE ON UPDATE CASCADE;
-
--- AddForeignKey
-ALTER TABLE "Session" ADD CONSTRAINT "Session_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE CASCADE ON UPDATE CASCADE;
-
--- AddForeignKey
-ALTER TABLE "ApiKey" ADD CONSTRAINT "ApiKey_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE CASCADE ON UPDATE CASCADE;
-
--- AddForeignKey
-ALTER TABLE "Project" ADD CONSTRAINT "Project_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE RESTRICT ON UPDATE CASCADE;
-
--- AddForeignKey
-ALTER TABLE "File" ADD CONSTRAINT "File_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE RESTRICT ON UPDATE CASCADE;
diff --git a/prisma/migrations/20230212155649_/migration.sql b/prisma/migrations/20230212155649_/migration.sql
deleted file mode 100644
index d717f8e2..00000000
--- a/prisma/migrations/20230212155649_/migration.sql
+++ /dev/null
@@ -1,17 +0,0 @@
-/*
- Warnings:
-
- - The values [OTHER] on the enum `FileType` will be removed. If these variants are still used in the database, this will fail.
-
-*/
--- AlterEnum
-BEGIN;
-CREATE TYPE "FileType_new" AS ENUM ('IMAGE', 'VIDEO', 'AUDIO', 'GIF');
-ALTER TABLE "File" ALTER COLUMN "type" TYPE "FileType_new" USING ("type"::text::"FileType_new");
-ALTER TYPE "FileType" RENAME TO "FileType_old";
-ALTER TYPE "FileType_new" RENAME TO "FileType";
-DROP TYPE "FileType_old";
-COMMIT;
-
--- AlterTable
-ALTER TABLE "File" ALTER COLUMN "url" SET DEFAULT '';
diff --git a/prisma/migrations/20230212175838_/migration.sql b/prisma/migrations/20230212175838_/migration.sql
deleted file mode 100644
index 96e92910..00000000
--- a/prisma/migrations/20230212175838_/migration.sql
+++ /dev/null
@@ -1,23 +0,0 @@
--- CreateEnum
-CREATE TYPE "TranscriptionStatus" AS ENUM ('PROCESSING', 'COMPLETED', 'FAILED');
-
--- CreateTable
-CREATE TABLE "Transcription" (
- "id" TEXT NOT NULL,
- "transcript" JSONB,
- "text" TEXT,
- "persons" INTEGER,
- "language" TEXT,
- "status" "TranscriptionStatus" NOT NULL,
- "createdAt" TIMESTAMP(3) DEFAULT CURRENT_TIMESTAMP,
- "updatedAt" TIMESTAMP(3),
- "fileId" TEXT,
-
- CONSTRAINT "Transcription_pkey" PRIMARY KEY ("id")
-);
-
--- CreateIndex
-CREATE UNIQUE INDEX "Transcription_fileId_key" ON "Transcription"("fileId");
-
--- AddForeignKey
-ALTER TABLE "Transcription" ADD CONSTRAINT "Transcription_fileId_fkey" FOREIGN KEY ("fileId") REFERENCES "File"("id") ON DELETE SET NULL ON UPDATE CASCADE;
diff --git a/prisma/migrations/20230212175923_/migration.sql b/prisma/migrations/20230212175923_/migration.sql
deleted file mode 100644
index 7f47536e..00000000
--- a/prisma/migrations/20230212175923_/migration.sql
+++ /dev/null
@@ -1,14 +0,0 @@
-/*
- Warnings:
-
- - Made the column `fileId` on table `Transcription` required. This step will fail if there are existing NULL values in that column.
-
-*/
--- DropForeignKey
-ALTER TABLE "Transcription" DROP CONSTRAINT "Transcription_fileId_fkey";
-
--- AlterTable
-ALTER TABLE "Transcription" ALTER COLUMN "fileId" SET NOT NULL;
-
--- AddForeignKey
-ALTER TABLE "Transcription" ADD CONSTRAINT "Transcription_fileId_fkey" FOREIGN KEY ("fileId") REFERENCES "File"("id") ON DELETE RESTRICT ON UPDATE CASCADE;
diff --git a/prisma/migrations/20230213125612_/migration.sql b/prisma/migrations/20230213125612_/migration.sql
deleted file mode 100644
index 02ebadb4..00000000
--- a/prisma/migrations/20230213125612_/migration.sql
+++ /dev/null
@@ -1,20 +0,0 @@
-/*
- Warnings:
-
- - The primary key for the `ApiKey` table will be changed. If it partially fails, the table could be left without primary key constraint.
- - You are about to drop the column `key` on the `ApiKey` table. All the data in the column will be lost.
- - A unique constraint covering the columns `[hash]` on the table `ApiKey` will be added. If there are existing duplicate values, this will fail.
- - Added the required column `hash` to the `ApiKey` table without a default value. This is not possible if the table is not empty.
-
-*/
--- DropIndex
-DROP INDEX "ApiKey_key_key";
-
--- AlterTable
-ALTER TABLE "ApiKey" DROP CONSTRAINT "ApiKey_pkey",
-DROP COLUMN "key",
-ADD COLUMN "hash" TEXT NOT NULL,
-ADD CONSTRAINT "ApiKey_pkey" PRIMARY KEY ("hash");
-
--- CreateIndex
-CREATE UNIQUE INDEX "ApiKey_hash_key" ON "ApiKey"("hash");
diff --git a/prisma/migrations/20230213181739_renders/migration.sql b/prisma/migrations/20230213181739_renders/migration.sql
deleted file mode 100644
index 003ed46b..00000000
--- a/prisma/migrations/20230213181739_renders/migration.sql
+++ /dev/null
@@ -1,23 +0,0 @@
--- CreateEnum
-CREATE TYPE "RenderStatus" AS ENUM ('PROCESSING', 'COMPLETED', 'FAILED');
-
--- CreateEnum
-CREATE TYPE "RenderType" AS ENUM ('MEDIA', 'STILL');
-
--- CreateTable
-CREATE TABLE "Render" (
- "id" TEXT NOT NULL,
- "fileUrl" TEXT,
- "status" "RenderStatus" NOT NULL DEFAULT 'PROCESSING',
- "progress" DOUBLE PRECISION NOT NULL DEFAULT 0,
- "cost" DOUBLE PRECISION NOT NULL DEFAULT 0,
- "createdAt" TIMESTAMP(3) NOT NULL DEFAULT CURRENT_TIMESTAMP,
- "updatedAt" TIMESTAMP(3) NOT NULL,
- "type" "RenderType" NOT NULL,
- "userId" TEXT NOT NULL,
-
- CONSTRAINT "Render_pkey" PRIMARY KEY ("id")
-);
-
--- AddForeignKey
-ALTER TABLE "Render" ADD CONSTRAINT "Render_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE RESTRICT ON UPDATE CASCADE;
diff --git a/prisma/migrations/20230215083212_/migration.sql b/prisma/migrations/20230215083212_/migration.sql
deleted file mode 100644
index 7618c7e5..00000000
--- a/prisma/migrations/20230215083212_/migration.sql
+++ /dev/null
@@ -1,18 +0,0 @@
--- DropForeignKey
-ALTER TABLE "Render" DROP CONSTRAINT "Render_userId_fkey";
-
--- AlterTable
-ALTER TABLE "Project" ADD COLUMN "cloneOfId" TEXT;
-
--- AlterTable
-ALTER TABLE "Render" ADD COLUMN "projectId" TEXT,
-ALTER COLUMN "userId" DROP NOT NULL;
-
--- AddForeignKey
-ALTER TABLE "Project" ADD CONSTRAINT "Project_cloneOfId_fkey" FOREIGN KEY ("cloneOfId") REFERENCES "Project"("id") ON DELETE SET NULL ON UPDATE CASCADE;
-
--- AddForeignKey
-ALTER TABLE "Render" ADD CONSTRAINT "Render_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE SET NULL ON UPDATE CASCADE;
-
--- AddForeignKey
-ALTER TABLE "Render" ADD CONSTRAINT "Render_projectId_fkey" FOREIGN KEY ("projectId") REFERENCES "Project"("id") ON DELETE SET NULL ON UPDATE CASCADE;
diff --git a/prisma/migrations/20230217165719_/migration.sql b/prisma/migrations/20230217165719_/migration.sql
deleted file mode 100644
index bdc7f4f4..00000000
--- a/prisma/migrations/20230217165719_/migration.sql
+++ /dev/null
@@ -1,2 +0,0 @@
--- AlterTable
-ALTER TABLE "Account" ADD COLUMN "refresh_token_expires_in" INTEGER;
diff --git a/prisma/migrations/20230218103328_/migration.sql b/prisma/migrations/20230218103328_/migration.sql
deleted file mode 100644
index 78a96289..00000000
--- a/prisma/migrations/20230218103328_/migration.sql
+++ /dev/null
@@ -1,2 +0,0 @@
--- AlterTable
-ALTER TABLE "Project" ADD COLUMN "tags" TEXT[];
diff --git a/prisma/migrations/20230218103408_/migration.sql b/prisma/migrations/20230218103408_/migration.sql
deleted file mode 100644
index ad14c960..00000000
--- a/prisma/migrations/20230218103408_/migration.sql
+++ /dev/null
@@ -1,2 +0,0 @@
--- AlterTable
-ALTER TABLE "Project" ALTER COLUMN "tags" SET DEFAULT ARRAY[]::TEXT[];
diff --git a/prisma/migrations/20230221103124_/migration.sql b/prisma/migrations/20230221103124_/migration.sql
deleted file mode 100644
index 46c1c771..00000000
--- a/prisma/migrations/20230221103124_/migration.sql
+++ /dev/null
@@ -1,2 +0,0 @@
--- AlterTable
-ALTER TABLE "File" ADD COLUMN "youtubeUrl" TEXT;
diff --git a/prisma/migrations/migration_lock.toml b/prisma/migrations/migration_lock.toml
deleted file mode 100644
index fbffa92c..00000000
--- a/prisma/migrations/migration_lock.toml
+++ /dev/null
@@ -1,3 +0,0 @@
-# Please do not edit this file manually
-# It should be added in your version-control system (i.e. Git)
-provider = "postgresql"
\ No newline at end of file
diff --git a/prisma/schema.prisma b/prisma/schema.prisma
deleted file mode 100644
index 8bd9952c..00000000
--- a/prisma/schema.prisma
+++ /dev/null
@@ -1,153 +0,0 @@
-// This is your Prisma schema file,
-// learn more about it in the docs: https://pris.ly/d/prisma-schema
-
-generator client {
- provider = "prisma-client-js"
-}
-
-datasource db {
- provider = "postgresql"
- url = env("DATABASE_URL")
-}
-
-model Account {
- id String @id @default(cuid())
- userId String
- type String
- provider String
- providerAccountId String
- refresh_token String? @db.Text
- access_token String? @db.Text
- expires_at Int?
- token_type String?
- scope String?
- id_token String? @db.Text
- session_state String?
- refresh_token_expires_in Int?
-
- user User @relation(fields: [userId], references: [id], onDelete: Cascade)
-
- @@unique([provider, providerAccountId])
-}
-
-model Session {
- id String @id @default(cuid())
- sessionToken String @unique
- userId String
- expires DateTime
- user User @relation(fields: [userId], references: [id], onDelete: Cascade)
-}
-
-model VerificationToken {
- identifier String
- token String @unique
- expires DateTime
-
- @@unique([identifier, token])
-}
-
-model User {
- id String @id @default(cuid())
- name String?
- email String? @unique
- emailVerified DateTime?
- image String?
- accounts Account[]
- sessions Session[]
- templates Project[]
- files File[]
- apiKeys ApiKey[]
- renders Render[]
-}
-
-model ApiKey {
- hash String @id @unique
- name String
- createdAt DateTime @default(now())
- updatedAt DateTime @updatedAt
- user User @relation(fields: [userId], references: [id], onDelete: Cascade)
- userId String
-}
-
-model Project {
- id String @id @default(cuid())
- name String @default("")
- description String @default("")
- tags String[] @default([])
- preview String?
- template Json
- createdAt DateTime? @default(now())
- updatedAt DateTime? @updatedAt
- public Boolean @default(false)
- userId String
- user User @relation(fields: [userId], references: [id])
- renders Render[]
- cloneOfId String?
- cloneOf Project? @relation("Clone", fields: [cloneOfId], references: [id])
- clones Project[] @relation("Clone")
-}
-
-enum FileType {
- IMAGE
- VIDEO
- AUDIO
- GIF
-}
-
-model File {
- id String @id @default(cuid())
- url String @default("")
- youtubeUrl String?
- type FileType
- name String @default("")
- createdAt DateTime? @default(now())
- updatedAt DateTime? @updatedAt
- userId String
- user User @relation(fields: [userId], references: [id])
- transcription Transcription?
-}
-
-enum TranscriptionStatus {
- PROCESSING
- COMPLETED
- FAILED
-}
-
-model Transcription {
- id String @id @default(cuid())
- transcript Json?
- text String?
- persons Int?
- language String?
- status TranscriptionStatus
- createdAt DateTime? @default(now())
- updatedAt DateTime? @updatedAt
- fileId String @unique
- file File @relation(fields: [fileId], references: [id])
-}
-
-enum RenderStatus {
- PROCESSING
- COMPLETED
- FAILED
-}
-
-enum RenderType {
- MEDIA
- STILL
-}
-
-model Render {
- id String @id @default(cuid())
- fileUrl String?
- status RenderStatus @default(PROCESSING)
- progress Float @default(0)
- cost Float @default(0)
- createdAt DateTime @default(now())
- updatedAt DateTime @updatedAt
- type RenderType
- userId String?
- user User? @relation(fields: [userId], references: [id])
- projectId String?
- project Project? @relation(fields: [projectId], references: [id])
-}
diff --git a/websites/client/README.md b/websites/client/README.md
deleted file mode 100644
index ff5ce231..00000000
--- a/websites/client/README.md
+++ /dev/null
@@ -1,37 +0,0 @@
-This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app).
-
-## Getting Started
-
-First, run the development server:
-
-```bash
-npm run dev
-# or
-yarn dev
-```
-
-Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
-
-You can start editing the page by modifying `app/page.tsx`. The page auto-updates as you edit the file.
-
-[API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.ts`.
-
-The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages.
-
-## Learn More
-
-To learn more about Next.js, take a look at the following resources:
-
-- [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API.
-- [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial.
-
-You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome!
-
-## Deploy on Vercel
-
-The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js.
-
-Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
-
-start postgres
-`docker run -d -e POSTGRES_USER=user -e POSTGRES_PASSWORD=password123 --name db-my -p 5434:5432 postgres`
diff --git a/websites/client/app/(layout)/(mdx)/blog/first/page.mdx b/websites/client/app/(layout)/(mdx)/blog/first/page.mdx
deleted file mode 100644
index 3634ea34..00000000
--- a/websites/client/app/(layout)/(mdx)/blog/first/page.mdx
+++ /dev/null
@@ -1,3 +0,0 @@
-# Blog
-
-Here are our latest blog posts.
diff --git a/websites/client/app/(layout)/(mdx)/blog/index.ts b/websites/client/app/(layout)/(mdx)/blog/index.ts
deleted file mode 100644
index 05f74b14..00000000
--- a/websites/client/app/(layout)/(mdx)/blog/index.ts
+++ /dev/null
@@ -1,12 +0,0 @@
-import { Page } from "../layout";
-
-export const blog: Page = {
- id: "blog",
- title: "Blog",
- pages: [
- {
- id: "first",
- title: "First post",
- },
- ],
-};
diff --git a/websites/client/app/(layout)/(mdx)/blog/page.mdx b/websites/client/app/(layout)/(mdx)/blog/page.mdx
deleted file mode 100644
index 4cd65cad..00000000
--- a/websites/client/app/(layout)/(mdx)/blog/page.mdx
+++ /dev/null
@@ -1,3 +0,0 @@
-# Hello world
-
-This is the first blog post.
diff --git a/websites/client/app/(layout)/(mdx)/docs/index.ts b/websites/client/app/(layout)/(mdx)/docs/index.ts
deleted file mode 100644
index 1e79d793..00000000
--- a/websites/client/app/(layout)/(mdx)/docs/index.ts
+++ /dev/null
@@ -1,18 +0,0 @@
-import { Page } from "../layout";
-
-export const docs: Page = {
- id: "docs",
- title: "Docs",
- pages: [
- {
- id: "player",
- title: "Player",
- pages: [
- {
- id: "usage",
- title: "Usage",
- },
- ],
- },
- ],
-};
diff --git a/websites/client/app/(layout)/(mdx)/docs/page.mdx b/websites/client/app/(layout)/(mdx)/docs/page.mdx
deleted file mode 100644
index ab45ba6d..00000000
--- a/websites/client/app/(layout)/(mdx)/docs/page.mdx
+++ /dev/null
@@ -1,21 +0,0 @@
-# What is Motionly?
-
-Motionly is a drag and drop video and image editor that allows you to programmatically generate videos
-and also include them in your website.
-
-It is using [Remotion](https://remotion.dev) as it's video engine.
-
-## How to use it?
-
-1. Go to the [online editor](https://app.motionly.video), and design your video.
-2. Copy video id or the json file for your video. (You can also render the video directly from the editor)
-3. Include the video in your website using [@motionly/player](/docs/player).
-4. Render videos using [@motionly/sdk](/docs/sdk) or REST API.
-
-## Packages
-
-- [@motionly/player](/docs/player) - React component to play videos on your website
-- [@motionly/sdk](/docs/sdk) - NPM package to render videos
-- [@motionly/components](/docs/components) - Components that you can use in your Remotion video
-
-### [Example app](https://motionly-example.vercel.app)
diff --git a/websites/client/app/(layout)/(mdx)/docs/player/page.mdx b/websites/client/app/(layout)/(mdx)/docs/player/page.mdx
deleted file mode 100644
index 020f76c4..00000000
--- a/websites/client/app/(layout)/(mdx)/docs/player/page.mdx
+++ /dev/null
@@ -1,30 +0,0 @@
-# <Player>
-
-Include your video on your website. Works offline,
-but you will have to update the components manually.
-
-## API
-
-### ...[TemplateType](/docs/types/template-type)
-
-### style
-
-### className
-
-### allowFullscreen
-
-### autoPlay
-
-### clickToPlay
-
-### controls
-
-### doubleClickToFullscreen
-
-### moveToBeginningWhenEnded
-
-### initiallyShowControls
-
-### spaceKeyToPlayOrPause
-
-### showVolumeControls
diff --git a/websites/client/app/(layout)/(mdx)/docs/player/usage/page.mdx b/websites/client/app/(layout)/(mdx)/docs/player/usage/page.mdx
deleted file mode 100644
index e69de29b..00000000
diff --git a/websites/client/app/(layout)/(mdx)/layout.tsx b/websites/client/app/(layout)/(mdx)/layout.tsx
deleted file mode 100644
index efdb29a9..00000000
--- a/websites/client/app/(layout)/(mdx)/layout.tsx
+++ /dev/null
@@ -1,121 +0,0 @@
-"use client";
-
-import Link from "next/link";
-import { usePathname } from "next/navigation";
-import { ReactNode } from "react";
-import Error from "next/error";
-import { blog } from "./blog";
-import { docs } from "./docs";
-import { legal } from "./legal";
-import { MdOutlineArrowForwardIos } from "react-icons/md";
-import { useState } from "react";
-
-export type Page = {
- id: string;
- title: string;
- pages?: Page[];
-};
-
-const collections: Page[] = [blog, docs, legal];
-
-export default function MDXLayout({ children }: { children: ReactNode }) {
- const pathname = usePathname();
- const paths = pathname?.split("/").filter((x) => x);
- const collection = collections.find((c) => c.id === paths?.[0]);
- if (!collection || !paths) return ;
-
- return (
-
-
- {collection.pages?.map((page) => (
-
- ))}
-
-
-
- );
-}
-
-const BreadCrumb = ({
- paths,
- page,
- i = 0,
-}: {
- page: Page;
- paths: string[];
- i?: number;
-}) => {
- const next = page.pages?.find((p) => p.id === paths[i + 1]);
- return (
- <>
-
- {i !== paths.length - 1 ? (
-
- {page.title}
-
- ) : (
- {page.title}
- )}
-
- {next && }
- >
- );
-};
-
-const MenuItem = ({
- id,
- title,
- pages,
- parents,
-}: Page & { parents: string }) => {
- const url = `${parents}/${id}`;
- const pathname = usePathname();
- const isSelected = pathname === url;
- const [open, setOpen] = useState(true);
- return (
-
-
- isSelected && setOpen(!open)}
- >
- {title}
-
- {pages && (
- setOpen(!open)}
- className={`text-sm duration-200 cursor-pointer ${
- open ? "rotate-90" : ""
- }`}
- />
- )}
-
- {open && pages && (
-
-
-
- {pages?.map((page) => (
-
- ))}
-
-
- )}
-
- );
-};
diff --git a/websites/client/app/(layout)/(mdx)/legal/cookie/page.mdx b/websites/client/app/(layout)/(mdx)/legal/cookie/page.mdx
deleted file mode 100644
index 02bff9b2..00000000
--- a/websites/client/app/(layout)/(mdx)/legal/cookie/page.mdx
+++ /dev/null
@@ -1,20 +0,0 @@
-export const metadata = meta({
- title: "Cookie Policy",
- description: "Cookie Policy for using Motionly.video",
-});
-
-# Cookie Policy
-
-This Cookie Policy explains how Motionly.video (“we”, “us”, or “our”) uses cookies and similar technologies to recognize you when you visit our website. It explains what these technologies are and why we use them, as well as your rights to control our use of them.
-
-## What Are Cookies
-
-Cookies are small data files that are placed on your computer or mobile device when you visit a website. Cookies are widely used by website owners in order to make their websites work, or to work more efficiently, as well as to provide reporting information.
-
-## How We Use Cookies
-
-We use cookies for a variety of reasons detailed below. Unfortunately, in most cases, there are no industry standard options for disabling cookies without completely disabling the functionality and features they add to this site. It is recommended that you leave on all cookies if you are not sure whether you need them or not in case they are used to provide a service that you use.
-
-### Disabling Cookies
-
-You can prevent the setting of cookies by adjusting the settings on your browser (see your browser Help for how to do this). Be aware that disabling cookies will affect the functionality of this and many other websites that you
diff --git a/websites/client/app/(layout)/(mdx)/legal/index.ts b/websites/client/app/(layout)/(mdx)/legal/index.ts
deleted file mode 100644
index c90973f7..00000000
--- a/websites/client/app/(layout)/(mdx)/legal/index.ts
+++ /dev/null
@@ -1,24 +0,0 @@
-import { Page } from "../layout";
-
-export const legal: Page = {
- id: "legal",
- title: "Legal",
- pages: [
- {
- id: "terms",
- title: "Terms and Conditions",
- },
- {
- id: "privacy",
- title: "Privacy Policy",
- },
- {
- id: "refund",
- title: "Refund Policy",
- },
- {
- id: "cookie",
- title: "Cookie Policy",
- },
- ],
-};
diff --git a/websites/client/app/(layout)/(mdx)/legal/page.mdx b/websites/client/app/(layout)/(mdx)/legal/page.mdx
deleted file mode 100644
index 9d6387e9..00000000
--- a/websites/client/app/(layout)/(mdx)/legal/page.mdx
+++ /dev/null
@@ -1 +0,0 @@
-# Legal
diff --git a/websites/client/app/(layout)/(mdx)/legal/privacy/page.mdx b/websites/client/app/(layout)/(mdx)/legal/privacy/page.mdx
deleted file mode 100644
index ec6f8df0..00000000
--- a/websites/client/app/(layout)/(mdx)/legal/privacy/page.mdx
+++ /dev/null
@@ -1,40 +0,0 @@
-export const metadata = meta({
- title: "Privacy Policy",
- description: "Privacy Policy for using Motionly.video",
-});
-
-# Privacy Policy
-
-At Motionly.video, we are committed to protecting the privacy of our users. This Privacy Policy explains how we collect, use, and protect the personal information you provide to us when using our services.
-
-## Information We Collect
-
-When you use our services, we may collect personal information such as your name, email address, IP address, and other contact information. We may also collect information about how you use our services, such as the pages you view and the time spent on each page.
-
-## How We Use Information
-
-We may use the information we collect to:
-
-• provide, improve, and expand our services;
-• respond to your questions and requests;
-• analyze how our services are used;
-• send promotional materials;
-• protect the security of our services.
-
-## Sharing of Information
-
-We will not share your personal information with third parties except as necessary to provide our services or comply with the law.
-
-## Security
-
-We take reasonable measures to protect the personal information we collect from unauthorized access, alteration, disclosure, or destruction.
-
-## Your Rights
-
-You have the right to access, update, and delete your personal information. You also have the right to object to the processing of your personal information, and to withdraw your consent at any time.
-
-## Changes to This Policy
-
-We reserve the right to make changes to this Privacy Policy at any time. If we make changes, we will post the updated version on our website and update the date at the top of this document.
-
-If you have any questions or concerns about this Privacy Policy, please contact us at info@motionly.video
diff --git a/websites/client/app/(layout)/(mdx)/legal/refund/page.mdx b/websites/client/app/(layout)/(mdx)/legal/refund/page.mdx
deleted file mode 100644
index 1ab07c43..00000000
--- a/websites/client/app/(layout)/(mdx)/legal/refund/page.mdx
+++ /dev/null
@@ -1,36 +0,0 @@
-export const metadata = meta({
- title: "Refund Policy",
- description: "Refund Policy for using Motionly.video",
-});
-
-# Refund Policy
-
-At Motionly.video, we strive to provide an exceptional video editing experience. If you are not satisfied with our services, we offer a money-back guarantee.
-
-## Conditions for Refund
-
-* The refund request must be made within 14 days of the initial purchase.
-
-* All refund requests must be made using the contact form on our website, or by emailing info@motionly.video.
-
-* Refunds are given at the discretion of Motionly.video and may require proof that the service is not meeting expectations.
-
-* Refunds will be provided in the form of the original payment method.
-
-* Refunds are not available for subscriptions that have already been renewed.
-
-* Refunds do not include any fees or taxes that may have been charged.
-
-## Exceptions
-
-* Refund requests will not be accepted if the service has been used for more than 14 days.
-
-* If a refund is granted, any associated fees or taxes will not be refunded.
-
-* Refund requests will not be accepted for any purchases made on third-party sites.
-
-* Refund requests will not be accepted for any products or services that are not offered by Motionly.video.
-
-## Contact Us
-
-If you have any questions or concerns about our refund policy, please contact us at info@motionly.video.
\ No newline at end of file
diff --git a/websites/client/app/(layout)/(mdx)/legal/terms/page.mdx b/websites/client/app/(layout)/(mdx)/legal/terms/page.mdx
deleted file mode 100644
index 886b8dad..00000000
--- a/websites/client/app/(layout)/(mdx)/legal/terms/page.mdx
+++ /dev/null
@@ -1,62 +0,0 @@
-export const metadata = meta({
- title: "Terms and Conditions",
- description: "Terms and conditions for using Motionly.video",
-});
-
-# Terms and Conditions
-
-Welcome to Motionly.video (the “Website”). This document serves as the Terms and Conditions Agreement (the “Agreement”) between Motionly.video (“Motionly.video” or “us” or “we”) and all users of the Website (“you”).
-
-By using the Website and its services, you acknowledge that you have read, understood, and agree to be bound by this Agreement. This Agreement applies to all of Motionly.video’s services, including the website, its content, and any associated applications. If you do not agree with any of the terms of this Agreement, you must immediately discontinue use of the Website.
-
-Motionly.video reserves the right, at its sole discretion, to modify or replace any part of this Agreement at any time. It is your responsibility to check this Agreement periodically for changes. Your continued use of the Website following the posting of any changes to this Agreement constitutes acceptance of those changes.
-
-## Services
-
-Motionly.video provides a service to automate your video editing and integrate videos with dynamic data on your site. You may use the Website to create and edit videos online, and access video templates for various purposes.
-
-## Content
-
-All information and content provided on the Website is owned by Motionly.video and is protected by applicable intellectual property laws. You may not copy, modify, or distribute any of the content found on the Website without prior written consent from Motionly.video.
-
-## User Conduct
-
-You agree not to use the Website for any unlawful purpose or for any purpose that is prohibited by this Agreement. You are solely responsible for any content that you submit, post, or transmit through the Website. You agree not to use the Website to:
-
-• Post, submit, or transmit any content that is unlawful, fraudulent, misleading, or deceptive.
-
-• Post, submit, or transmit any content that is offensive, inflammatory, pornographic, or profane.
-
-• Post, submit, or transmit any content that infringes upon the intellectual property rights of any third party.
-
-• Post, submit, or transmit any content that contains any virus, malware, or other malicious code.
-
-• Use the Website to defame, abuse, harass, stalk, or threaten any individual.
-
-You agree to comply with all applicable laws and regulations when using the Website.
-
-## Privacy
-
-Motionly.video respects your privacy and is committed to protecting it. Please read our Privacy Policy to understand how we collect, use, and disclose information.
-
-## Termination
-
-You may terminate this Agreement at any time by discontinuing use of the Website. Motionly.video may terminate this Agreement at any time, without notice, and for any reason.
-
-## Disclaimer of Warranties
-
-Motionly.video makes no warranties or representations about the Website or its content. The Website and its content are provided “as is” and “as available.” Motionly.video disclaims, to the fullest extent permitted by law, all warranties, express, implied, or statutory, including, but not limited to, warranties of merchantability, fitness for a particular purpose, title, non-infringement of third-party rights, and freedom from computer viruses or other harmful code.
-
-## Limitation of Liability
-
-Motionly.video shall not be liable for any direct, indirect, incidental, special, or consequential damages arising out of or in connection with your use of the Website or its content. This limitation applies to all causes of action, whether based on warranty, contract, tort, or any other legal theory.
-
-## Miscellaneous
-
-This Agreement constitutes the entire agreement between you and Motionly.video and governs your use of the Website, superseding any prior agreements between you and Motionly.video. If any provision of this Agreement is found to be invalid or unenforceable, the remaining provisions shall remain in full force and effect.
-
-## Contact
-
-If you have any questions or comments about this Agreement, please contact us at info@motionly.video.
-
-Thank you for using Motionly.video.
diff --git a/websites/client/app/(layout)/(pages)/(home)/layout.tsx b/websites/client/app/(layout)/(pages)/(home)/layout.tsx
deleted file mode 100644
index cd4a0530..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/layout.tsx
+++ /dev/null
@@ -1,7 +0,0 @@
-export default function RootLayout({
- children,
-}: {
- children: React.ReactNode;
-}) {
- return children;
-}
diff --git a/websites/client/app/(layout)/(pages)/(home)/page.tsx b/websites/client/app/(layout)/(pages)/(home)/page.tsx
deleted file mode 100644
index 21dfac68..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/page.tsx
+++ /dev/null
@@ -1,28 +0,0 @@
-import { Divider } from "../../../../components/Divider";
-import { Contact } from "./sections/Contact";
-import { Hero } from "./sections/Hero";
-import { Examples } from "./sections/Examples";
-import { Mission } from "./sections/Mission";
-import { Interactive } from "./sections/Interactive";
-import { FAQ } from "./sections/FAQ";
-
-export default function Home() {
- return (
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- );
-}
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/Contact/ContactForm.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/Contact/ContactForm.tsx
deleted file mode 100644
index 2b70ff70..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/Contact/ContactForm.tsx
+++ /dev/null
@@ -1,54 +0,0 @@
-"use client";
-
-import { useState } from "react";
-import { trpc } from "../../../../../ClientProvider";
-
-export const ContactForm = () => {
- const [email, setEmail] = useState("");
- const [name, setName] = useState("");
- const [message, setMessage] = useState("");
- const { mutate, isSuccess, isError, isLoading } =
- trpc.email.contact.useMutation();
- return (
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/Contact/index.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/Contact/index.tsx
deleted file mode 100644
index c1890bcb..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/Contact/index.tsx
+++ /dev/null
@@ -1,32 +0,0 @@
-import React from "react";
-import { Bubble } from "../../../../../../components/Bubble";
-import { ContactForm } from "./ContactForm";
-
-export const Contact = () => {
- return (
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/Examples.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/Examples.tsx
deleted file mode 100644
index 19cf0e0f..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/Examples.tsx
+++ /dev/null
@@ -1,164 +0,0 @@
-"use client"
-
-import { useEffect, useRef, useState } from "react";
-import { IoIosArrowBack, IoIosArrowForward } from "react-icons/io";
-const examples = [
- {
- title: "Podcast",
- video: "/examples/podcasts.mp4",
- },
- {
- title: "Year in review",
- video: "/examples/yir.mp4",
- },
- {
- title: "Mockups",
- video: "/examples/mockups.mp4",
- },
- {
- title: "Tweets",
- video: "/examples/tweets.mp4",
- },
- {
- title: "Subtitles",
- video: "/examples/subtitles.mp4",
- },
-];
-
-export const Examples = () => {
- const [mouseIn, setMouseIn] = useState(false);
- const [current, setCurrent] = useState(0);
- const vidRef = useRef(null);
-
- useEffect(() => {
- if (!vidRef.current) return;
- vidRef.current.currentTime = 0;
- vidRef.current.play();
- const interval = setInterval(() => {
- if (mouseIn) {
- return;
- }
- const nextCurrent = (current + 1) % examples.length;
- setCurrent(nextCurrent);
- }, 10000);
- return () => clearInterval(interval);
- }, [current, mouseIn]);
-
- return (
-
-
-
- Video templates for every purpose
-
-
- Start with a flexible template, then customize to fit your style and
- professional needs with our website builder.
-
-
-
-
- {examples.map(({ video }, i) => (
-
- ))}
-
-
- {examples.map(({ title }, i) => (
-
{
- setMouseIn(true);
- setCurrent(i);
- }}
- onMouseOut={() => {
- setMouseIn(false);
- }}
- >
-
-
-
- ))}
-
-
-
-
-
-
-
- {
- if (current !== 0) setCurrent(current - 1);
- }}
- />
-
-
- {
- if (current !== examples.length - 1) setCurrent(current + 1);
- }}
- />
-
-
-
-
-
- {examples.map((_, i) => (
- setCurrent(i)}
- className={`h-3 w-3 bg-base-content rounded-full duration-500 ${
- current === i ? " scale-125" : "opacity-30"
- }`}
- >
- ))}
-
-
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/FAQ/Question.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/FAQ/Question.tsx
deleted file mode 100644
index e287305e..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/FAQ/Question.tsx
+++ /dev/null
@@ -1,28 +0,0 @@
-"use client";
-
-import { useState } from "react";
-import { IoIosAdd, IoIosRemove } from "react-icons/io";
-
-export const Question = ({
- question,
- answer,
-}: {
- question: string;
- answer: string;
-}) => {
- const [show, setShow] = useState(false);
- return (
-
-
setShow(!show)}
- className="flex justify-between cursor-pointer w-full "
- >
-
{question}
-
- {show ? : }
-
-
- {show &&
{answer}
}
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/FAQ/index.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/FAQ/index.tsx
deleted file mode 100644
index 40edfa34..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/FAQ/index.tsx
+++ /dev/null
@@ -1,69 +0,0 @@
-import { Arrows } from "../../../../../../components/Arrows";
-import { Bubble } from "../../../../../../components/Bubble";
-import { Question } from "./Question";
-
-const questions = [
- {
- question: "What is Motionly?",
- answer:
- "Motionly is a video creation platform that allows you to create videos for your business in minutes. You can create videos for your social media, website, and more.",
- },
- {
- question: "How do I get started?",
- answer:
- "You can get started by creating an account and choosing a template. You can then customize the template to fit your needs.",
- },
- {
- question: "How much does it cost?",
- answer:
- "Motionly is free to use. You can create as many videos as you want for free.",
- },
- {
- question: "How do I download my video?",
- answer:
- "You can download your video by clicking the download button in the top right corner of the editor.",
- },
- {
- question: "How do I share my video?",
- answer:
- "You can share your video by clicking the share button in the top right corner of the editor.",
- },
- {
- question: "How do I delete my account?",
- answer:
- "You can delete your account by clicking the delete account button in the settings page.",
- },
- {
- question: "How do I change my password?",
- answer:
- "You can change your password by clicking the change password button in the settings page.",
- },
-];
-
-export const FAQ = () => {
- return (
-
-
- Let’s get your
- questions sorted
-
-
-
-
- Most of the questions we get are answered here. If you have any
- questions that aren’t answered here, feel free to contact us.
-
-
-
-
- {questions.map((q, i) => (
-
- ))}
-
-
-
-
-
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/Hero.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/Hero.tsx
deleted file mode 100644
index d3b077e5..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/Hero.tsx
+++ /dev/null
@@ -1,60 +0,0 @@
-import Image from "next/image";
-import Link from "next/link";
-import { Bubble } from "../../../../../components/Bubble";
-
-export const Hero = () => {
- return (
-
-
-
- Automate your content
-
-
- Automate your video editing and integrate videos with dynamic data on
- your site.
-
-
-
- Get Started For Free
-
-
- Contact Us
-
-
-
-
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/Interactive.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/Interactive.tsx
deleted file mode 100644
index 3b3adfee..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/Interactive.tsx
+++ /dev/null
@@ -1,69 +0,0 @@
-"use client";
-
-import { Player } from "@motionly/player";
-import { useState } from "react";
-import { interactive } from "../../../../../videos/examples/interactive";
-
-export const Interactive = () => {
- const [name, setName] = useState("");
- const [birthday, setBirthday] = useState("");
- const [color, setColor] = useState("#2F9AD6");
- const Color = ({ color: buttonColor }: { color: string }) => {
- return (
- setColor(buttonColor)}
- style={{
- background: buttonColor,
- borderWidth: color === buttonColor ? `3px` : undefined,
- }}
- className="w-10 h-10 rounded-full cursor-pointer border-base-content"
- />
- );
- };
- const template = interactive({ name, color, birthday });
- return (
-
-
-
- Whatever your needs are, Motionly is for you
-
-
- Play the video, then tweak the parameters below the video.
-
-
-
-
-
setName(e.currentTarget.value)}
- />
-
setBirthday(e.currentTarget.value)}
- />
-
- Select your favourite color
-
-
-
-
-
-
-
-
-
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/(home)/sections/Mission.tsx b/websites/client/app/(layout)/(pages)/(home)/sections/Mission.tsx
deleted file mode 100644
index 5bee181b..00000000
--- a/websites/client/app/(layout)/(pages)/(home)/sections/Mission.tsx
+++ /dev/null
@@ -1,58 +0,0 @@
-import Image from "next/image";
-import { Bubble } from "../../../../../components/Bubble";
-import { Arrows } from "../../../../../components/Arrows";
-
-export const Mission = () => {
- return (
-
-
-
-
- Your goals our services
-
-
- Our mission is to transform how businesses of all sizes communicate
- their message through dynamic, data-driven videos that can be easily
- modified to fit any marketing strategy or campaign and much more.
-
-
-
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/account/keys/page.tsx b/websites/client/app/(layout)/(pages)/account/keys/page.tsx
deleted file mode 100644
index 27a34b8f..00000000
--- a/websites/client/app/(layout)/(pages)/account/keys/page.tsx
+++ /dev/null
@@ -1,66 +0,0 @@
-"use client";
-
-import { useState } from "react";
-import { IoIosTrash } from "react-icons/io";
-import { trpc } from "../../../../ClientProvider";
-
-export default function Keys() {
- const { data } = trpc.keys.getAll.useQuery({});
- const { mutate: remove } = trpc.keys.delete.useMutation();
- const { mutate: create, data: key, isError } = trpc.keys.new.useMutation();
- const [name, setName] = useState("");
-
- const submit = (e: React.FormEvent
) => {
- e.preventDefault();
- create({ name });
- };
- return (
-
- {key && (
-
-
- Created new key: {key.secret} .
- Save it to a safe place!
-
-
- )}
- {!!data?.keys.length && (
-
-
-
- Name
- Delete
-
-
-
- {data.keys.map((key) => (
-
- {key.name}
-
- remove({ hash: key.hash })}
- />
-
-
- ))}
-
-
- )}
-
- Create new API key
- {isError && Write name for new API key
}
- setName(e.target.value)}
- />
-
- Create
-
-
-
- );
-}
diff --git a/websites/client/app/(layout)/(pages)/account/layout.tsx b/websites/client/app/(layout)/(pages)/account/layout.tsx
deleted file mode 100644
index cdb44c74..00000000
--- a/websites/client/app/(layout)/(pages)/account/layout.tsx
+++ /dev/null
@@ -1,56 +0,0 @@
-import Link from "next/link";
-import { getServerSession } from "../../../../lib/getServerSession";
-
-const sections = [
- {
- title: "Settings",
- path: "/account",
- },
- {
- title: "Renders",
- path: "/account/renders",
- },
- {
- title: "API Keys",
- path: "/account/keys",
- },
-];
-
-export default async function Layout({
- children,
-}: {
- children: React.ReactNode;
-}) {
- const session = await getServerSession();
- if (!session) {
- return Not logged in!
;
- }
- return (
-
-
-
-
-
{session.user.name}
-
-
- {sections.map((section) => (
-
- {section.title}
-
- ))}
-
-
-
{children}
-
- );
-}
diff --git a/websites/client/app/(layout)/(pages)/account/page.tsx b/websites/client/app/(layout)/(pages)/account/page.tsx
deleted file mode 100644
index 33cb1878..00000000
--- a/websites/client/app/(layout)/(pages)/account/page.tsx
+++ /dev/null
@@ -1,11 +0,0 @@
-import { subTitle } from "../../../../consts";
-
-export const dynamic = "force-dynamic";
-
-export default function Account() {
- return
;
-}
-
-export const metadata = {
- title: subTitle("Account"),
-};
diff --git a/websites/client/app/(layout)/(pages)/account/renders/page.tsx b/websites/client/app/(layout)/(pages)/account/renders/page.tsx
deleted file mode 100644
index 5d830e77..00000000
--- a/websites/client/app/(layout)/(pages)/account/renders/page.tsx
+++ /dev/null
@@ -1,95 +0,0 @@
-"use client";
-
-import { AiOutlineDollarCircle } from "react-icons/ai";
-import { IoImage } from "react-icons/io5";
-import { MdOutlineMovieCreation } from "react-icons/md";
-import { trpc } from "../../../../ClientProvider";
-
-export default function Renders() {
- const { data: renders } = trpc.renders.getAll.useQuery({});
- const { data } = trpc.renders.stats.useQuery({});
- const stats = [
- {
- title: "Cost",
- value: data?.totalCost?.toFixed(2),
- icon: AiOutlineDollarCircle,
- units: "$",
- },
- {
- title: "Total videos",
- value: data?.mediaCount,
- icon: MdOutlineMovieCreation,
- },
- {
- title: "Total images",
- value: data?.stillCount,
- icon: IoImage,
- },
- ];
- return (
-
-
- {stats.map((stat) => (
-
-
-
-
-
{stat.title}
-
- {stat.units}
- {stat.value}
-
-
- ))}
-
-
-
-
-
-
- id
- status
- progress
- cost
- link
-
-
-
- {renders?.renders?.map((render) => (
-
-
- {render.type === "STILL" ? (
-
- ) : (
-
- )}
-
- {render.id}
-
- {render.status}
-
- {render.progress}
- {render.cost}$
-
-
- {render.fileUrl && (
-
- OPEN
-
- )}
-
-
- ))}
-
-
-
- );
-}
diff --git a/websites/client/app/(layout)/(pages)/layout.tsx b/websites/client/app/(layout)/(pages)/layout.tsx
deleted file mode 100644
index c1492b79..00000000
--- a/websites/client/app/(layout)/(pages)/layout.tsx
+++ /dev/null
@@ -1,3 +0,0 @@
-export default function Layout({ children }: { children: React.ReactNode }) {
- return children;
-}
diff --git a/websites/client/app/(layout)/(pages)/login/Button.tsx b/websites/client/app/(layout)/(pages)/login/Button.tsx
deleted file mode 100644
index 074ff210..00000000
--- a/websites/client/app/(layout)/(pages)/login/Button.tsx
+++ /dev/null
@@ -1,28 +0,0 @@
-"use client";
-
-import { signIn } from "next-auth/react";
-import Image from "next/image";
-
-export const Button = ({
- service,
- src,
- callbackUrl,
-}: {
- service: string;
- src: string;
- callbackUrl?: string;
-}) => {
- return (
-
- signIn(service.toLowerCase(), {
- callbackUrl,
- })
- }
- className="btn flex space-x-2"
- >
-
- Continue with {service}
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/login/page.tsx b/websites/client/app/(layout)/(pages)/login/page.tsx
deleted file mode 100644
index 81f7e320..00000000
--- a/websites/client/app/(layout)/(pages)/login/page.tsx
+++ /dev/null
@@ -1,40 +0,0 @@
-import { Button } from "./Button";
-import { getServerSession } from "../../../../lib/getServerSession";
-import { redirect } from "next/navigation";
-import { siteName } from "../../../../consts";
-export default async function Login({
- searchParams,
-}: {
- searchParams?: { redirect?: string };
-}) {
- const callback = searchParams?.redirect || "/templates";
- const session = await getServerSession();
-
- if (session?.user) {
- redirect(callback);
- }
- return (
-
-
-
Login to Motionly
-
-
-
-
-
-
-
- );
-}
-
-export const metadata = {
- title: `Login | ${siteName}`,
-};
diff --git a/websites/client/app/(layout)/(pages)/swagger/Swagger.tsx b/websites/client/app/(layout)/(pages)/swagger/Swagger.tsx
deleted file mode 100644
index deb2b956..00000000
--- a/websites/client/app/(layout)/(pages)/swagger/Swagger.tsx
+++ /dev/null
@@ -1,8 +0,0 @@
-"use client";
-
-import dynamic from "next/dynamic";
-import "swagger-ui-react/swagger-ui.css";
-
-const SwaggerUI = dynamic(() => import("swagger-ui-react"), { ssr: false });
-
-export const Swagger = () => ;
diff --git a/websites/client/app/(layout)/(pages)/swagger/page.tsx b/websites/client/app/(layout)/(pages)/swagger/page.tsx
deleted file mode 100644
index 9c17fdda..00000000
--- a/websites/client/app/(layout)/(pages)/swagger/page.tsx
+++ /dev/null
@@ -1,9 +0,0 @@
-import { subTitle } from "../../../../consts";
-import { Swagger } from "./Swagger";
-
-const Home = () => ;
-export default Home;
-
-export const metadata = {
- title: subTitle("API"),
-};
diff --git a/websites/client/app/(layout)/(pages)/templates/[id]/Client.tsx b/websites/client/app/(layout)/(pages)/templates/[id]/Client.tsx
deleted file mode 100644
index bb75b74a..00000000
--- a/websites/client/app/(layout)/(pages)/templates/[id]/Client.tsx
+++ /dev/null
@@ -1,162 +0,0 @@
-"use client";
-
-import { Player } from "@motionly/player";
-import { useSession } from "next-auth/react";
-import Link from "next/link";
-import { useState } from "react";
-import { IoIosBrush, IoIosCopy, IoIosImages } from "react-icons/io";
-import { Clone } from "../../../../../components/Clone";
-import { Input } from "../../../../../components/inputs";
-import { Project } from "../../../../../types";
-import produce from "immer";
-import { trpc } from "../../../../ClientProvider";
-import { OneRender } from "../../../../../components/OneRender";
-import { ShowHide } from "../../../../../components/ShowHide";
-
-export const Client = ({
- startProject,
- renderCount = 0,
- cloneCount = 0,
-}: {
- startProject: Project;
- renderCount?: number;
- cloneCount?: number;
-}) => {
- const [project, setProject] = useState(startProject);
- const { data: session } = useSession();
- const template = project.template;
- const {
- mutateAsync: render,
- isLoading,
- isError,
- } = trpc.renders.media.useMutation();
- return (
-
-
-
-
{project.name}
-
- {project.isOwner && (
-
-
-
- )}
- {session?.user && (
-
-
-
- )}
-
-
- {project.public && (
-
PUBLIC
- )}
-
{project.description}
-
- Duration: {template.duration} seconds
-
-
- Dimensions: {template.width} x {template.height}
-
-
- {template.variables?.allIds.map((variableId) => {
- const input = template.variables?.byIds[variableId];
- if (!input) return null;
- return (
-
-
{input.label}
-
{
- setProject(
- produce((draft) => {
- const input =
- draft.template.variables?.byIds[variableId];
- if (!input) return;
- input.value = i;
- })
- );
- }}
- value={input.value}
- type={input.type as any}
- />
-
- );
- })}
-
- {!session && (
-
- Login to render
-
- )}
- {session && (
-
-
render({ template, id: project.id })}
- >
- Render
-
- {isLoading &&
Loading...
}
- {isError &&
Error with rendering
}
-
- )}
- {session &&
}
-
-
-
-
-
-
-
-
-
Renders
-
{renderCount}
-
-
-
-
-
-
Clones
-
{cloneCount}
-
-
-
-
- );
-};
-
-const Renders = ({ projectId }: { projectId?: string }) => {
- const { data } = trpc.renders.getAll.useQuery(
- { projectId },
- { refetchInterval: 3000 }
- );
- const [show, setShow] = useState(true);
- return (
-
-
-
Your latest renders
-
-
- {show && (
-
- {data?.renders.map((render) => (
-
- ))}
-
- )}
-
- );
-};
diff --git a/websites/client/app/(layout)/(pages)/templates/[id]/Player.tsx b/websites/client/app/(layout)/(pages)/templates/[id]/Player.tsx
deleted file mode 100644
index f0229144..00000000
--- a/websites/client/app/(layout)/(pages)/templates/[id]/Player.tsx
+++ /dev/null
@@ -1,7 +0,0 @@
-"use client";
-
-import { Player as MotionlyPlayer, PlayerProps } from "@motionly/player";
-
-export const Player = (props: PlayerProps) => {
- return ;
-};
diff --git a/websites/client/app/(layout)/(pages)/templates/[id]/page.tsx b/websites/client/app/(layout)/(pages)/templates/[id]/page.tsx
deleted file mode 100644
index 6ed488c1..00000000
--- a/websites/client/app/(layout)/(pages)/templates/[id]/page.tsx
+++ /dev/null
@@ -1,43 +0,0 @@
-import { getProject } from "../../../../../lib/getProject";
-import { Client } from "./Client";
-import prisma from "../../../../../server/db";
-import { Metadata } from "next";
-import { motionly, subTitle } from "../../../../../consts";
-import { PageProps } from "../../../../../types";
-export const dynamic = "force-dynamic";
-
-export default async function Edit({ params: { id } }: PageProps) {
- const project = await getProject(id);
-
- if (!project) return project not found!
;
- const renderCount = await prisma.render.aggregate({
- where: { projectId: project.id },
- _count: { _all: true },
- });
-
- return (
-
- );
-}
-
-export async function generateMetadata({
- params: { id },
-}: PageProps): Promise {
- const project = await getProject(id);
- if (!project) return {};
- const title = subTitle(project?.name);
- const description = project?.description;
- return {
- title: title,
- description: project?.description,
- openGraph: {
- title,
- description,
- images: [
- {
- url: project?.preview || motionly,
- },
- ],
- },
- };
-}
diff --git a/websites/client/app/(layout)/(pages)/templates/page.tsx b/websites/client/app/(layout)/(pages)/templates/page.tsx
deleted file mode 100644
index 3e5c8c08..00000000
--- a/websites/client/app/(layout)/(pages)/templates/page.tsx
+++ /dev/null
@@ -1,83 +0,0 @@
-import { SearchBar } from "../../../../components/SearchBar";
-import { Project } from "../../../../components/Project";
-import { getServerSession } from "../../../../lib/getServerSession";
-import { Clone } from "../../../../components/Clone";
-import { prismaProjectToProject } from "../../../../helpers/projectToProject";
-import { IoIosAdd } from "react-icons/io";
-import { subTitle } from "../../../../consts";
-
-export const dynamic = "force-dynamic";
-
-export default async function Templates({
- searchParams,
-}: {
- searchParams?: { [key: string]: string };
-}) {
- const session = await getServerSession();
- const search = searchParams?.search || undefined;
- const comp = searchParams?.comp || undefined;
- const templates = await prisma.project.findMany({
- where: {
- public: true,
- AND: [
- {
- OR: [
- { name: { contains: search } },
- { description: { contains: search } },
- ],
- },
- { template: { string_contains: comp } },
- ],
- },
- orderBy: { renders: { _count: "desc" } },
- });
- const yourProjects = session
- ? await prisma.project.findMany({
- where: {
- userId: session.user.id,
- },
- include: { user: true },
- orderBy: { updatedAt: "desc" },
- })
- : undefined;
- return (
-
- {yourProjects && (
-
-
-
Your projects
-
-
- Create New
-
-
-
- {yourProjects.map((project) => (
-
- ))}
-
-
- )}
-
-
Find template to use
-
-
- {templates.map((project) => (
-
- ))}
-
-
-
- );
-}
-export const metadata = {
- title: subTitle("Templates"),
-};
diff --git a/websites/client/app/(layout)/(pages)/youtube/page.tsx b/websites/client/app/(layout)/(pages)/youtube/page.tsx
deleted file mode 100644
index 05fc29a9..00000000
--- a/websites/client/app/(layout)/(pages)/youtube/page.tsx
+++ /dev/null
@@ -1,161 +0,0 @@
-"use client";
-
-import Link from "next/link";
-import { useRouter } from "next/navigation";
-import { useState } from "react";
-import { LoadingSpinner } from "../../../../components/LoadingSpinner";
-import { trpc } from "../../../ClientProvider";
-
-export default function Youtube({
- searchParams: { url },
-}: {
- searchParams: { url?: string };
-}) {
- const [newUrl, setNewUrl] = useState(url || "");
- const router = useRouter();
- return (
-
-
-
{
- e.preventDefault();
- router.push(`/youtube?url=${encodeURIComponent(newUrl)}`);
- }}
- >
- Download Youtube video
- setNewUrl(e.currentTarget.value)}
- />
-
- Convert
-
-
- {url && }
-
-
- );
-}
-
-const Video = ({ url }: { url: string }) => {
- const { data, isLoading, isError } = trpc.youtube.get.useQuery({ url });
- return (
-
-
Converted Video
- {isLoading && (
-
- )}
- {isError &&
Error
}
- {data && (
- <>
-
-
-
-
{data.name}
-
Duration: {data.duration}s
-
-
-
-
-
- Format
- Quality
- Size
- Has Video
- Has Audio
- Download
-
-
-
- {data.formats.map((format, i) => (
-
-
-
- {format.container}
-
-
- {format.qualityLabel}
- {contentLengthToSize(format.contentLength)}
- {format.hasVideo ? "X" : ""}
- {format.hasAudio ? "X" : ""}
-
-
-
-
- ))}
-
-
- >
- )}
-
- );
-};
-
-const Download = ({ url, fileName }: { url: string; fileName: string }) => {
- const [loading, setLoading] = useState(false);
- const download = async () => {
- setLoading(true);
- const result = await fetch(`/api/proxy?url=${encodeURIComponent(url)}`);
- if (!result.ok) throw new Error("Failed to download");
- const data = result.body;
- if (!data) throw new Error("Failed to download");
- const reader = data.getReader();
- const stream = new ReadableStream({
- start(controller) {
- return pump();
- function pump(): any {
- return reader.read().then(({ done, value }) => {
- if (done) {
- controller.close();
- return;
- }
- controller.enqueue(value);
- return pump();
- });
- }
- },
- });
- const response = new Response(stream);
- const blob = await response.blob();
- const a = document.createElement("a");
- a.href = URL.createObjectURL(blob);
- a.download = fileName;
- a.click();
- setLoading(false);
- };
- return (
-
- {loading ?
: "Download"}
-
- );
-};
-
-const contentLengthToSize = (contentLength?: string) => {
- if (!contentLength) return "";
- const length = parseInt(contentLength);
- if (length < 1000) {
- return `${length}B`;
- }
- if (length < 1000000) {
- return `${(length / 1000).toFixed(2)}KB`;
- }
- if (length < 1000000000) {
- return `${(length / 1000000).toFixed(2)}MB`;
- }
- return `${(length / 1000000000).toFixed(2)}GB`;
-};
diff --git a/websites/client/app/(layout)/layout.tsx b/websites/client/app/(layout)/layout.tsx
deleted file mode 100644
index 3ec15b93..00000000
--- a/websites/client/app/(layout)/layout.tsx
+++ /dev/null
@@ -1,17 +0,0 @@
-import { ReactNode } from "react";
-import { Navbar } from "../../components/Navbar";
-import { Footer } from "../../components/Footer";
-
-export default function Layout({ children }: { children: ReactNode }) {
- return (
-
- );
-}
diff --git a/websites/client/app/(layout)/loading.tsx b/websites/client/app/(layout)/loading.tsx
deleted file mode 100644
index 6f272655..00000000
--- a/websites/client/app/(layout)/loading.tsx
+++ /dev/null
@@ -1,5 +0,0 @@
-import { Loading } from "../../components/Loading";
-
-export default function Loading2() {
- return ;
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/ClientPage.tsx b/websites/client/app/(no-layout)/edit/[id]/ClientPage.tsx
deleted file mode 100644
index 913193ad..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/ClientPage.tsx
+++ /dev/null
@@ -1,55 +0,0 @@
-"use client";
-
-import { Timeline } from "./Timeline/Timeline";
-import { HotKeys } from "../../../../components/HotKeys";
-import { PlayerDiv } from "./Player/PlayerDiv";
-import { RightPanel } from "./Right/RightPanel";
-import { TimelineDiv } from "./Timeline/TimelineDiv";
-import { Project } from "../../../../types";
-import Link from "next/link";
-import { ProjectProvider, useProject } from "../../../../hooks/useProject";
-import { LeftBar } from "./Left/LeftBar";
-import { LeftPanel } from "./Left/LeftPanel";
-import { RightBar } from "./Right/RightBar";
-import { useState } from "react";
-import { useEffect } from "react";
-import { Loading } from "../../../../components/Loading";
-
-export function ClientPageWrapper({ project }: { project: Project }) {
- const [isClient, setIsClient] = useState(false);
- useEffect(() => setIsClient(true), []);
- return (
-
- {isClient && }
- {!isClient && }
-
- );
-}
-export function ClientPage() {
- const id = useProject((t) => t.project.id);
- return (
-
-
-
The editor is not meant to be used on a phone!
-
- Project page
-
-
-
-
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/LeftBar.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/LeftBar.tsx
deleted file mode 100644
index 81c79bbd..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/LeftBar.tsx
+++ /dev/null
@@ -1,45 +0,0 @@
-import Image from "next/image";
-import Link from "next/link";
-import { IoIosArrowBack } from "react-icons/io";
-import { Bar, BarItem } from "../../../../../components/Bar";
-import { useProject } from "../../../../../hooks/useProject";
-import { LeftTabs } from "./Tabs";
-
-export const LeftBar = () => {
- const setTab = useProject((s) => s.leftSetTab);
- const tab = useProject((s) => s.leftTab);
-
- return (
-
-
-
- }
- >
-
-
-
-
-
- {Object.entries(LeftTabs).map(([key, value], i) => (
- setTab(key as LeftTabs)}
- className={tab === key ? "" : "opacity-60"}
- text={value.name}
- Icon={value.Icon}
- />
- ))}
-
-
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/LeftPanel.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/LeftPanel.tsx
deleted file mode 100644
index 2db95336..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/LeftPanel.tsx
+++ /dev/null
@@ -1,21 +0,0 @@
-import { lazy, Suspense } from "react";
-import { LeftTabs } from "./Tabs";
-import { useProject } from "../../../../../hooks/useProject";
-import { PanelDiv } from "../../../../../components/PanelDiv";
-
-export const LeftPanel = () => {
- const tab = useProject((t) => t.leftTab);
- if (!tab) return null;
- const Component = lazy(LeftTabs[tab].Component);
- return (
- s.leftWidth}
- setWidthSelector={(s) => s.leftSetWidth}
- >
-
-
-
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/AI.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/AI.tsx
deleted file mode 100644
index e10560bb..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/AI.tsx
+++ /dev/null
@@ -1,59 +0,0 @@
-import { FormEvent, useState } from "react";
-import { useAlerts } from "../../../../../../components/Alert";
-import { useProject } from "../../../../../../hooks/useProject";
-import { trpc } from "../../../../../ClientProvider";
-
-export default function Ai() {
- const template = useProject((t) => t.project.template);
- const [prompt, setPrompt] = useState("");
- const [status, setStatus] = useState<"loading" | "done" | "error">();
- const alert = useAlerts((s) => s.addAlert);
- const { mutateAsync: postAI } = trpc.ai.message.useMutation();
- const submit = async (e?: FormEvent) => {
- e?.preventDefault();
- if (status === "loading")
- return alert("Please wait for the previous request to finish", "warning");
- setStatus("loading");
-
- const result = await postAI({ template: template, prompt });
- if (!result) setStatus("error");
- else {
- // setProject({ ...template, : result });
- setStatus("done");
- }
- };
- const commentEnterSubmit = (e: React.KeyboardEvent) => {
- if (e.key === "Enter" && e.shiftKey == false) {
- e.preventDefault();
- submit();
- }
- };
-
- return (
-
-
- Still in development, but ideally should generate/change video based on
- input prompt
-
-
- setPrompt(e.target.value)}
- />
-
- Submit
-
-
- {status === "loading" &&
Loading...
}
- {status === "done" &&
Successfully updated
}
- {status === "error" &&
Error
}
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Code.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Code.tsx
deleted file mode 100644
index a125993e..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Code.tsx
+++ /dev/null
@@ -1,40 +0,0 @@
-import dynamic from "next/dynamic";
-import { useEffect, useState } from "react";
-import { useProject } from "../../../../../../hooks/useProject";
-
-const CodeEditor = dynamic(
- () => import("@uiw/react-textarea-code-editor").then((mod) => mod.default),
- { ssr: false }
-);
-
-export default function Code() {
- const template = useProject((t) => t.project.template);
- const set = useProject((t) => t.set);
- const [json, setJson] = useState(JSON.stringify(template, null, 2));
- const [error, setError] = useState(false);
- useEffect(() => {
- try {
- set((s) => {
- s.project.template = JSON.parse(json);
- });
- setError(false);
- } catch (e) {
- setError(true);
- }
- }, [json]);
- return (
-
- {error &&
Not a valid JSON!
}
-
setJson(e.target.value)}
- className="h-full !bg-base-200 rounded-lg w-full"
- style={{
- fontSize: 14,
- fontFamily:
- "ui-monospace,SFMono-Regular,SF Mono,Consolas,Liberation Mono,Menlo,monospace",
- }}
- />
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Data.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Data.tsx
deleted file mode 100644
index 1391ecdf..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Data.tsx
+++ /dev/null
@@ -1,3 +0,0 @@
-export default function Data() {
- return data
;
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Elements.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Elements.tsx
deleted file mode 100644
index f587e7ec..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Elements.tsx
+++ /dev/null
@@ -1,96 +0,0 @@
-import Image from "next/image";
-import { useState } from "react";
-import { getRandomId } from "../../../../../../helpers";
-import { useProject } from "../../../../../../hooks/useProject";
-import {
- sections,
- Section,
- Element,
- getWidthAndHeight,
-} from "../../../../../../videos/elements";
-import { components } from "../../Right/Tabs/components";
-
-export default function Elements() {
- return (
-
- {sections.map((s, i) => {
- return ;
- })}
-
- );
-}
-
-const Section = (s: Section) => {
- const value = components[s.title];
- return (
-
-
-
- {s.elements.map((e, i) => {
- return (
-
- );
- })}
-
-
- );
-};
-
-const Element = ({ element, file }: { element: Element; file: string }) => {
- const templateWidth = useProject((s) => s.project.template.width);
- const templateHeight = useProject((s) => s.project.template.height);
- const addComp = useProject((s) => s.addComp);
- const size = Math.max(templateHeight, templateWidth) * 0.2;
- const { height, width } = getWidthAndHeight(size, element.aspectRatio);
- const [isHovering, setIsHovering] = useState(false);
- return (
- setIsHovering(true)}
- onMouseOut={() => setIsHovering(false)}
- onClick={() =>
- addComp({
- ...element.props,
- id: getRandomId(),
- width,
- height,
- x: templateWidth / 2 - width / 2,
- y: templateHeight / 2 - height / 2,
- })
- }
- className="flex flex-col items-center cursor-pointer space-y-2"
- >
- {!isHovering && (
-
- )}
- {isHovering && (
-
{
- event.currentTarget.currentTime = 0;
- event.currentTarget.play();
- }}
- onMouseOut={(event) => {
- event.currentTarget.pause();
- }}
- muted
- loop
- />
- )}
- {element.title}
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Export.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Export.tsx
deleted file mode 100644
index 243f61df..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Export.tsx
+++ /dev/null
@@ -1,50 +0,0 @@
-import { OneRender } from "../../../../../../components/OneRender";
-import { useProject } from "../../../../../../hooks/useProject";
-import { trpc } from "../../../../../ClientProvider";
-
-export default function Export() {
- const frame = useProject((s) => s.playerFrame);
- const id = useProject((s) => s.project.id);
- const template = useProject((s) => s.project.template);
- const { data: renders } = trpc.renders.getAll.useQuery(
- { projectId: id },
- { refetchInterval: 3000 }
- );
- const { mutate: renderStill, isLoading: stillLoading } =
- trpc.renders.still.useMutation();
- const { mutate: renderMedia, isLoading: mediaLoading } =
- trpc.renders.media.useMutation();
-
- return (
-
-
-
Render
-
- renderStill({ template, frame, id })}
- >
- Current frame
-
-
- renderMedia({ template, id })}
- >
- video
-
-
-
-
-
History
-
- {renders?.renders?.map((render) => (
-
- ))}
-
-
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Media.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Media.tsx
deleted file mode 100644
index d72db436..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Media.tsx
+++ /dev/null
@@ -1,94 +0,0 @@
-import { MediaTab } from "../../../../../../components/MediaTab";
-import { getRandomId } from "../../../../../../helpers";
-import { getMediaUrl } from "../../../../../../helpers/getMediaUrl";
-import { useFiles } from "../../../../../../hooks/useFiles";
-import { useProject } from "../../../../../../hooks/useProject";
-import { useFileUpload } from "../../../../../../hooks/useFileUpload";
-import { trpc } from "../../../../../ClientProvider";
-import { useState } from "react";
-
-export default function Media() {
- const [youtubeUrl, setYoutubeUrl] = useState("");
- const mediaType = useFiles((t) => t.mediaType);
- const addComp = useProject((s) => s.addComp);
- const { data: media } = trpc.media.getAll.useQuery({ type: mediaType });
- const { uploadFile, file, setFile, ref } = useFileUpload();
- const { mutate: youtube, isLoading } = trpc.media.youtube.useMutation();
- const add = (src: string) => {
- addComp({
- id: getRandomId(),
- comp: mediaType.toLowerCase() as any,
- src,
- objectFit: "cover",
- });
- };
-
- return (
-
-
-
-
- {media?.files.map((file) => {
- const fileUrl = getMediaUrl(file.id);
- return (
-
add(fileUrl)}
- className="w-full"
- >
- {(file.type === "IMAGE" || file.type === "GIF") && (
-
- )}
- {file.type === "VIDEO" && (
-
e.currentTarget.play()}
- onMouseLeave={(e) => e.currentTarget.pause()}
- muted
- />
- )}
-
- {file.name}
-
-
- );
- })}
-
-
-
- setYoutubeUrl(e.target.value)}
- />
- {
- setYoutubeUrl("");
- youtube({ youtubeUrl });
- }}
- >
- Use
-
- setFile(e.target.files?.[0])}
- />
-
- Upload
-
-
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Stock.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Stock.tsx
deleted file mode 100644
index 1af9e739..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Stock.tsx
+++ /dev/null
@@ -1,81 +0,0 @@
-import { MediaTab } from "../../../../../../components/MediaTab";
-import { useProject } from "../../../../../../hooks/useProject";
-import { getRandomId } from "../../../../../../helpers";
-import Link from "next/link";
-import { trpc } from "../../../../../ClientProvider";
-import { useFiles } from "../../../../../../hooks/useFiles";
-
-export default function Stock() {
- const setTab = useProject((t) => t.leftSetTab);
- const addComp = useProject((s) => s.addComp);
- const query = useFiles((s) => s.stockQuery);
- const mediaType = useFiles((s) => s.mediaType);
- const setQuery = useFiles((s) => s.setStockQuery);
-
- const { data: stock, refetch } = trpc.stock.get.useQuery({
- type: mediaType,
- query,
- });
-
- const onSubmit = (e: any) => {
- e.preventDefault();
- refetch();
- };
- const add = (src: string) => {
- addComp({
- id: getRandomId(),
- comp: mediaType.toLowerCase() as any,
- src,
- objectFit: "cover",
- });
- };
- return (
-
-
-
-
- setQuery(e.target.value)}
- />
-
- search
-
-
-
-
- {stock?.results?.map(({ logo, media, url }, i) => (
-
-
-
-
-
- {media.map(({ icon, src }) => (
-
add(src)}
- className="w-full aspect-square bg-base-200 rounded-lg overflow-hidden"
- >
- {mediaType !== "VIDEO" ? (
-
- ) : (
- e.currentTarget.play()}
- onMouseLeave={(e) => e.currentTarget.pause()}
- muted
- />
- )}
-
- ))}
-
-
- ))}
-
-
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Template.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Template.tsx
deleted file mode 100644
index 3b27ff97..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Template.tsx
+++ /dev/null
@@ -1,135 +0,0 @@
-import Link from "next/link";
-import { useRouter } from "next/navigation";
-import { useAlerts } from "../../../../../../components/Alert";
-import { Clone } from "../../../../../../components/Clone";
-import { VariableInput } from "../../../../../../components/inputs";
-import { useProject } from "../../../../../../hooks/useProject";
-import { trpc } from "../../../../../ClientProvider";
-
-export default function Template() {
- const set = useProject((t) => t.set);
- const project = useProject((t) => t.project);
- const router = useRouter();
- const alert = useAlerts((s) => s.addAlert);
- const { mutateAsync } = trpc.projects.delete.useMutation();
- const delTemplate = async () => {
- if (!project.id) return;
- const result = await mutateAsync({ id: project.id });
- if (!result) return alert("Failed to delete template", "error");
- alert("Template deleted", "success");
- router.push("/");
- };
- return (
-
-
-
-
- set((state) => {
- state.project.description = description || "";
- })
- }
- />
-
- set((state) => {
- state.project.tags = tags || [];
- })
- }
- />
-
- set((state) => {
- state.project.template.width = width || 1;
- })
- }
- />
-
- set((state) => {
- state.project.template.height = height || 1;
- })
- }
- />
-
- set((state) => {
- state.project.template.fps = fps || 1;
- })
- }
- />
-
- set((state) => {
- state.project.template.duration = duration || 1;
- })
- }
- />
-
- set((state) => {
- state.project.template.bg = bg;
- })
- }
- />
-
- set((state) => {
- state.project.public = public_;
- })
- }
- />
-
-
-
-
- Duplicate
-
-
- View
-
-
- Delete
-
-
-
- );
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Text.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Text.tsx
deleted file mode 100644
index 1b5d633c..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Text.tsx
+++ /dev/null
@@ -1,3 +0,0 @@
-export default function Text() {
- return Text
;
-}
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Variables.tsx b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Variables.tsx
deleted file mode 100644
index 5146e798..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/Variables.tsx
+++ /dev/null
@@ -1,54 +0,0 @@
-import { VariableInput } from "../../../../../../components/inputs";
-import { useProject } from "../../../../../../hooks/useProject";
-
-export default function Variables() {
- const variables = useProject((t) => t.project.template.variables);
- return (
-
- {variables?.allIds.map((id) => (
-
- ))}
-
- );
-}
-
-export const OneInput = ({ id }: { id: string }) => {
- const input = useProject((t) => t.project.template.variables?.byIds[id]);
- const set = useProject((t) => t.set);
- if (!input) return null;
-
- return (
-
-
- set((s) => {
- s.project.template.variables!.byIds[id].label = label;
- })
- }
- />
-
- set((s) => {
- s.project.template.variables!.byIds[id].value = value;
- })
- }
- />
-
- set((s) => {
- const inputs = s.project.template.variables!;
- inputs.allIds = inputs.allIds.filter((i) => i !== id);
- delete inputs.byIds[id];
- })
- }
- >
- Remove
-
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/index.ts b/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/index.ts
deleted file mode 100644
index d1499996..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Left/Tabs/index.ts
+++ /dev/null
@@ -1,64 +0,0 @@
-import {
- IoIosAlbums,
- IoIosSettings,
- IoIosImages,
- IoIosCode,
- IoIosSunny,
-} from "react-icons/io";
-import { IoShapesSharp, IoText } from "react-icons/io5";
-import { AiOutlineDatabase } from "react-icons/ai";
-import { HiVariable } from "react-icons/hi";
-import { CiExport } from "react-icons/ci";
-export const LeftTabs = {
- template: {
- name: "Template",
- Icon: IoIosSettings,
- Component: () => import("./Template"),
- },
- elements: {
- name: "Elements",
- Icon: IoShapesSharp,
- Component: () => import("./Elements"),
- },
- media: {
- name: "Media",
- Icon: IoIosAlbums,
- Component: () => import("./Media"),
- },
- stock: {
- name: "Stock media",
- Icon: IoIosImages,
- Component: () => import("./Stock"),
- },
- inputs: {
- name: "Variables",
- Icon: HiVariable,
- Component: () => import("./Variables"),
- },
- // text: {
- // name: "Text",
- // Icon: IoText,
- // Component: () => import("./Text"),
- // },
- // data: {
- // name: "Data",
- // Icon: AiOutlineDatabase,
- // Component: () => import("./Data"),
- // },
- code: {
- name: "Code",
- Icon: IoIosCode,
- Component: () => import("./Code"),
- },
- ai: {
- name: "AI",
- Icon: IoIosSunny,
- Component: () => import("./AI"),
- },
- export: {
- name: "Export",
- Icon: CiExport,
- Component: () => import("./Export"),
- },
-};
-export type LeftTabs = keyof typeof LeftTabs;
diff --git a/websites/client/app/(no-layout)/edit/[id]/Player/Header.tsx b/websites/client/app/(no-layout)/edit/[id]/Player/Header.tsx
deleted file mode 100644
index e574495a..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Player/Header.tsx
+++ /dev/null
@@ -1,59 +0,0 @@
-import { IoIosCloudDone, IoMdRedo, IoMdUndo } from "react-icons/io";
-import { LoadingSpinner } from "../../../../../components/LoadingSpinner";
-import { useProject } from "../../../../../hooks/useProject";
-
-export const Header = () => {
- const name = useProject((s) => s.project.name);
- const saveTimeout = useProject((s) => s.saveTimeout);
- const set = useProject((s) => s.set);
- const undo = useProject((s) => s.undo);
- const redo = useProject((s) => s.redo);
- const future = useProject((s) => s.future);
- const past = useProject((s) => s.past);
- const setTab = useProject((s) => s.leftSetTab);
-
- return (
-
-
- set((s) => {
- s.project.name = e.target.value;
- })
- }
- className="text-[18px] font-bold bg-transparent input input-xs w-40"
- />
-
-
- {!saveTimeout ? (
-
- ) : (
-
- )}
-
-
-
setTab("export")}>
- Export
-
-
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Player/Player.tsx b/websites/client/app/(no-layout)/edit/[id]/Player/Player.tsx
deleted file mode 100644
index 83da0777..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Player/Player.tsx
+++ /dev/null
@@ -1,114 +0,0 @@
-import { useRef } from "react";
-import { useShiftKey } from "../../../../../hooks/useShiftKey";
-import Moveable from "react-moveable";
-import { useProject } from "../../../../../hooks/useProject";
-import { useComponent } from "../../../../../hooks/useComponent";
-import React from "react";
-import { Player as MotionlyPlayer } from "@motionly/player";
-export const Player = () => {
- const template = useProject((t) => t.project.template);
- const comp = useComponent();
- const setSelected = useProject((t) => t.setSelected);
- const setComp = useProject((t) => t.setComp);
- const lockAspectRatio = useShiftKey();
- const divRef = useRef(null);
- const scale = useProject((t) => t.playerScale);
- const setPlayerRef = useProject((t) => t.playerSetPlayerRef);
- const horizontalGuidelines = [
- ...Object.values(template.components)
- .filter((c) => c.id !== comp?.id)
- .map((c) => [c.y, (c.y || 0) + (c.height || template.height)])
- .flat(),
- 0,
- template.height / 2,
- template.height,
- ].map((x) => (x || 0) * scale);
- const verticalGuidelines = [
- ...Object.values(template.components)
- .filter((c) => c.id !== comp?.id)
- .map((c) => [c.x, (c.x || 0) + (c.width || template.width)])
- .flat(),
- 0,
- template.width / 2,
- template.width,
- ].map((x) => (x || 0) * scale);
-
- return (
-
- setPlayerRef?.(ref || undefined)}
- template={template}
- style={{ width: "100%", height: "100%" }}
- spaceKeyToPlayOrPause
- loop
- selectedRef={divRef}
- selected={comp?.id || ""}
- setSelected={setSelected}
- />
- {comp && (
- {
- setComp((comp) => {
- comp.x = (comp.x || 0) + delta[0];
- comp.y = (comp.y || 0) + delta[1];
- });
- }}
- keepRatio={lockAspectRatio}
- onResize={({ height, width, delta, target, direction }) => {
- setComp((comp) => {
- console.log(direction);
- if (direction[0] === -1)
- comp.x = (comp.x || 0) + (comp.width || template.width) - width;
- if (direction[1] === -1)
- comp.y =
- (comp.y || 0) + (comp.height || template.height) - height;
- comp.width = width;
- comp.height = height;
- });
- if (delta[0]) {
- target.style.width = `${width}px`;
- }
- if (delta[1]) {
- target.style.height = `${height}px`;
- }
- }}
- onRotate={(e) =>
- setComp((comp) => {
- comp.rotation = e.absoluteRotation;
- })
- }
- />
- )}
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Player/PlayerDiv.tsx b/websites/client/app/(no-layout)/edit/[id]/Player/PlayerDiv.tsx
deleted file mode 100644
index 1d7079ef..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Player/PlayerDiv.tsx
+++ /dev/null
@@ -1,45 +0,0 @@
-import { useEffect, useRef } from "react";
-import { useProject } from "../../../../../hooks/useProject";
-import { Header } from "./Header";
-import { Player } from "./Player";
-
-export const PlayerDiv = () => {
- const playerDivRef = useRef(null);
- const setScale = useProject((t) => t.playerSetScale);
- const template = useProject((t) => t.project.template);
- const setSelected = useProject((t) => t.setSelected);
- const getScale = () => {
- if (
- playerDivRef.current?.clientHeight &&
- playerDivRef.current?.clientWidth
- ) {
- const scaleX = playerDivRef.current.clientWidth / template.width;
- const scaleY = playerDivRef.current.clientHeight / template.height;
- setScale(Math.min(scaleX, scaleY));
- }
- };
- useEffect(() => {
- new ResizeObserver(() => {
- getScale();
- }).observe(playerDivRef.current as Element);
- return () => {
- new ResizeObserver(() => {
- getScale();
- }).disconnect();
- };
- }, []);
- return (
-
-
-
setSelected(undefined)}
- className="flex items-center justify-center h-full relative m-2 mt-0"
- >
-
-
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/RightBar.tsx b/websites/client/app/(no-layout)/edit/[id]/Right/RightBar.tsx
deleted file mode 100644
index 219b4ff7..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/RightBar.tsx
+++ /dev/null
@@ -1,53 +0,0 @@
-import Link from "next/link";
-import { IoIosHelp } from "react-icons/io";
-import { Bar, BarItem } from "../../../../../components/Bar";
-import { useComponent } from "../../../../../hooks/useComponent";
-import { useProject } from "../../../../../hooks/useProject";
-import { RightTabs } from "./Tabs";
-import { components } from "./Tabs/components";
-
-export const RightBar = () => {
- const comp = useComponent();
- const hue = comp ? components[comp?.comp].hue : 0;
- return (
-
-
-
- }
- >
-
- {comp && (
- <>
-
-
-
-
- >
- )}
-
-
- );
-};
-
-const Item = ({ hue, id }: { id: RightTabs; hue: number }) => {
- const setTab = useProject((s) => s.rightSetTab);
- const tab = useProject((s) => s.rightTab);
- const comp = useComponent();
- const tabId = id !== "component" ? id : comp!.comp;
- const value = tabId ? RightTabs[tabId] : undefined;
- if (!value) return null;
- return (
- setTab(id)}
- style={{
- background: tab === id ? `hsl(${hue}, 36%, 40%)` : "none",
- color: "#FFF",
- }}
- className={tab === id ? "" : "opacity-60"}
- text={value.name}
- Icon={value.Icon}
- />
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/RightPanel.tsx b/websites/client/app/(no-layout)/edit/[id]/Right/RightPanel.tsx
deleted file mode 100644
index 75eb25f9..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/RightPanel.tsx
+++ /dev/null
@@ -1,28 +0,0 @@
-import { PanelDiv } from "../../../../../components/PanelDiv";
-import { useProject } from "../../../../../hooks/useProject";
-import { Inputs, UserInput } from "../../../../../components/inputs/Inputs";
-import { RightTabs } from "./Tabs";
-import { useComponent } from "../../../../../hooks/useComponent";
-import { ComponentProps } from "@motionly/base";
-
-export const RightPanel = () => {
- const tab = useProject((t) => t.rightTab);
- const comp = useComponent();
- const tabId = tab !== "component" ? tab : comp?.comp;
- const tabData = tabId ? RightTabs[tabId] : undefined;
- return (
- s.rightWidth}
- setWidthSelector={(s) => s.rightSetWidth}
- >
- {comp && tabData && (
-
- {"inputs" in tabData && (
- []} />
- )}
- {"component" in tabData && }
-
- )}
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/animations/OneAnimation.tsx b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/animations/OneAnimation.tsx
deleted file mode 100644
index ffb64d0c..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/animations/OneAnimation.tsx
+++ /dev/null
@@ -1,234 +0,0 @@
-import { AnimationProps, animationProps, AnimationTypes } from "@motionly/base";
-import { useState } from "react";
-import { IoIosTrash } from "react-icons/io";
-import { VariableInput } from "../../../../../../../components/inputs";
-import { ShowHide } from "../../../../../../../components/ShowHide";
-import { useProject } from "../../../../../../../hooks/useProject";
-
-export const OneAnimation = ({ id }: { id: string }) => {
- const [show, setShow] = useState(false);
- const animation = useProject(
- (t) => t.project.template.components[t.selected].animations?.byIds[id]
- );
- if (!animation) return null;
-
- const setComp = useProject((t) => t.setComp);
- const remove = () => {
- setComp((c) => {
- c.animations!.allIds = c.animations!.allIds.filter((i) => i !== id);
- delete c.animations!.byIds[id];
- });
- };
- const setAnimation = (func: (a: AnimationProps) => void) => {
- setComp((c) => {
- func(c.animations!.byIds[id]);
- });
- };
- const units = animationProps[animation.prop]?.units;
- return (
-
-
-
-
-
- setAnimation((a) => {
- a.name = e.target.value;
- })
- }
- />
-
-
-
setShow((s) => true)}
- className={`text-sm duration-150 ${
- show ? "opacity-0" : "opacity-80"
- }`}
- >
- {animation.prop}
-
-
-
-
-
-
- {show && (
-
- )}
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/animations/index.tsx b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/animations/index.tsx
deleted file mode 100644
index 6774c2ee..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/animations/index.tsx
+++ /dev/null
@@ -1,81 +0,0 @@
-import { ComponentProps } from "@motionly/base";
-import { Tab } from "..";
-import { MdAnimation } from "react-icons/md";
-import { useProject } from "../../../../../../../hooks/useProject";
-import { getRandomId, lowRep } from "../../../../../../../helpers";
-import { allAnimations } from "../../../../../../../videos/animations";
-import { useComponent } from "../../../../../../../hooks/useComponent";
-import { OneAnimation } from "./OneAnimation";
-
-export const component = () => {
- const setComp = useProject((t) => t.setComp);
- const animations = useProject(
- (t) => t.project.template.components[t.selected].animations
- );
- const comp = useComponent();
- if (!comp) return <>>;
- return (
-
- {!!animations?.allIds.length && (
-
- {animations?.allIds.map((id) => (
-
- ))}
-
- )}
-
-
Add
-
- {allAnimations(comp).map((section, i) => (
-
-
{section.name}
-
- {section.animations.map((animation, i) => (
-
- setComp((c) => {
- if (!c.animations)
- c.animations = { allIds: [], byIds: {} };
- for (const anim of animation.animations) {
- const id = getRandomId();
- c.animations.byIds[id] = {
- ...anim,
- id,
- name: `${section.name} - ${animation.name}`,
- };
- c.animations.allIds.push(id);
- }
- })
- }
- >
-
-
- {animation.name}
-
-
- ))}
-
-
- ))}
-
-
-
- );
-};
-
-export const animations: Tab = {
- name: "Animations",
- Icon: MdAnimation,
- component,
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/audio.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/audio.ts
deleted file mode 100644
index 8896a6bb..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/audio.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-import { AudioProps } from "@motionly/base";
-import { Component } from ".";
-import { MdAudiotrack } from "react-icons/md";
-
-export const audio: Component = {
- name: "Audio",
- Icon: MdAudiotrack,
- hue: 50,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "VIDEO",
- },
- {
- prop: "volume",
- label: "Volume",
- type: "number",
- },
- {
- prop: "startFrom",
- label: "Start from",
- type: "number",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/audiogram.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/audiogram.ts
deleted file mode 100644
index 9e7ec649..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/audiogram.ts
+++ /dev/null
@@ -1,61 +0,0 @@
-import { AudiogramProps } from "@motionly/base";
-import { Component } from ".";
-import { BsSoundwave } from "react-icons/bs";
-
-export const audiogram: Component = {
- name: "Audiogram",
- Icon: BsSoundwave,
- hue: 100,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "VIDEO",
- },
- {
- prop: "position",
- label: "Position",
- type: "justify",
- },
- {
- label: "Bar width",
- prop: "barWidth",
- type: "number",
- },
- {
- prop: "gap",
- label: "Gap",
- type: "number",
- },
- {
- prop: "roundness",
- label: "Roundness",
- type: "number",
- },
- {
- label: "Bar color",
- prop: "color",
- type: "color",
- },
- {
- prop: "startFrom",
- label: "Start from",
- type: "number",
- },
- {
- prop: "multiplier",
- label: "Multiplier",
- type: "number",
- },
- {
- prop: "smoothing",
- label: "Smoothing",
- type: "checkbox",
- },
- {
- prop: "mirror",
- label: "Mirror",
- type: "checkbox",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/confetti.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/confetti.ts
deleted file mode 100644
index ac6f3f2c..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/confetti.ts
+++ /dev/null
@@ -1,51 +0,0 @@
-import { ConfettiProps } from "@motionly/base";
-import { Component } from ".";
-import { TbConfetti } from "react-icons/tb";
-
-export const confetti: Component = {
- name: "Confetti",
- Icon: TbConfetti,
- hue: 120,
- inputs: [
- {
- prop: "angle",
- label: "Angle",
- type: "number",
- },
- {
- prop: "count",
- label: "Particle count",
- type: "number",
- },
- {
- prop: "posX",
- label: "X position",
- type: "number",
- },
- {
- prop: "posY",
- label: "Y position",
- type: "number",
- },
- {
- prop: "scalar",
- label: "Scalar",
- type: "number",
- },
- {
- prop: "spread",
- label: "Spread (deg)",
- type: "number",
- },
- {
- prop: "startVelocity",
- label: "Start velocity",
- type: "number",
- },
- {
- prop: "ticks",
- label: "Ticks",
- type: "number",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/div.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/div.ts
deleted file mode 100644
index 38613a72..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/div.ts
+++ /dev/null
@@ -1,16 +0,0 @@
-import { DivProps } from "@motionly/base";
-import { Component } from ".";
-import { FaLayerGroup } from "react-icons/fa";
-
-export const div: Component = {
- name: "Div",
- Icon: FaLayerGroup,
- hue: 150,
- inputs: [
- {
- prop: "bg",
- label: "Background",
- type: "color",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/gif.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/gif.ts
deleted file mode 100644
index 8df28c7a..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/gif.ts
+++ /dev/null
@@ -1,21 +0,0 @@
-import { GifProps } from "@motionly/base";
-import { Component } from ".";
-import { MdGif } from "react-icons/md";
-
-export const gif: Component = {
- name: "GIF",
- Icon: MdGif,
- hue: 180,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "GIF",
- },
- {
- prop: "objectFit",
- label: "Object fit",
- type: "object-fit",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/graph.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/graph.ts
deleted file mode 100644
index b2b68c87..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/graph.ts
+++ /dev/null
@@ -1,49 +0,0 @@
-import { GraphProps } from "@motionly/base";
-import { Component } from ".";
-import { SlGraph } from "react-icons/sl";
-
-export const graph: Component = {
- name: "Graph",
- Icon: SlGraph,
- hue: 220,
- inputs: [
- {
- prop: "type",
- label: "Graph type",
- type: "graph-types",
- },
- {
- prop: "color",
- label: "Color",
- type: "color",
- },
- {
- prop: "max",
- label: "Max",
- type: "number",
- },
- {
- prop: "min",
- label: "Min",
- type: "number",
- },
- {
- prop: "gap",
- label: "Gap (px)",
- type: "number",
- if: (comp) => comp.type === "bar",
- },
- {
- prop: "roundness",
- label: "Roundness (px)",
- type: "number",
- if: (comp) => comp.type === "bar",
- },
- {
- prop: "strokeWidth",
- label: "Stroke width (px)",
- type: "number",
- if: (comp) => comp.type === "line",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/image.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/image.ts
deleted file mode 100644
index 6eba5a2f..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/image.ts
+++ /dev/null
@@ -1,21 +0,0 @@
-import { ImageProps } from "@motionly/base";
-import { Component } from ".";
-import { FaImage } from "react-icons/fa";
-
-export const image: Component = {
- name: "Image",
- Icon: FaImage,
- hue: 0,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "IMAGE",
- },
- {
- prop: "objectFit",
- label: "Object fit",
- type: "object-fit",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/index.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/index.ts
deleted file mode 100644
index 50322322..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/index.ts
+++ /dev/null
@@ -1,42 +0,0 @@
-import { Tab } from "..";
-import { audio } from "./audio";
-import { audiogram } from "./audiogram";
-import { confetti } from "./confetti";
-import { div } from "./div";
-import { gif } from "./gif";
-import { graph } from "./graph";
-import { image } from "./image";
-import { lottie } from "./lottie";
-import { map } from "./map";
-import { mockup } from "./mockup";
-import { path } from "./path";
-import { progressbar } from "./progressbar";
-import { qrcode } from "./qrcode";
-import { shape } from "./shape";
-import { text } from "./text";
-import { transcription } from "./transcription";
-import { video } from "./video";
-
-export type Component = Tab & {
- hue: number;
- };
-
-export const components = {
- audio,
- audiogram,
- confetti,
- div,
- gif,
- graph,
- image,
- lottie,
- map,
- mockup,
- path,
- progressbar,
- qrcode,
- shape,
- text,
- transcription,
- video,
-};
\ No newline at end of file
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/lottie.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/lottie.ts
deleted file mode 100644
index c26c8522..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/lottie.ts
+++ /dev/null
@@ -1,31 +0,0 @@
-import { LottieProps } from "@motionly/base";
-import { Component } from ".";
-import { MdOutlineMotionPhotosOn } from "react-icons/md";
-
-export const lottie: Component = {
- name: "Lottie",
- Icon: MdOutlineMotionPhotosOn,
- hue: 240,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "text",
- },
- {
- prop: "backwards",
- label: "Backwards",
- type: "checkbox",
- },
- {
- prop: "loop",
- label: "Loop",
- type: "checkbox",
- },
- {
- prop: "playbackRate",
- label: "Playback rate",
- type: "number",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/map.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/map.ts
deleted file mode 100644
index 0a69886e..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/map.ts
+++ /dev/null
@@ -1,63 +0,0 @@
-import { MapProps } from "@motionly/base";
-import { IoIosMap } from "react-icons/io";
-import { Component } from ".";
-
-export const map: Component = {
- name: "Map",
- Icon: IoIosMap,
- hue: 270,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "text",
- },
- {
- prop: "lat",
- label: "Latitude",
- type: "number",
- },
- {
- prop: "lng",
- label: "Longitude",
- type: "number",
- },
- {
- prop: "zoom",
- label: "Zoom",
- type: "number",
- },
- {
- prop: "stroke",
- label: "Stroke",
- type: "color",
- },
- {
- prop: "strokeWidth",
- label: "Stroke width (px)",
- type: "number",
- if: (comp) => !!comp.stroke,
- },
- {
- prop: "fill",
- label: "Fill",
- type: "color",
- },
- {
- prop: "bg",
- label: "Background",
- type: "color",
- },
- {
- prop: "markerColor",
- label: "Marker color",
- type: "color",
- },
- {
- prop: "markerSize",
- label: "Marker size (px)",
- type: "number",
- if: (comp) => !!comp.markerColor,
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/mockup.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/mockup.ts
deleted file mode 100644
index b01de292..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/mockup.ts
+++ /dev/null
@@ -1,21 +0,0 @@
-import { MockupProps } from "@motionly/base";
-import { IoIosPhonePortrait } from "react-icons/io";
-import { Component } from ".";
-
-export const mockup: Component = {
- name: "Mockup",
- Icon: IoIosPhonePortrait,
- hue: 300,
- inputs: [
- {
- prop: "type",
- label:"Mockup type",
- type: "mockup-types",
- },
- {
- prop: "bg",
- label:"Background",
- type: "color",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/path.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/path.ts
deleted file mode 100644
index 59ef78f7..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/path.ts
+++ /dev/null
@@ -1,57 +0,0 @@
-import { PathProps } from "@motionly/base";
-import { IoIosBrush } from "react-icons/io";
-import { Component } from ".";
-
-export const path: Component = {
- name: "Path",
- Icon: IoIosBrush,
- hue: 330,
- inputs: [
- {
- prop: "path",
- label: "Path",
- type: "text",
- },
- {
- prop: "stroke",
- label: "Stroke",
- type: "color",
- },
- {
- prop: "strokeWidth",
- label: "Stroke width (px)",
- type: "number",
- if: (comp) => !!comp.stroke,
- },
- {
- prop: "fill",
- label: "Fill",
- type: "color",
- },
- {
- prop: "viewBoxX",
- label: "Viewbox X",
- type: "number",
- },
- {
- prop: "viewBoxY",
- label: "Viewbox Y",
- type: "number",
- },
- {
- prop: "viewBoxWidth",
- label: "Viewbox width",
- type: "number",
- },
- {
- prop: "viewBoxHeight",
- label: "Viewbox height",
- type: "number",
- },
- {
- prop: "isRound",
- label: "Round",
- type: "checkbox",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/progressbar.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/progressbar.ts
deleted file mode 100644
index 974ce5c1..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/progressbar.ts
+++ /dev/null
@@ -1,38 +0,0 @@
-import { ProgressbarProps } from "@motionly/base";
-import { IoIosTimer } from "react-icons/io";
-import { Component } from ".";
-
-export const progressbar: Component = {
- name: "Progressbar",
- Icon: IoIosTimer,
- hue: 350,
- inputs: [
- {
- prop: "color",
- label: "Color",
- type: "color",
- },
- {
- prop: "bg",
- label: "Background",
- type: "color",
- },
- {
- prop: "type",
- label: "Progress type",
- type: "progressbar-types",
- },
- {
- prop: "barWidth",
- label: "Bar width",
- type: "number",
- if: (comp) => comp.type === "square" || comp.type === "circle",
- },
- {
- prop: "topRight",
- label: "Top right",
- type: "checkbox",
- if: (comp) => comp.type === "square",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/qrcode.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/qrcode.ts
deleted file mode 100644
index 730fd9b7..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/qrcode.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-import { QRCodeProps } from "@motionly/base";
-import { Component } from ".";
-import { IoQrCodeOutline } from "react-icons/io5";
-
-export const qrcode: Component = {
- name: "QR Code",
- Icon: IoQrCodeOutline,
- hue: 360,
- inputs: [
- {
- prop: "text",
- label: "Text",
- type: "text",
- },
- {
- prop: "color",
- label: "Color",
- type: "color",
- },
- {
- prop: "bg",
- label: "Background",
- type: "color",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/shape.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/shape.ts
deleted file mode 100644
index 8b453177..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/shape.ts
+++ /dev/null
@@ -1,56 +0,0 @@
-import { ShapeProps } from "@motionly/base";
-import { Component } from ".";
-import { IoShapesOutline } from "react-icons/io5";
-
-export const shape: Component = {
- name: "Shape",
- Icon: IoShapesOutline,
- hue: 40,
- inputs: [
- {
- prop: "type",
- label: "Shape type",
- type: "shape-types",
- },
- {
- prop: "fill",
- label: "Fill",
- type: "color",
- },
- {
- prop: "stroke",
- label: "Stroke",
- type: "color",
- },
- {
- prop: "strokeWidth",
- label: "Stroke width (px)",
- type: "number",
- if: (comp) => !!comp.stroke,
- },
- {
- prop: "direction",
- label: "Direction",
- type: "triangle-direction",
- if: (comp) => comp.type === "triangle",
- },
- {
- prop: "radius" as any,
- label: "Radius (px)",
- type: "number",
- if: (comp) => comp.type === "circle",
- },
- {
- prop: "cornerRadius",
- label: "Corner radius (px)",
- type: "number",
- if: (comp) => comp.type === "triangle" || comp.type === "rect",
- },
- {
- prop: "edgeRoundness",
- label: "Edge roundness (px)",
- type: "number",
- if: (comp) => comp.type === "triangle" || comp.type === "rect",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/text.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/text.ts
deleted file mode 100644
index 65462fff..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/text.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-import { TextProps } from "@motionly/base";
-import { Component } from ".";
-import { IoText } from "react-icons/io5";
-
-export const text: Component = {
- name: "Text",
- Icon: IoText,
- hue: 89,
- inputs: [
- {
- prop: "text",
- type: "textarea",
- label: "Text",
- },
- {
- prop: "justifyContent",
- label: "Justify Content",
- type: "justify",
- },
- {
- prop: "textStyle",
- label: "Text Styledivider",
- type: "style",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/transcription.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/transcription.ts
deleted file mode 100644
index 8c3aeb26..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/transcription.ts
+++ /dev/null
@@ -1,41 +0,0 @@
-import { TranscriptionProps } from "@motionly/base";
-import { Component } from ".";
-import { MdSubtitles } from "react-icons/md";
-
-export const transcription: Component = {
- name: "Transcription",
- Icon: MdSubtitles,
- hue: 99,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "TRANSCRIPTION",
- },
- {
- prop: "startFrom",
- label: "Start from",
- type: "number",
- },
- {
- prop: "scrollByPage",
- label: "Scroll by page",
- type: "checkbox",
- },
- {
- prop: "animationType",
- label: "Animation type",
- type: "transcription-types",
- },
- {
- prop: "textStyle",
- label: "Text styledivider",
- type: "style",
- },
- {
- prop: "animationStyle",
- label: "Animation styledivider",
- type: "style",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/video.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/video.ts
deleted file mode 100644
index a2b10f76..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/components/video.ts
+++ /dev/null
@@ -1,41 +0,0 @@
-import { VideoProps } from "@motionly/base";
-import { Component } from ".";
-import { MdVideoLibrary } from "react-icons/md";
-
-export const video: Component = {
- name: "Video",
- Icon: MdVideoLibrary,
- hue: 134,
- inputs: [
- {
- prop: "src",
- label: "Source",
- type: "VIDEO",
- },
- {
- prop: "objectFit",
- label: "Object fit",
- type: "object-fit",
- },
- {
- prop: "startFrom",
- label: "Start from (s)",
- type: "number",
- },
- {
- prop: "muted",
- label: "Muted",
- type: "checkbox",
- },
- {
- prop: "volume",
- label: "Volume",
- type: "number",
- },
- {
- prop: "offthread",
- label: "Offthread",
- type: "checkbox",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/filters.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/filters.ts
deleted file mode 100644
index 9d52aad8..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/filters.ts
+++ /dev/null
@@ -1,9 +0,0 @@
-import { ComponentProps } from "@motionly/base";
-import { Tab } from ".";
-import { IoIosColorFilter } from "react-icons/io";
-
-export const filters: Tab = {
- name: "Filters",
- Icon: IoIosColorFilter,
- inputs: [],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/general.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/general.ts
deleted file mode 100644
index 0657bb22..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/general.ts
+++ /dev/null
@@ -1,60 +0,0 @@
-import { ComponentProps } from "@motionly/base";
-import { IoIosSettings } from "react-icons/io";
-import { Tab } from ".";
-
-export const general: Tab = {
- name: "General",
- Icon: IoIosSettings,
- inputs: [
- {
- type: "number",
- prop: "x",
- label: "X (px)",
- },
- {
- type: "number",
- prop: "y",
- label: "Y (px)",
- },
- {
- type: "number",
- prop: "width",
- label: "Width (px)",
- },
- {
- type: "number",
- prop: "height",
- label: "Height (px)",
- },
- {
- type: "number",
- prop: "rotation",
- label: "Rotation (deg)",
- },
- {
- type: "number",
- prop: "borderRadius",
- label: "Border radius (px)",
- },
- {
- type: "number",
- prop: "from",
- label: "From (s)",
- },
- {
- type: "number",
- prop: "duration",
- label: "Duration (s)",
- },
- {
- type: "number",
- prop: "opacity",
- label: "Opacity",
- },
- {
- type: "number",
- prop: "loopDuration",
- label: "Loop duration (s)",
- },
- ],
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/index.ts b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/index.ts
deleted file mode 100644
index 812bcf54..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/index.ts
+++ /dev/null
@@ -1,29 +0,0 @@
-import { IconType } from "react-icons/lib";
-import { UserInput } from "../../../../../../components/inputs/Inputs";
-import { animations } from "./animations";
-import { components } from "./components";
-// import { filters } from "./filters";
-import { general } from "./general";
-import { transform } from "./transform";
-
-export type Tab = {
- name: string;
- Icon: IconType;
-} & (
- | {
- inputs: UserInput[];
- }
- | {
- component: () => JSX.Element;
- }
-);
-
-export const RightTabs = {
- general,
- transform,
- animations,
- // filters,
- ...components,
-};
-
-export type RightTabs = "general" | "transform" | "animations" | "component";
diff --git a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/transform.tsx b/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/transform.tsx
deleted file mode 100644
index f9696e69..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Right/Tabs/transform.tsx
+++ /dev/null
@@ -1,78 +0,0 @@
-import { ComponentProps, transformProps } from "@motionly/base";
-import { Tab } from ".";
-import { MdTransform } from "react-icons/md";
-import { useProject } from "../../../../../../hooks/useProject";
-import { useComponent } from "../../../../../../hooks/useComponent";
-import { VariableInput } from "../../../../../../components/inputs";
-import { useState } from "react";
-import { IoIosRemove } from "react-icons/io";
-
-const component = () => {
- const comp = useComponent();
- const setComp = useProject((t) => t.setComp);
- const [nextProp, setNextProp] = useState();
- return (
-
- {comp?.transforms?.map((t, i) => {
- const units = transformProps[t.prop].units;
- return (
-
-
- setComp((c) => {
- if (!c.transforms) c.transforms = [];
- c.transforms[i].value = value;
- })
- }
- />
- {
- setComp((c) => {
- if (!c.transforms) return;
- c.transforms.splice(i, 1);
- });
- }}
- />
-
- );
- })}
-
- setNextProp(e as any)}
- />
- {
- if (!nextProp) return;
- setComp((c) => {
- if (!c.transforms) c.transforms = [];
- c.transforms.push({
- prop: nextProp,
- value: 0,
- });
- });
- }}
- >
- Add
-
-
-
- );
-};
-
-export const transform: Tab = {
- name: "Transform",
- Icon: MdTransform,
- component,
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Timeline/Animation.tsx b/websites/client/app/(no-layout)/edit/[id]/Timeline/Animation.tsx
deleted file mode 100644
index 57f8e8a1..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Timeline/Animation.tsx
+++ /dev/null
@@ -1,27 +0,0 @@
-import { getFrom, getDuration, AnimationProps } from "@motionly/base";
-
-export const Animation = ({
- animation,
- parentDuration,
-}: {
- animation?: AnimationProps;
- parentDuration: number;
-}) => {
- if (!animation) return null;
- const from = getFrom(parentDuration, animation.start);
- const duration = getDuration(
- parentDuration,
- animation.start,
- animation.duration
- );
- return (
-
- );
-};
diff --git a/websites/client/app/(no-layout)/edit/[id]/Timeline/Timeline.tsx b/websites/client/app/(no-layout)/edit/[id]/Timeline/Timeline.tsx
deleted file mode 100644
index 024c1636..00000000
--- a/websites/client/app/(no-layout)/edit/[id]/Timeline/Timeline.tsx
+++ /dev/null
@@ -1,175 +0,0 @@
-import { IoIosAdd, IoIosCopy, IoIosRemove, IoIosTrash } from "react-icons/io";
-import { useProject } from "../../../../../hooks/useProject";
-import { TimelineComp } from "./TimelineComp";
-import {
- IoIosPlay,
- IoIosPause,
- IoIosSkipForward,
- IoIosSkipBackward,
- IoIosVolumeHigh,
- IoIosVolumeOff,
- IoMdExpand,
-} from "react-icons/io";
-import { IconType } from "react-icons/lib";
-
-export const Timeline = () => {
- const template = useProject((t) => t.project.template);
- const width = useProject((t) => t.timelineWidth);
-
- return (
-