Compare commits
19 Commits
72000b362d
...
master
| Author | SHA1 | Date | |
|---|---|---|---|
| b7c4938c54 | |||
| 256f112512 | |||
| 8196ac8e31 | |||
| f003377f0d | |||
| 1618588a30 | |||
| c9a370a424 | |||
| b45e7bf538 | |||
| 1e6618211a | |||
| 1a5efceebd | |||
| 0c16353e2e | |||
| 8d350d9eb5 | |||
| cc09786592 | |||
| cedf099910 | |||
| d1e1dd28b4 | |||
| 1c65c85d02 | |||
| 8e0f90f449 | |||
| 91fcaa9b9e | |||
| 0bbb327b29 | |||
| 276732d2a9 |
4
.gitignore
vendored
4
.gitignore
vendored
@@ -27,10 +27,8 @@ report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json
|
|||||||
.eslintcache
|
.eslintcache
|
||||||
.cache
|
.cache
|
||||||
*.tsbuildinfo
|
*.tsbuildinfo
|
||||||
*.lockb
|
*.lock
|
||||||
|
|
||||||
# IntelliJ based IDEs
|
|
||||||
.idea
|
|
||||||
|
|
||||||
# Finder (MacOS) folder config
|
# Finder (MacOS) folder config
|
||||||
.DS_Store
|
.DS_Store
|
||||||
|
|||||||
@@ -1,5 +1,6 @@
|
|||||||
{
|
{
|
||||||
"name": "podcast-tui-app",
|
"name": "podcast-tui-app",
|
||||||
|
"version": "0.1.0",
|
||||||
"module": "src/index.tsx",
|
"module": "src/index.tsx",
|
||||||
"type": "module",
|
"type": "module",
|
||||||
"private": true,
|
"private": true,
|
||||||
|
|||||||
129
src/App.tsx
129
src/App.tsx
@@ -1,7 +1,8 @@
|
|||||||
import { createSignal, createMemo, ErrorBoundary, Accessor } from "solid-js";
|
import { createMemo, ErrorBoundary, Accessor } from "solid-js";
|
||||||
import { useKeyboard, useSelectionHandler } from "@opentui/solid";
|
import { useKeyboard, useSelectionHandler } from "@opentui/solid";
|
||||||
import { TabNavigation } from "./components/TabNavigation";
|
import { TabNavigation } from "./components/TabNavigation";
|
||||||
import { CodeValidation } from "@/components/CodeValidation";
|
import { CodeValidation } from "@/components/CodeValidation";
|
||||||
|
import { LoadingIndicator } from "@/components/LoadingIndicator";
|
||||||
import { useAuthStore } from "@/stores/auth";
|
import { useAuthStore } from "@/stores/auth";
|
||||||
import { useFeedStore } from "@/stores/feed";
|
import { useFeedStore } from "@/stores/feed";
|
||||||
import { useAudio } from "@/hooks/useAudio";
|
import { useAudio } from "@/hooks/useAudio";
|
||||||
@@ -12,39 +13,45 @@ import { useToast } from "@/ui/toast";
|
|||||||
import { useRenderer } from "@opentui/solid";
|
import { useRenderer } from "@opentui/solid";
|
||||||
import type { AuthScreen } from "@/types/auth";
|
import type { AuthScreen } from "@/types/auth";
|
||||||
import type { Episode } from "@/types/episode";
|
import type { Episode } from "@/types/episode";
|
||||||
import { DIRECTION, LayerGraph, TABS } from "./utils/navigation";
|
import { DIRECTION, LayerGraph, TABS, LayerDepths } from "./utils/navigation";
|
||||||
import { useTheme } from "./context/ThemeContext";
|
import { useTheme, ThemeProvider } from "./context/ThemeContext";
|
||||||
|
import { KeybindProvider, useKeybinds } from "./context/KeybindContext";
|
||||||
|
import { NavigationProvider, useNavigation } from "./context/NavigationContext";
|
||||||
|
import { useAudioNavStore, AudioSource } from "./stores/audio-nav";
|
||||||
|
|
||||||
const DEBUG = import.meta.env.DEBUG;
|
const DEBUG = import.meta.env.DEBUG;
|
||||||
|
|
||||||
export interface PageProps {
|
|
||||||
depth: Accessor<number>;
|
|
||||||
}
|
|
||||||
|
|
||||||
export function App() {
|
export function App() {
|
||||||
const [activeTab, setActiveTab] = createSignal<TABS>(TABS.FEED);
|
const nav = useNavigation();
|
||||||
const [activeDepth, setActiveDepth] = createSignal(0); // not fixed matrix size
|
|
||||||
const [authScreen, setAuthScreen] = createSignal<AuthScreen>("login");
|
|
||||||
const [showAuthPanel, setShowAuthPanel] = createSignal(false);
|
|
||||||
const [inputFocused, setInputFocused] = createSignal(false);
|
|
||||||
const [layerDepth, setLayerDepth] = createSignal(0);
|
|
||||||
const auth = useAuthStore();
|
const auth = useAuthStore();
|
||||||
const feedStore = useFeedStore();
|
const feedStore = useFeedStore();
|
||||||
const audio = useAudio();
|
const audio = useAudio();
|
||||||
const toast = useToast();
|
const toast = useToast();
|
||||||
const renderer = useRenderer();
|
const renderer = useRenderer();
|
||||||
const { theme } = useTheme();
|
const themeContext = useTheme();
|
||||||
|
const theme = themeContext.theme;
|
||||||
|
|
||||||
|
// Create a reactive expression for background color
|
||||||
|
const backgroundColor = () => {
|
||||||
|
return themeContext.selected === "system"
|
||||||
|
? "transparent"
|
||||||
|
: themeContext.theme.surface;
|
||||||
|
};
|
||||||
|
const keybind = useKeybinds();
|
||||||
|
const audioNav = useAudioNavStore();
|
||||||
|
|
||||||
useMultimediaKeys({
|
useMultimediaKeys({
|
||||||
playerFocused: () => activeTab() === TABS.PLAYER && layerDepth() > 0,
|
playerFocused: () =>
|
||||||
inputFocused: () => inputFocused(),
|
nav.activeTab() === TABS.PLAYER && nav.activeDepth() > 0,
|
||||||
|
inputFocused: () => nav.inputFocused(),
|
||||||
hasEpisode: () => !!audio.currentEpisode(),
|
hasEpisode: () => !!audio.currentEpisode(),
|
||||||
});
|
});
|
||||||
|
|
||||||
const handlePlayEpisode = (episode: Episode) => {
|
const handlePlayEpisode = (episode: Episode) => {
|
||||||
audio.play(episode);
|
audio.play(episode);
|
||||||
setActiveTab(TABS.PLAYER);
|
nav.setActiveTab(TABS.PLAYER);
|
||||||
setLayerDepth(1);
|
nav.setActiveDepth(1);
|
||||||
|
audioNav.setSource(AudioSource.FEED);
|
||||||
};
|
};
|
||||||
|
|
||||||
useSelectionHandler((selection: any) => {
|
useSelectionHandler((selection: any) => {
|
||||||
@@ -64,11 +71,66 @@ export function App() {
|
|||||||
|
|
||||||
useKeyboard(
|
useKeyboard(
|
||||||
(keyEvent) => {
|
(keyEvent) => {
|
||||||
//handle intra layer navigation
|
const isCycle = keybind.match("cycle", keyEvent);
|
||||||
if (keyEvent.name == "up" || keyEvent.name) {
|
const isUp = keybind.match("up", keyEvent);
|
||||||
|
const isDown = keybind.match("down", keyEvent);
|
||||||
|
const isLeft = keybind.match("left", keyEvent);
|
||||||
|
const isRight = keybind.match("right", keyEvent);
|
||||||
|
const isDive = keybind.match("dive", keyEvent);
|
||||||
|
const isOut = keybind.match("out", keyEvent);
|
||||||
|
const isToggle = keybind.match("audio-toggle", keyEvent);
|
||||||
|
const isNext = keybind.match("audio-next", keyEvent);
|
||||||
|
const isPrev = keybind.match("audio-prev", keyEvent);
|
||||||
|
const isSeekForward = keybind.match("audio-seek-forward", keyEvent);
|
||||||
|
const isSeekBackward = keybind.match("audio-seek-backward", keyEvent);
|
||||||
|
const isQuit = keybind.match("quit", keyEvent);
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
// unified navigation: left->right, top->bottom across all tabs
|
||||||
|
if (nav.activeDepth() == 0) {
|
||||||
|
// at top level: cycle through tabs
|
||||||
|
if (
|
||||||
|
(isCycle && !isInverting) ||
|
||||||
|
(isDown && !isInverting) ||
|
||||||
|
(isUp && isInverting)
|
||||||
|
) {
|
||||||
|
nav.nextTab();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
(isCycle && isInverting) ||
|
||||||
|
(isDown && isInverting) ||
|
||||||
|
(isUp && !isInverting)
|
||||||
|
) {
|
||||||
|
nav.prevTab();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
// dive out to first pane
|
||||||
|
if (
|
||||||
|
(isDive && !isInverting) ||
|
||||||
|
(isOut && isInverting) ||
|
||||||
|
(isRight && !isInverting) ||
|
||||||
|
(isLeft && isInverting)
|
||||||
|
) {
|
||||||
|
nav.setActiveDepth(1);
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
// in panes: navigate between them
|
||||||
|
if (
|
||||||
|
(isDive && isInverting) ||
|
||||||
|
(isOut && !isInverting) ||
|
||||||
|
(isRight && isInverting) ||
|
||||||
|
(isLeft && !isInverting)
|
||||||
|
) {
|
||||||
|
nav.setActiveDepth(0);
|
||||||
|
} else if (isDown && !isInverting) {
|
||||||
|
nav.nextPane();
|
||||||
|
} else if (isUp && isInverting) {
|
||||||
|
nav.prevPane();
|
||||||
|
}
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
{ release: false }, // Not strictly necessary
|
{ release: false },
|
||||||
);
|
);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
@@ -83,6 +145,17 @@ export function App() {
|
|||||||
</box>
|
</box>
|
||||||
)}
|
)}
|
||||||
>
|
>
|
||||||
|
<box
|
||||||
|
flexDirection="column"
|
||||||
|
width="100%"
|
||||||
|
height="100%"
|
||||||
|
backgroundColor={
|
||||||
|
themeContext.selected === "system"
|
||||||
|
? "transparent"
|
||||||
|
: themeContext.theme.surface
|
||||||
|
}
|
||||||
|
>
|
||||||
|
<LoadingIndicator />
|
||||||
{DEBUG && (
|
{DEBUG && (
|
||||||
<box flexDirection="row" width="100%" height={1}>
|
<box flexDirection="row" width="100%" height={1}>
|
||||||
<text fg={theme.primary}>█</text>
|
<text fg={theme.primary}>█</text>
|
||||||
@@ -111,16 +184,10 @@ export function App() {
|
|||||||
<text fg={theme.syntaxFunction}>█</text>
|
<text fg={theme.syntaxFunction}>█</text>
|
||||||
</box>
|
</box>
|
||||||
)}
|
)}
|
||||||
<box flexDirection="row" width="100%" height={1} />
|
<box flexDirection="row" width="100%" height="100%">
|
||||||
<box
|
<TabNavigation />
|
||||||
flexDirection="row"
|
{LayerGraph[nav.activeTab()]()}
|
||||||
width="100%"
|
</box>
|
||||||
height="100%"
|
|
||||||
backgroundColor={theme.surface}
|
|
||||||
>
|
|
||||||
<TabNavigation activeTab={activeTab()} onTabSelect={setActiveTab} />
|
|
||||||
{LayerGraph[activeTab()]({ depth: activeDepth })}
|
|
||||||
{/**TODO: Contextual controls based on tab/depth**/}
|
|
||||||
</box>
|
</box>
|
||||||
</ErrorBoundary>
|
</ErrorBoundary>
|
||||||
);
|
);
|
||||||
|
|||||||
24
src/components/LoadingIndicator.tsx
Normal file
24
src/components/LoadingIndicator.tsx
Normal file
@@ -0,0 +1,24 @@
|
|||||||
|
import { createSignal, createMemo, onCleanup } from "solid-js";
|
||||||
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
|
|
||||||
|
const spinnerChars = ["⠋", "⠙", "⠹", "⠸", "⠼", "⠴", "⠦", "⠧", "⠇", "⠏"];
|
||||||
|
|
||||||
|
//TODO: Watch for actual loading state (fetching feeds)
|
||||||
|
export function LoadingIndicator() {
|
||||||
|
const { theme } = useTheme();
|
||||||
|
const [index, setIndex] = createSignal(0);
|
||||||
|
|
||||||
|
const interval = setInterval(() => {
|
||||||
|
setIndex((i) => (i + 1) % spinnerChars.length);
|
||||||
|
}, 65);
|
||||||
|
|
||||||
|
onCleanup(() => clearInterval(interval));
|
||||||
|
|
||||||
|
const currentChar = createMemo(() => spinnerChars[index()]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<box flexDirection="row" justifyContent="flex-end" alignItems="flex-start">
|
||||||
|
<text fg={theme.primary} content={currentChar()} />
|
||||||
|
</box>
|
||||||
|
);
|
||||||
|
}
|
||||||
@@ -1,39 +1,81 @@
|
|||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
import type { JSXElement } from "solid-js";
|
import { children as solidChildren } from "solid-js";
|
||||||
|
import type { ParentComponent } from "solid-js";
|
||||||
import type { BoxOptions, TextOptions } from "@opentui/core";
|
import type { BoxOptions, TextOptions } from "@opentui/core";
|
||||||
|
|
||||||
export function SelectableBox({
|
export const SelectableBox: ParentComponent<
|
||||||
selected,
|
{
|
||||||
children,
|
selected: () => boolean;
|
||||||
...props
|
} & BoxOptions
|
||||||
}: { selected: () => boolean; children: JSXElement } & BoxOptions) {
|
> = (props) => {
|
||||||
const { theme } = useTheme();
|
const themeContext = useTheme();
|
||||||
|
const { theme } = themeContext;
|
||||||
|
|
||||||
|
const child = solidChildren(() => props.children);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<box
|
<box
|
||||||
border={!!props.border}
|
border={!!props.border}
|
||||||
borderColor={selected() ? theme.surface : theme.border}
|
borderColor={props.selected() ? theme.surface : theme.border}
|
||||||
backgroundColor={selected() ? theme.primary : theme.surface}
|
backgroundColor={
|
||||||
|
props.selected()
|
||||||
|
? theme.primary
|
||||||
|
: themeContext.selected === "system"
|
||||||
|
? "transparent"
|
||||||
|
: themeContext.theme.surface
|
||||||
|
}
|
||||||
{...props}
|
{...props}
|
||||||
>
|
>
|
||||||
{children}
|
{child()}
|
||||||
</box>
|
</box>
|
||||||
);
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
enum ColorSet {
|
||||||
|
PRIMARY,
|
||||||
|
SECONDARY,
|
||||||
|
TERTIARY,
|
||||||
|
DEFAULT,
|
||||||
|
}
|
||||||
|
function getTextColor(set: ColorSet, selected: () => boolean) {
|
||||||
|
const { theme } = useTheme();
|
||||||
|
switch (set) {
|
||||||
|
case ColorSet.PRIMARY:
|
||||||
|
return selected() ? theme.textSelectedPrimary : theme.textPrimary;
|
||||||
|
case ColorSet.SECONDARY:
|
||||||
|
return selected() ? theme.textSelectedSecondary : theme.textSecondary;
|
||||||
|
case ColorSet.TERTIARY:
|
||||||
|
return selected() ? theme.textSelectedTertiary : theme.textTertiary;
|
||||||
|
default:
|
||||||
|
return theme.textPrimary;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
export function SelectableText({
|
export const SelectableText: ParentComponent<
|
||||||
selected,
|
{
|
||||||
children,
|
|
||||||
...props
|
|
||||||
}: {
|
|
||||||
selected: () => boolean;
|
selected: () => boolean;
|
||||||
children: JSXElement;
|
primary?: boolean;
|
||||||
} & TextOptions) {
|
secondary?: boolean;
|
||||||
const { theme } = useTheme();
|
tertiary?: boolean;
|
||||||
|
} & TextOptions
|
||||||
|
> = (props) => {
|
||||||
|
const child = solidChildren(() => props.children);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<text fg={selected() ? theme.surface : theme.text} {...props}>
|
<text
|
||||||
{children}
|
fg={getTextColor(
|
||||||
|
props.primary
|
||||||
|
? ColorSet.PRIMARY
|
||||||
|
: props.secondary
|
||||||
|
? ColorSet.SECONDARY
|
||||||
|
: props.tertiary
|
||||||
|
? ColorSet.TERTIARY
|
||||||
|
: ColorSet.DEFAULT,
|
||||||
|
props.selected,
|
||||||
|
)}
|
||||||
|
{...props}
|
||||||
|
>
|
||||||
|
{child()}
|
||||||
</text>
|
</text>
|
||||||
);
|
);
|
||||||
}
|
};
|
||||||
|
|||||||
@@ -1,12 +1,8 @@
|
|||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
import { TABS } from "@/utils/navigation";
|
import { TABS, TabsCount } from "@/utils/navigation";
|
||||||
import { For } from "solid-js";
|
import { For } from "solid-js";
|
||||||
import { SelectableBox, SelectableText } from "@/components/Selectable";
|
import { SelectableBox, SelectableText } from "@/components/Selectable";
|
||||||
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
interface TabNavigationProps {
|
|
||||||
activeTab: TABS;
|
|
||||||
onTabSelect: (tab: TABS) => void;
|
|
||||||
}
|
|
||||||
|
|
||||||
export const tabs: TabDefinition[] = [
|
export const tabs: TabDefinition[] = [
|
||||||
{ id: TABS.FEED, label: "Feed" },
|
{ id: TABS.FEED, label: "Feed" },
|
||||||
@@ -17,26 +13,31 @@ export const tabs: TabDefinition[] = [
|
|||||||
{ id: TABS.SETTINGS, label: "Settings" },
|
{ id: TABS.SETTINGS, label: "Settings" },
|
||||||
];
|
];
|
||||||
|
|
||||||
export function TabNavigation(props: TabNavigationProps) {
|
export function TabNavigation() {
|
||||||
const { theme } = useTheme();
|
const { theme } = useTheme();
|
||||||
|
const { activeTab, setActiveTab, activeDepth } = useNavigation();
|
||||||
return (
|
return (
|
||||||
<box
|
<box
|
||||||
backgroundColor={theme.surface}
|
border
|
||||||
|
borderColor={activeDepth() !== 0 ? theme.border : theme.accent}
|
||||||
|
backgroundColor={"transparent"}
|
||||||
style={{
|
style={{
|
||||||
flexDirection: "column",
|
flexDirection: "column",
|
||||||
width: 10,
|
width: 12,
|
||||||
flexGrow: 1,
|
height: TabsCount * 3 + 2,
|
||||||
}}
|
}}
|
||||||
>
|
>
|
||||||
<For each={tabs}>
|
<For each={tabs}>
|
||||||
{(tab) => (
|
{(tab) => (
|
||||||
<SelectableBox
|
<SelectableBox
|
||||||
border
|
border
|
||||||
selected={() => tab.id == props.activeTab}
|
height={3}
|
||||||
onMouseDown={() => props.onTabSelect(tab.id)}
|
selected={() => tab.id == activeTab()}
|
||||||
|
onMouseDown={() => setActiveTab(tab.id)}
|
||||||
>
|
>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => tab.id == props.activeTab}
|
selected={() => tab.id == activeTab()}
|
||||||
|
primary
|
||||||
alignSelf="center"
|
alignSelf="center"
|
||||||
>
|
>
|
||||||
{tab.label}
|
{tab.label}
|
||||||
|
|||||||
@@ -6,12 +6,15 @@
|
|||||||
"cycle": ["tab"], // this will cycle no matter the depth/orientation
|
"cycle": ["tab"], // this will cycle no matter the depth/orientation
|
||||||
"dive": ["return"],
|
"dive": ["return"],
|
||||||
"out": ["esc"],
|
"out": ["esc"],
|
||||||
"inverse": ["shift"],
|
"inverseModifier": ["shift"],
|
||||||
"leader": ":", // will not trigger while focused on input
|
"leader": ":", // will not trigger while focused on input
|
||||||
"quit": ["<leader>q"],
|
"quit": ["<leader>q"],
|
||||||
|
"refresh": ["<leader>r"],
|
||||||
"audio-toggle": ["<leader>p"],
|
"audio-toggle": ["<leader>p"],
|
||||||
"audio-pause": [],
|
"audio-pause": [],
|
||||||
"audio-play": [],
|
"audio-play": [],
|
||||||
"audio-next": ["<leader>n"],
|
"audio-next": ["<leader>n"],
|
||||||
"audio-prev": ["<leader>l"],
|
"audio-prev": ["<leader>l"],
|
||||||
|
"audio-seek-forward": ["<leader>sf"],
|
||||||
|
"audio-seek-backward": ["<leader>sb"],
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -7,8 +7,6 @@ import {
|
|||||||
} from "../utils/keybinds-persistence";
|
} from "../utils/keybinds-persistence";
|
||||||
import { createStore } from "solid-js/store";
|
import { createStore } from "solid-js/store";
|
||||||
|
|
||||||
// ── Type Definitions ────────────────────────────────────────────────────────────
|
|
||||||
|
|
||||||
export type KeybindsResolved = {
|
export type KeybindsResolved = {
|
||||||
up: string[];
|
up: string[];
|
||||||
down: string[];
|
down: string[];
|
||||||
@@ -17,17 +15,37 @@ export type KeybindsResolved = {
|
|||||||
cycle: string[]; // this will cycle no matter the depth/orientation
|
cycle: string[]; // this will cycle no matter the depth/orientation
|
||||||
dive: string[];
|
dive: string[];
|
||||||
out: string[];
|
out: string[];
|
||||||
inverse: string[];
|
inverseModifier: string;
|
||||||
leader: string; // will not trigger while focused on input
|
leader: string; // will not trigger while focused on input
|
||||||
quit: string[];
|
quit: string[];
|
||||||
|
select: string[]; // for selecting/activating items
|
||||||
"audio-toggle": string[];
|
"audio-toggle": string[];
|
||||||
"audio-pause": [];
|
"audio-pause": string[];
|
||||||
"audio-play": string[];
|
"audio-play": string[];
|
||||||
"audio-next": string[];
|
"audio-next": string[];
|
||||||
"audio-prev": string[];
|
"audio-prev": string[];
|
||||||
|
"audio-seek-forward": string[];
|
||||||
|
"audio-seek-backward": string[];
|
||||||
};
|
};
|
||||||
|
|
||||||
// ── Context Implementation ────────────────────────────────────────────────────────────
|
export enum KeybindAction {
|
||||||
|
UP,
|
||||||
|
DOWN,
|
||||||
|
LEFT,
|
||||||
|
RIGHT,
|
||||||
|
CYCLE,
|
||||||
|
DIVE,
|
||||||
|
OUT,
|
||||||
|
QUIT,
|
||||||
|
SELECT,
|
||||||
|
AUDIO_TOGGLE,
|
||||||
|
AUDIO_PAUSE,
|
||||||
|
AUDIO_PLAY,
|
||||||
|
AUDIO_NEXT,
|
||||||
|
AUDIO_PREV,
|
||||||
|
AUDIO_SEEK_F,
|
||||||
|
AUDIO_SEEK_B,
|
||||||
|
}
|
||||||
|
|
||||||
export const { use: useKeybinds, provider: KeybindProvider } =
|
export const { use: useKeybinds, provider: KeybindProvider } =
|
||||||
createSimpleContext({
|
createSimpleContext({
|
||||||
@@ -41,15 +59,19 @@ export const { use: useKeybinds, provider: KeybindProvider } =
|
|||||||
cycle: [],
|
cycle: [],
|
||||||
dive: [],
|
dive: [],
|
||||||
out: [],
|
out: [],
|
||||||
inverse: [],
|
inverseModifier: "",
|
||||||
leader: "",
|
leader: "",
|
||||||
quit: [],
|
quit: [],
|
||||||
|
select: [],
|
||||||
|
refresh: [],
|
||||||
"audio-toggle": [],
|
"audio-toggle": [],
|
||||||
"audio-pause": [],
|
"audio-pause": [],
|
||||||
"audio-play": [],
|
"audio-play": [],
|
||||||
"audio-next": [],
|
"audio-next": [],
|
||||||
"audio-prev": [],
|
"audio-prev": [],
|
||||||
});
|
"audio-seek-forward": [],
|
||||||
|
"audio-seek-backward": [],
|
||||||
|
} as KeybindsResolved);
|
||||||
const [ready, setReady] = createSignal(false);
|
const [ready, setReady] = createSignal(false);
|
||||||
|
|
||||||
async function load() {
|
async function load() {
|
||||||
@@ -77,13 +99,22 @@ export const { use: useKeybinds, provider: KeybindProvider } =
|
|||||||
|
|
||||||
for (const key of keys) {
|
for (const key of keys) {
|
||||||
if (evt.name === key) return true;
|
if (evt.name === key) return true;
|
||||||
if (evt.shift && key.toLowerCase() !== key) return false;
|
|
||||||
if (evt.ctrl && !key.toLowerCase().includes("ctrl")) return false;
|
|
||||||
if (evt.meta && !key.toLowerCase().includes("meta")) return false;
|
|
||||||
}
|
}
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
function isInverting(evt: {
|
||||||
|
name: string;
|
||||||
|
ctrl?: boolean;
|
||||||
|
meta?: boolean;
|
||||||
|
shift?: boolean;
|
||||||
|
}) {
|
||||||
|
if (store.inverseModifier === "ctrl" && evt.ctrl) return true;
|
||||||
|
if (store.inverseModifier === "meta" && evt.meta) return true;
|
||||||
|
if (store.inverseModifier === "shift" && evt.shift) return true;
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
// Load on mount
|
// Load on mount
|
||||||
onMount(() => {
|
onMount(() => {
|
||||||
load().catch(() => {});
|
load().catch(() => {});
|
||||||
@@ -99,6 +130,7 @@ export const { use: useKeybinds, provider: KeybindProvider } =
|
|||||||
save,
|
save,
|
||||||
print,
|
print,
|
||||||
match,
|
match,
|
||||||
|
isInverting,
|
||||||
};
|
};
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|||||||
73
src/context/NavigationContext.tsx
Normal file
73
src/context/NavigationContext.tsx
Normal file
@@ -0,0 +1,73 @@
|
|||||||
|
import { createEffect, createSignal, on } from "solid-js";
|
||||||
|
import { createSimpleContext } from "./helper";
|
||||||
|
import { TABS, TabsCount, LayerDepths } from "@/utils/navigation";
|
||||||
|
|
||||||
|
// Page-specific pane counts
|
||||||
|
const PANE_COUNTS = {
|
||||||
|
[TABS.FEED]: 1,
|
||||||
|
[TABS.MYSHOWS]: 2,
|
||||||
|
[TABS.DISCOVER]: 2,
|
||||||
|
[TABS.SEARCH]: 3,
|
||||||
|
[TABS.PLAYER]: 1,
|
||||||
|
[TABS.SETTINGS]: 5,
|
||||||
|
};
|
||||||
|
|
||||||
|
export const { use: useNavigation, provider: NavigationProvider } =
|
||||||
|
createSimpleContext({
|
||||||
|
name: "Navigation",
|
||||||
|
init: () => {
|
||||||
|
const [activeTab, setActiveTab] = createSignal<TABS>(TABS.FEED);
|
||||||
|
const [activeDepth, setActiveDepth] = createSignal(0);
|
||||||
|
const [inputFocused, setInputFocused] = createSignal(false);
|
||||||
|
|
||||||
|
createEffect(
|
||||||
|
on(
|
||||||
|
() => activeTab,
|
||||||
|
() => setActiveDepth(0),
|
||||||
|
),
|
||||||
|
);
|
||||||
|
|
||||||
|
const nextTab = () => {
|
||||||
|
if (activeTab() >= TabsCount) {
|
||||||
|
setActiveTab(1);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
setActiveTab(activeTab() + 1);
|
||||||
|
};
|
||||||
|
|
||||||
|
const prevTab = () => {
|
||||||
|
if (activeTab() <= 1) {
|
||||||
|
setActiveTab(TabsCount);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
setActiveTab(activeTab() - 1);
|
||||||
|
};
|
||||||
|
|
||||||
|
const nextPane = () => {
|
||||||
|
// Move to next pane within the current tab's pane structure
|
||||||
|
const count = PANE_COUNTS[activeTab()];
|
||||||
|
if (count <= 1) return; // No panes to navigate (feed/player)
|
||||||
|
setActiveDepth((prev) => (prev % count) + 1);
|
||||||
|
};
|
||||||
|
|
||||||
|
const prevPane = () => {
|
||||||
|
// Move to previous pane within the current tab's pane structure
|
||||||
|
const count = PANE_COUNTS[activeTab()];
|
||||||
|
if (count <= 1) return; // No panes to navigate (feed/player)
|
||||||
|
setActiveDepth((prev) => (prev - 2 + count) % count + 1);
|
||||||
|
};
|
||||||
|
|
||||||
|
return {
|
||||||
|
activeTab,
|
||||||
|
activeDepth,
|
||||||
|
inputFocused,
|
||||||
|
setActiveTab,
|
||||||
|
setActiveDepth,
|
||||||
|
setInputFocused,
|
||||||
|
nextTab,
|
||||||
|
prevTab,
|
||||||
|
nextPane,
|
||||||
|
prevPane,
|
||||||
|
};
|
||||||
|
},
|
||||||
|
});
|
||||||
@@ -22,7 +22,7 @@ import {
|
|||||||
type TerminalColors,
|
type TerminalColors,
|
||||||
} from "@opentui/core";
|
} from "@opentui/core";
|
||||||
|
|
||||||
type ThemeResolved = {
|
export type ThemeResolved = {
|
||||||
primary: RGBA;
|
primary: RGBA;
|
||||||
secondary: RGBA;
|
secondary: RGBA;
|
||||||
accent: RGBA;
|
accent: RGBA;
|
||||||
@@ -32,7 +32,13 @@ type ThemeResolved = {
|
|||||||
info: RGBA;
|
info: RGBA;
|
||||||
text: RGBA;
|
text: RGBA;
|
||||||
textMuted: RGBA;
|
textMuted: RGBA;
|
||||||
selectedListItemText: RGBA;
|
textPrimary: RGBA;
|
||||||
|
textSecondary: RGBA;
|
||||||
|
textTertiary: RGBA;
|
||||||
|
textSelectedPrimary: RGBA;
|
||||||
|
textSelectedSecondary: RGBA;
|
||||||
|
textSelectedTertiary: RGBA;
|
||||||
|
|
||||||
background: RGBA;
|
background: RGBA;
|
||||||
backgroundPanel: RGBA;
|
backgroundPanel: RGBA;
|
||||||
backgroundElement: RGBA;
|
backgroundElement: RGBA;
|
||||||
@@ -77,6 +83,7 @@ type ThemeResolved = {
|
|||||||
syntaxPunctuation: RGBA;
|
syntaxPunctuation: RGBA;
|
||||||
muted?: RGBA;
|
muted?: RGBA;
|
||||||
surface?: RGBA;
|
surface?: RGBA;
|
||||||
|
selectedListItemText?: RGBA;
|
||||||
layerBackgrounds?: {
|
layerBackgrounds?: {
|
||||||
layer0: RGBA;
|
layer0: RGBA;
|
||||||
layer1: RGBA;
|
layer1: RGBA;
|
||||||
|
|||||||
@@ -25,6 +25,9 @@ import { useAppStore } from "../stores/app"
|
|||||||
import { useProgressStore } from "../stores/progress"
|
import { useProgressStore } from "../stores/progress"
|
||||||
import { useMediaRegistry } from "../utils/media-registry"
|
import { useMediaRegistry } from "../utils/media-registry"
|
||||||
import type { Episode } from "../types/episode"
|
import type { Episode } from "../types/episode"
|
||||||
|
import type { Feed } from "../types/feed"
|
||||||
|
import { useAudioNavStore, AudioSource } from "../stores/audio-nav"
|
||||||
|
import { useFeedStore } from "../stores/feed"
|
||||||
|
|
||||||
export interface AudioControls {
|
export interface AudioControls {
|
||||||
// Signals (reactive getters)
|
// Signals (reactive getters)
|
||||||
@@ -49,6 +52,8 @@ export interface AudioControls {
|
|||||||
setVolume: (volume: number) => Promise<void>
|
setVolume: (volume: number) => Promise<void>
|
||||||
setSpeed: (speed: number) => Promise<void>
|
setSpeed: (speed: number) => Promise<void>
|
||||||
switchBackend: (name: BackendName) => Promise<void>
|
switchBackend: (name: BackendName) => Promise<void>
|
||||||
|
prev: () => Promise<void>
|
||||||
|
next: () => Promise<void>
|
||||||
}
|
}
|
||||||
|
|
||||||
// Singleton state — shared across all components that call useAudio()
|
// Singleton state — shared across all components that call useAudio()
|
||||||
@@ -401,6 +406,76 @@ export function useAudio(): AudioControls {
|
|||||||
await doSetSpeed(next)
|
await doSetSpeed(next)
|
||||||
})
|
})
|
||||||
|
|
||||||
|
const audioNav = useAudioNavStore();
|
||||||
|
const feedStore = useFeedStore();
|
||||||
|
|
||||||
|
async function prev(): Promise<void> {
|
||||||
|
const current = currentEpisode();
|
||||||
|
if (!current) return;
|
||||||
|
|
||||||
|
const currentPos = position();
|
||||||
|
const currentDur = duration();
|
||||||
|
|
||||||
|
const NAV_START_THRESHOLD = 30;
|
||||||
|
|
||||||
|
if (currentPos > NAV_START_THRESHOLD && currentDur > 0) {
|
||||||
|
await seek(NAV_START_THRESHOLD);
|
||||||
|
} else {
|
||||||
|
const source = audioNav.getSource();
|
||||||
|
let episodes: Array<{ episode: Episode; feed: Feed }> = [];
|
||||||
|
|
||||||
|
if (source === AudioSource.FEED) {
|
||||||
|
episodes = feedStore.getAllEpisodesChronological();
|
||||||
|
} else if (source === AudioSource.MY_SHOWS) {
|
||||||
|
const podcastId = audioNav.getPodcastId();
|
||||||
|
if (!podcastId) return;
|
||||||
|
|
||||||
|
const feed = feedStore.getFilteredFeeds().find(f => f.podcast.id === podcastId);
|
||||||
|
if (!feed) return;
|
||||||
|
|
||||||
|
episodes = feed.episodes.map(ep => ({ episode: ep, feed }));
|
||||||
|
}
|
||||||
|
|
||||||
|
const currentIndex = audioNav.getCurrentIndex();
|
||||||
|
const newIndex = Math.max(0, currentIndex - 1);
|
||||||
|
|
||||||
|
if (newIndex < episodes.length && episodes[newIndex]) {
|
||||||
|
const { episode } = episodes[newIndex];
|
||||||
|
await play(episode);
|
||||||
|
audioNav.prev(newIndex);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function next(): Promise<void> {
|
||||||
|
const current = currentEpisode();
|
||||||
|
if (!current) return;
|
||||||
|
|
||||||
|
const source = audioNav.getSource();
|
||||||
|
let episodes: Array<{ episode: Episode; feed: Feed }> = [];
|
||||||
|
|
||||||
|
if (source === AudioSource.FEED) {
|
||||||
|
episodes = feedStore.getAllEpisodesChronological();
|
||||||
|
} else if (source === AudioSource.MY_SHOWS) {
|
||||||
|
const podcastId = audioNav.getPodcastId();
|
||||||
|
if (!podcastId) return;
|
||||||
|
|
||||||
|
const feed = feedStore.getFilteredFeeds().find(f => f.podcast.id === podcastId);
|
||||||
|
if (!feed) return;
|
||||||
|
|
||||||
|
episodes = feed.episodes.map(ep => ({ episode: ep, feed }));
|
||||||
|
}
|
||||||
|
|
||||||
|
const currentIndex = audioNav.getCurrentIndex();
|
||||||
|
const newIndex = Math.min(episodes.length - 1, currentIndex + 1);
|
||||||
|
|
||||||
|
if (newIndex >= 0 && episodes[newIndex]) {
|
||||||
|
const { episode } = episodes[newIndex];
|
||||||
|
await play(episode);
|
||||||
|
audioNav.next(newIndex);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
onCleanup(() => {
|
onCleanup(() => {
|
||||||
refCount--
|
refCount--
|
||||||
unsubPlay()
|
unsubPlay()
|
||||||
@@ -447,5 +522,7 @@ export function useAudio(): AudioControls {
|
|||||||
setVolume: doSetVolume,
|
setVolume: doSetVolume,
|
||||||
setSpeed: doSetSpeed,
|
setSpeed: doSetSpeed,
|
||||||
switchBackend,
|
switchBackend,
|
||||||
|
prev,
|
||||||
|
next,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
216
src/index.tsx
216
src/index.tsx
@@ -1,16 +1,198 @@
|
|||||||
// Hack: Force TERM to tmux-256color when running in tmux to enable
|
const VERSION = "0.1.0";
|
||||||
// correct palette detection in @opentui/core
|
|
||||||
//if (process.env.TMUX && !process.env.TERM?.includes("tmux")) {
|
|
||||||
//process.env.TERM = "tmux-256color"
|
|
||||||
//}
|
|
||||||
|
|
||||||
import { render, useRenderer } from "@opentui/solid";
|
interface CliArgs {
|
||||||
import { App } from "./App";
|
version: boolean;
|
||||||
import { ThemeProvider } from "./context/ThemeContext";
|
query: string | null;
|
||||||
import { ToastProvider, Toast } from "./ui/toast";
|
play: string | null;
|
||||||
import { KeybindProvider } from "./context/KeybindContext";
|
}
|
||||||
import { DialogProvider } from "./ui/dialog";
|
|
||||||
import { CommandProvider } from "./ui/command";
|
function parseArgs(): CliArgs {
|
||||||
|
const args = process.argv.slice(2);
|
||||||
|
const result: CliArgs = {
|
||||||
|
version: false,
|
||||||
|
query: null,
|
||||||
|
play: null,
|
||||||
|
};
|
||||||
|
|
||||||
|
for (let i = 0; i < args.length; i++) {
|
||||||
|
const arg = args[i];
|
||||||
|
if (arg === "--version" || arg === "-v") {
|
||||||
|
result.version = true;
|
||||||
|
} else if (arg === "--query" || arg === "-q") {
|
||||||
|
result.query = args[i + 1] || "";
|
||||||
|
i++;
|
||||||
|
} else if (arg === "--play" || arg === "-p") {
|
||||||
|
result.play = args[i + 1] || "";
|
||||||
|
i++;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
const cliArgs = parseArgs();
|
||||||
|
|
||||||
|
if (cliArgs.version) {
|
||||||
|
console.log(`PodTUI version ${VERSION}`);
|
||||||
|
process.exit(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cliArgs.query !== null || cliArgs.play !== null) {
|
||||||
|
import("./utils/feeds-persistence").then(async ({ loadFeedsFromFile }) => {
|
||||||
|
const feeds = await loadFeedsFromFile();
|
||||||
|
|
||||||
|
if (cliArgs.query !== null) {
|
||||||
|
const query = cliArgs.query;
|
||||||
|
const normalizedQuery = query.toLowerCase();
|
||||||
|
|
||||||
|
const matches = feeds.filter((feed) => {
|
||||||
|
const title = feed.podcast.title.toLowerCase();
|
||||||
|
return title.includes(normalizedQuery);
|
||||||
|
});
|
||||||
|
|
||||||
|
if (matches.length === 0) {
|
||||||
|
console.log(`No shows found matching: ${query}`);
|
||||||
|
if (feeds.length > 0) {
|
||||||
|
console.log("\nAvailable shows:");
|
||||||
|
feeds.slice(0, 5).forEach((feed) => {
|
||||||
|
console.log(` - ${feed.podcast.title}`);
|
||||||
|
});
|
||||||
|
if (feeds.length > 5) {
|
||||||
|
console.log(` ... and ${feeds.length - 5} more`);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
process.exit(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (matches.length === 1) {
|
||||||
|
const feed = matches[0];
|
||||||
|
console.log(`\n${feed.podcast.title}`);
|
||||||
|
if (feed.podcast.description) {
|
||||||
|
console.log(feed.podcast.description.substring(0, 200) + (feed.podcast.description.length > 200 ? "..." : ""));
|
||||||
|
}
|
||||||
|
console.log(`\nRecent episodes (${Math.min(5, feed.episodes.length)}):`);
|
||||||
|
feed.episodes.slice(0, 5).forEach((ep, idx) => {
|
||||||
|
const date = ep.pubDate instanceof Date ? ep.pubDate.toLocaleDateString() : String(ep.pubDate);
|
||||||
|
console.log(` ${idx + 1}. ${ep.title} (${date})`);
|
||||||
|
});
|
||||||
|
process.exit(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(`\nClosest matches for "${query}":`);
|
||||||
|
matches.slice(0, 5).forEach((feed, idx) => {
|
||||||
|
console.log(` ${idx + 1}. ${feed.podcast.title}`);
|
||||||
|
});
|
||||||
|
process.exit(0);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (cliArgs.play !== null) {
|
||||||
|
const playArg = cliArgs.play;
|
||||||
|
const normalizedArg = playArg.toLowerCase();
|
||||||
|
|
||||||
|
let feedResult: typeof feeds[0] | null = null;
|
||||||
|
let episodeResult: typeof feeds[0]["episodes"][0] | null = null;
|
||||||
|
|
||||||
|
if (normalizedArg === "latest") {
|
||||||
|
let latestFeed: typeof feeds[0] | null = null;
|
||||||
|
let latestEpisode: typeof feeds[0]["episodes"][0] | null = null;
|
||||||
|
let latestDate = 0;
|
||||||
|
|
||||||
|
for (const feed of feeds) {
|
||||||
|
if (feed.episodes.length > 0) {
|
||||||
|
const ep = feed.episodes[0];
|
||||||
|
const epDate = ep.pubDate instanceof Date ? ep.pubDate.getTime() : Number(ep.pubDate);
|
||||||
|
if (epDate > latestDate) {
|
||||||
|
latestDate = epDate;
|
||||||
|
latestFeed = feed;
|
||||||
|
latestEpisode = ep;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
feedResult = latestFeed;
|
||||||
|
episodeResult = latestEpisode;
|
||||||
|
} else {
|
||||||
|
const parts = normalizedArg.split("/");
|
||||||
|
const showQuery = parts[0];
|
||||||
|
const episodeQuery = parts[1];
|
||||||
|
|
||||||
|
const matchingFeeds = feeds.filter((feed) =>
|
||||||
|
feed.podcast.title.toLowerCase().includes(showQuery)
|
||||||
|
);
|
||||||
|
|
||||||
|
if (matchingFeeds.length === 0) {
|
||||||
|
console.log(`No show found matching: ${showQuery}`);
|
||||||
|
process.exit(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
const feed = matchingFeeds[0];
|
||||||
|
|
||||||
|
if (!episodeQuery) {
|
||||||
|
if (feed.episodes.length > 0) {
|
||||||
|
feedResult = feed;
|
||||||
|
episodeResult = feed.episodes[0];
|
||||||
|
} else {
|
||||||
|
console.log(`No episodes available for: ${feed.podcast.title}`);
|
||||||
|
process.exit(1);
|
||||||
|
}
|
||||||
|
} else if (episodeQuery === "latest") {
|
||||||
|
feedResult = feed;
|
||||||
|
episodeResult = feed.episodes[0];
|
||||||
|
} else {
|
||||||
|
const matchingEpisode = feed.episodes.find((ep) =>
|
||||||
|
ep.title.toLowerCase().includes(episodeQuery)
|
||||||
|
);
|
||||||
|
|
||||||
|
if (matchingEpisode) {
|
||||||
|
feedResult = feed;
|
||||||
|
episodeResult = matchingEpisode;
|
||||||
|
} else {
|
||||||
|
console.log(`Episode not found: ${episodeQuery}`);
|
||||||
|
console.log(`Available episodes for ${feed.podcast.title}:`);
|
||||||
|
feed.episodes.slice(0, 5).forEach((ep, idx) => {
|
||||||
|
console.log(` ${idx + 1}. ${ep.title}`);
|
||||||
|
});
|
||||||
|
process.exit(1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!feedResult || !episodeResult) {
|
||||||
|
console.log("Could not find episode to play");
|
||||||
|
process.exit(1);
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(`\nPlaying: ${episodeResult.title}`);
|
||||||
|
console.log(`Show: ${feedResult.podcast.title}`);
|
||||||
|
|
||||||
|
try {
|
||||||
|
const { createAudioBackend } = await import("./utils/audio-player");
|
||||||
|
const backend = createAudioBackend();
|
||||||
|
if (episodeResult.audioUrl) {
|
||||||
|
await backend.play(episodeResult.audioUrl);
|
||||||
|
console.log("Playback started (use the UI to control)");
|
||||||
|
} else {
|
||||||
|
console.log("No audio URL available for this episode");
|
||||||
|
process.exit(1);
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
console.error("Playback error:", err);
|
||||||
|
process.exit(1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}).catch((err) => {
|
||||||
|
console.error("Error:", err);
|
||||||
|
process.exit(1);
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
import("@opentui/solid").then(async ({ render, useRenderer }) => {
|
||||||
|
const { App } = await import("./App");
|
||||||
|
const { ThemeProvider } = await import("./context/ThemeContext");
|
||||||
|
const toast = await import("./ui/toast");
|
||||||
|
const { KeybindProvider } = await import("./context/KeybindContext");
|
||||||
|
const { NavigationProvider } = await import("./context/NavigationContext");
|
||||||
|
const { DialogProvider } = await import("./ui/dialog");
|
||||||
|
const { CommandProvider } = await import("./ui/command");
|
||||||
|
|
||||||
function RendererSetup(props: { children: unknown }) {
|
function RendererSetup(props: { children: unknown }) {
|
||||||
const renderer = useRenderer();
|
const renderer = useRenderer();
|
||||||
@@ -21,19 +203,23 @@ function RendererSetup(props: { children: unknown }) {
|
|||||||
render(
|
render(
|
||||||
() => (
|
() => (
|
||||||
<RendererSetup>
|
<RendererSetup>
|
||||||
<ToastProvider>
|
<toast.ToastProvider>
|
||||||
<ThemeProvider mode="dark">
|
<ThemeProvider mode="dark">
|
||||||
<KeybindProvider>
|
<KeybindProvider>
|
||||||
|
<NavigationProvider>
|
||||||
<DialogProvider>
|
<DialogProvider>
|
||||||
<CommandProvider>
|
<CommandProvider>
|
||||||
<App />
|
<App />
|
||||||
<Toast />
|
<toast.Toast />
|
||||||
</CommandProvider>
|
</CommandProvider>
|
||||||
</DialogProvider>
|
</DialogProvider>
|
||||||
|
</NavigationProvider>
|
||||||
</KeybindProvider>
|
</KeybindProvider>
|
||||||
</ThemeProvider>
|
</ThemeProvider>
|
||||||
</ToastProvider>
|
</toast.ToastProvider>
|
||||||
</RendererSetup>
|
</RendererSetup>
|
||||||
),
|
),
|
||||||
{ useThread: false },
|
{ useThread: false },
|
||||||
);
|
);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|||||||
@@ -2,13 +2,14 @@
|
|||||||
* DiscoverPage component - Main discover/browse interface for PodTUI
|
* DiscoverPage component - Main discover/browse interface for PodTUI
|
||||||
*/
|
*/
|
||||||
|
|
||||||
import { createSignal, For, Show } from "solid-js";
|
import { createSignal, For, Show, onMount } from "solid-js";
|
||||||
import { useKeyboard } from "@opentui/solid";
|
import { useKeyboard } from "@opentui/solid";
|
||||||
import { useDiscoverStore, DISCOVER_CATEGORIES } from "@/stores/discover";
|
import { useDiscoverStore, DISCOVER_CATEGORIES } from "@/stores/discover";
|
||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
import { PodcastCard } from "./PodcastCard";
|
import { PodcastCard } from "./PodcastCard";
|
||||||
import { PageProps } from "@/App";
|
|
||||||
import { SelectableBox, SelectableText } from "@/components/Selectable";
|
import { SelectableBox, SelectableText } from "@/components/Selectable";
|
||||||
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
|
import { KeybindProvider, useKeybinds } from "@/context/KeybindContext";
|
||||||
|
|
||||||
enum DiscoverPagePaneType {
|
enum DiscoverPagePaneType {
|
||||||
CATEGORIES = 1,
|
CATEGORIES = 1,
|
||||||
@@ -16,10 +17,49 @@ enum DiscoverPagePaneType {
|
|||||||
}
|
}
|
||||||
export const DiscoverPaneCount = 2;
|
export const DiscoverPaneCount = 2;
|
||||||
|
|
||||||
export function DiscoverPage(props: PageProps) {
|
export function DiscoverPage() {
|
||||||
const discoverStore = useDiscoverStore();
|
const discoverStore = useDiscoverStore();
|
||||||
const [showIndex, setShowIndex] = createSignal(0);
|
const [showIndex, setShowIndex] = createSignal(0);
|
||||||
const [categoryIndex, setCategoryIndex] = createSignal(0);
|
const [categoryIndex, setCategoryIndex] = createSignal(0);
|
||||||
|
const nav = useNavigation();
|
||||||
|
const keybind = useKeybinds();
|
||||||
|
|
||||||
|
onMount(() => {
|
||||||
|
useKeyboard(
|
||||||
|
(keyEvent: any) => {
|
||||||
|
const isDown = keybind.match("down", keyEvent);
|
||||||
|
const isUp = keybind.match("up", keyEvent);
|
||||||
|
const isCycle = keybind.match("cycle", keyEvent);
|
||||||
|
const isSelect = keybind.match("select", keyEvent);
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
if (isSelect) {
|
||||||
|
const filteredPodcasts = discoverStore.filteredPodcasts();
|
||||||
|
if (filteredPodcasts.length > 0 && showIndex() < filteredPodcasts.length) {
|
||||||
|
setShowIndex(showIndex() + 1);
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// don't handle pane navigation here - unified in App.tsx
|
||||||
|
if (nav.activeDepth() !== DiscoverPagePaneType.SHOWS) return;
|
||||||
|
|
||||||
|
const filteredPodcasts = discoverStore.filteredPodcasts();
|
||||||
|
if (filteredPodcasts.length === 0) return;
|
||||||
|
|
||||||
|
if (isDown && !isInverting()) {
|
||||||
|
setShowIndex((i) => (i + 1) % filteredPodcasts.length);
|
||||||
|
} else if (isUp && isInverting()) {
|
||||||
|
setShowIndex((i) => (i - 1 + filteredPodcasts.length) % filteredPodcasts.length);
|
||||||
|
} else if ((isCycle && !isInverting()) || (isDown && !isInverting())) {
|
||||||
|
setShowIndex((i) => (i + 1) % filteredPodcasts.length);
|
||||||
|
} else if ((isCycle && isInverting()) || (isUp && isInverting())) {
|
||||||
|
setShowIndex((i) => (i - 1 + filteredPodcasts.length) % filteredPodcasts.length);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ release: false },
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
const handleCategorySelect = (categoryId: string) => {
|
const handleCategorySelect = (categoryId: string) => {
|
||||||
discoverStore.setSelectedCategory(categoryId);
|
discoverStore.setSelectedCategory(categoryId);
|
||||||
@@ -42,13 +82,17 @@ export function DiscoverPage(props: PageProps) {
|
|||||||
<box
|
<box
|
||||||
border
|
border
|
||||||
padding={1}
|
padding={1}
|
||||||
borderColor={theme.border}
|
borderColor={
|
||||||
|
nav.activeDepth() != DiscoverPagePaneType.CATEGORIES
|
||||||
|
? theme.border
|
||||||
|
: theme.accent
|
||||||
|
}
|
||||||
flexDirection="column"
|
flexDirection="column"
|
||||||
gap={1}
|
gap={1}
|
||||||
>
|
>
|
||||||
<text
|
<text
|
||||||
fg={
|
fg={
|
||||||
props.depth() == DiscoverPagePaneType.CATEGORIES
|
nav.activeDepth() == DiscoverPagePaneType.CATEGORIES
|
||||||
? theme.accent
|
? theme.accent
|
||||||
: theme.text
|
: theme.text
|
||||||
}
|
}
|
||||||
@@ -66,10 +110,7 @@ export function DiscoverPage(props: PageProps) {
|
|||||||
selected={isSelected}
|
selected={isSelected}
|
||||||
onMouseDown={() => handleCategorySelect(category.id)}
|
onMouseDown={() => handleCategorySelect(category.id)}
|
||||||
>
|
>
|
||||||
<SelectableText
|
<SelectableText selected={isSelected} primary>
|
||||||
selected={isSelected}
|
|
||||||
fg={theme.primary}
|
|
||||||
>
|
|
||||||
{category.icon} {category.name}
|
{category.icon} {category.name}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
</SelectableBox>
|
</SelectableBox>
|
||||||
@@ -82,17 +123,22 @@ export function DiscoverPage(props: PageProps) {
|
|||||||
flexDirection="column"
|
flexDirection="column"
|
||||||
flexGrow={1}
|
flexGrow={1}
|
||||||
border
|
border
|
||||||
borderColor={theme.border}
|
borderColor={
|
||||||
|
nav.activeDepth() == DiscoverPagePaneType.SHOWS
|
||||||
|
? theme.accent
|
||||||
|
: theme.border
|
||||||
|
}
|
||||||
>
|
>
|
||||||
<box padding={1}>
|
<box padding={1}>
|
||||||
<text
|
<SelectableText
|
||||||
fg={props.depth() == DiscoverPagePaneType.SHOWS ? theme.primary : theme.textMuted}
|
selected={() => false}
|
||||||
|
primary={nav.activeDepth() == DiscoverPagePaneType.SHOWS}
|
||||||
>
|
>
|
||||||
Trending in{" "}
|
Trending in{" "}
|
||||||
{DISCOVER_CATEGORIES.find(
|
{DISCOVER_CATEGORIES.find(
|
||||||
(c) => c.id === discoverStore.selectedCategory(),
|
(c) => c.id === discoverStore.selectedCategory(),
|
||||||
)?.name ?? "All"}
|
)?.name ?? "All"}
|
||||||
</text>
|
</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
<box flexDirection="column" height="100%">
|
<box flexDirection="column" height="100%">
|
||||||
<Show
|
<Show
|
||||||
@@ -101,7 +147,9 @@ export function DiscoverPage(props: PageProps) {
|
|||||||
{discoverStore.filteredPodcasts().length !== 0 ? (
|
{discoverStore.filteredPodcasts().length !== 0 ? (
|
||||||
<text fg={theme.warning}>Loading trending shows...</text>
|
<text fg={theme.warning}>Loading trending shows...</text>
|
||||||
) : (
|
) : (
|
||||||
<text fg={theme.textMuted}>No podcasts found in this category.</text>
|
<text fg={theme.textMuted}>
|
||||||
|
No podcasts found in this category.
|
||||||
|
</text>
|
||||||
)}
|
)}
|
||||||
</box>
|
</box>
|
||||||
}
|
}
|
||||||
@@ -110,7 +158,9 @@ export function DiscoverPage(props: PageProps) {
|
|||||||
discoverStore.filteredPodcasts().length === 0
|
discoverStore.filteredPodcasts().length === 0
|
||||||
}
|
}
|
||||||
>
|
>
|
||||||
<scrollbox>
|
<scrollbox
|
||||||
|
focused={nav.activeDepth() == DiscoverPagePaneType.SHOWS}
|
||||||
|
>
|
||||||
<box flexDirection="column">
|
<box flexDirection="column">
|
||||||
<For each={discoverStore.filteredPodcasts()}>
|
<For each={discoverStore.filteredPodcasts()}>
|
||||||
{(podcast, index) => (
|
{(podcast, index) => (
|
||||||
@@ -118,7 +168,7 @@ export function DiscoverPage(props: PageProps) {
|
|||||||
podcast={podcast}
|
podcast={podcast}
|
||||||
selected={
|
selected={
|
||||||
index() === showIndex() &&
|
index() === showIndex() &&
|
||||||
props.depth() == DiscoverPagePaneType.SHOWS
|
nav.activeDepth() == DiscoverPagePaneType.SHOWS
|
||||||
}
|
}
|
||||||
onSelect={() => handleShowSelect(index())}
|
onSelect={() => handleShowSelect(index())}
|
||||||
onSubscribe={() => handleSubscribe(podcast)}
|
onSubscribe={() => handleSubscribe(podcast)}
|
||||||
|
|||||||
@@ -29,7 +29,7 @@ export function PodcastCard(props: PodcastCardProps) {
|
|||||||
onMouseDown={props.onSelect}
|
onMouseDown={props.onSelect}
|
||||||
>
|
>
|
||||||
<box flexDirection="row" gap={2} alignItems="center">
|
<box flexDirection="row" gap={2} alignItems="center">
|
||||||
<SelectableText selected={() => props.selected}>
|
<SelectableText selected={() => props.selected} primary>
|
||||||
<strong>{props.podcast.title}</strong>
|
<strong>{props.podcast.title}</strong>
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
|
|
||||||
@@ -42,7 +42,7 @@ export function PodcastCard(props: PodcastCardProps) {
|
|||||||
<Show when={props.podcast.author && !props.compact}>
|
<Show when={props.podcast.author && !props.compact}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.selected}
|
selected={() => props.selected}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
by {props.podcast.author}
|
by {props.podcast.author}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -52,7 +52,7 @@ export function PodcastCard(props: PodcastCardProps) {
|
|||||||
<Show when={props.podcast.description && !props.compact}>
|
<Show when={props.podcast.description && !props.compact}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.selected}
|
selected={() => props.selected}
|
||||||
fg={theme.text}
|
tertiary
|
||||||
>
|
>
|
||||||
{props.podcast.description!.length > 80
|
{props.podcast.description!.length > 80
|
||||||
? props.podcast.description!.slice(0, 80) + "..."
|
? props.podcast.description!.slice(0, 80) + "..."
|
||||||
|
|||||||
@@ -56,6 +56,11 @@ export function FeedDetail(props: FeedDetailProps) {
|
|||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (key.name === "v") {
|
||||||
|
props.feed.podcast.onToggleVisibility?.(props.feed.id);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
if (key.name === "up" || key.name === "k") {
|
if (key.name === "up" || key.name === "k") {
|
||||||
setSelectedIndex((i) => Math.max(0, i - 1));
|
setSelectedIndex((i) => Math.max(0, i - 1));
|
||||||
} else if (key.name === "down" || key.name === "j") {
|
} else if (key.name === "down" || key.name === "j") {
|
||||||
@@ -86,54 +91,60 @@ export function FeedDetail(props: FeedDetailProps) {
|
|||||||
{/* Header with back button */}
|
{/* Header with back button */}
|
||||||
<box flexDirection="row" justifyContent="space-between">
|
<box flexDirection="row" justifyContent="space-between">
|
||||||
<box border padding={0} onMouseDown={props.onBack} borderColor={theme.border}>
|
<box border padding={0} onMouseDown={props.onBack} borderColor={theme.border}>
|
||||||
<text fg={theme.primary}>[Esc] Back</text>
|
<SelectableText selected={() => false} primary>[Esc] Back</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
<box border padding={0} onMouseDown={() => setShowInfo((v) => !v)} borderColor={theme.border}>
|
<box border padding={0} onMouseDown={() => setShowInfo((v) => !v)} borderColor={theme.border}>
|
||||||
<text fg={theme.primary}>[i] {showInfo() ? "Hide" : "Show"} Info</text>
|
<SelectableText selected={() => false} primary>[i] {showInfo() ? "Hide" : "Show"} Info</SelectableText>
|
||||||
|
</box>
|
||||||
|
<box border padding={0} onMouseDown={() => props.feed.podcast.onToggleVisibility?.(props.feed.id)} borderColor={theme.border}>
|
||||||
|
<SelectableText selected={() => false} primary>[v] Toggle Visibility</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
{/* Podcast info section */}
|
{/* Podcast info section */}
|
||||||
<Show when={showInfo()}>
|
<Show when={showInfo()}>
|
||||||
<box border padding={1} flexDirection="column" gap={0} borderColor={theme.border}>
|
<box border padding={1} flexDirection="column" gap={0} borderColor={theme.border}>
|
||||||
<text fg={theme.text}>
|
<SelectableText selected={() => false} primary>
|
||||||
<strong>{props.feed.customName || props.feed.podcast.title}</strong>
|
<strong>{props.feed.customName || props.feed.podcast.title}</strong>
|
||||||
</text>
|
</SelectableText>
|
||||||
{props.feed.podcast.author && (
|
{props.feed.podcast.author && (
|
||||||
<box flexDirection="row" gap={1}>
|
<box flexDirection="row" gap={1}>
|
||||||
<text fg={theme.textMuted}>by</text>
|
<SelectableText selected={() => false} tertiary>by</SelectableText>
|
||||||
<text fg={theme.primary}>{props.feed.podcast.author}</text>
|
<SelectableText selected={() => false} primary>{props.feed.podcast.author}</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
)}
|
)}
|
||||||
<box height={1} />
|
<box height={1} />
|
||||||
<text fg={theme.textMuted}>
|
<SelectableText selected={() => false} tertiary>
|
||||||
{props.feed.podcast.description?.slice(0, 200)}
|
{props.feed.podcast.description?.slice(0, 200)}
|
||||||
{(props.feed.podcast.description?.length || 0) > 200 ? "..." : ""}
|
{(props.feed.podcast.description?.length || 0) > 200 ? "..." : ""}
|
||||||
</text>
|
</SelectableText>
|
||||||
<box height={1} />
|
<box height={1} />
|
||||||
<box flexDirection="row" gap={2}>
|
<box flexDirection="row" gap={2}>
|
||||||
<box flexDirection="row" gap={1}>
|
<box flexDirection="row" gap={1}>
|
||||||
<text fg={theme.textMuted}>Episodes:</text>
|
<SelectableText selected={() => false} tertiary>Episodes:</SelectableText>
|
||||||
<text fg={theme.text}>{props.feed.episodes.length}</text>
|
<SelectableText selected={() => false} tertiary>{props.feed.episodes.length}</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
<box flexDirection="row" gap={1}>
|
<box flexDirection="row" gap={1}>
|
||||||
<text fg={theme.textMuted}>Updated:</text>
|
<SelectableText selected={() => false} tertiary>Updated:</SelectableText>
|
||||||
<text fg={theme.text}>{formatDate(props.feed.lastUpdated)}</text>
|
<SelectableText selected={() => false} tertiary>{formatDate(props.feed.lastUpdated)}</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
<text fg={props.feed.visibility === "public" ? theme.success : theme.warning}>
|
<SelectableText selected={() => false} tertiary>
|
||||||
{props.feed.visibility === "public" ? "[Public]" : "[Private]"}
|
{props.feed.visibility === "public" ? "[Public]" : "[Private]"}
|
||||||
</text>
|
</SelectableText>
|
||||||
{props.feed.isPinned && <text fg={theme.warning}>[Pinned]</text>}
|
{props.feed.isPinned && <SelectableText selected={() => false} tertiary>[Pinned]</SelectableText>}
|
||||||
|
</box>
|
||||||
|
<box flexDirection="row" gap={1}>
|
||||||
|
<SelectableText selected={() => false} tertiary>[v] Toggle Visibility</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
</box>
|
</box>
|
||||||
</Show>
|
</Show>
|
||||||
|
|
||||||
{/* Episodes header */}
|
{/* Episodes header */}
|
||||||
<box flexDirection="row" justifyContent="space-between">
|
<box flexDirection="row" justifyContent="space-between">
|
||||||
<text fg={theme.text}>
|
<SelectableText selected={() => false} primary>
|
||||||
<strong>Episodes</strong>
|
<strong>Episodes</strong>
|
||||||
</text>
|
</SelectableText>
|
||||||
<text fg={theme.textMuted}>({episodes().length} total)</text>
|
<SelectableText selected={() => false} tertiary>({episodes().length} total)</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
{/* Episode list */}
|
{/* Episode list */}
|
||||||
@@ -154,20 +165,20 @@ export function FeedDetail(props: FeedDetailProps) {
|
|||||||
>
|
>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => index() === selectedIndex()}
|
selected={() => index() === selectedIndex()}
|
||||||
fg={theme.primary}
|
primary
|
||||||
>
|
>
|
||||||
{index() === selectedIndex() ? ">" : " "}
|
{index() === selectedIndex() ? ">" : " "}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => index() === selectedIndex()}
|
selected={() => index() === selectedIndex()}
|
||||||
fg={theme.text}
|
primary
|
||||||
>
|
>
|
||||||
{episode.episodeNumber ? `#${episode.episodeNumber} - ` : ""}
|
{episode.episodeNumber ? `#${episode.episodeNumber} - ` : ""}
|
||||||
{episode.title}
|
{episode.title}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<box flexDirection="row" gap={2} paddingLeft={2}>
|
<box flexDirection="row" gap={2} paddingLeft={2}>
|
||||||
<text fg={theme.textMuted}>{formatDate(episode.pubDate)}</text>
|
<SelectableText selected={() => index() === selectedIndex()} tertiary>{formatDate(episode.pubDate)}</SelectableText>
|
||||||
<text fg={theme.textMuted}>{formatDuration(episode.duration)}</text>
|
<SelectableText selected={() => index() === selectedIndex()} tertiary>{formatDuration(episode.duration)}</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
</SelectableBox>
|
</SelectableBox>
|
||||||
)}
|
)}
|
||||||
|
|||||||
@@ -14,7 +14,7 @@ interface FeedFilterProps {
|
|||||||
onFilterChange: (filter: FeedFilter) => void;
|
onFilterChange: (filter: FeedFilter) => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
type FilterField = "visibility" | "sort" | "pinned" | "search";
|
type FilterField = "visibility" | "sort" | "pinned" | "private" | "search";
|
||||||
|
|
||||||
export function FeedFilterComponent(props: FeedFilterProps) {
|
export function FeedFilterComponent(props: FeedFilterProps) {
|
||||||
const { theme } = useTheme();
|
const { theme } = useTheme();
|
||||||
@@ -23,7 +23,7 @@ export function FeedFilterComponent(props: FeedFilterProps) {
|
|||||||
props.filter.searchQuery || "",
|
props.filter.searchQuery || "",
|
||||||
);
|
);
|
||||||
|
|
||||||
const fields: FilterField[] = ["visibility", "sort", "pinned", "search"];
|
const fields: FilterField[] = ["visibility", "sort", "pinned", "private", "search"];
|
||||||
|
|
||||||
const handleKeyPress = (key: { name: string; shift?: boolean }) => {
|
const handleKeyPress = (key: { name: string; shift?: boolean }) => {
|
||||||
if (key.name === "tab") {
|
if (key.name === "tab") {
|
||||||
@@ -39,10 +39,14 @@ export function FeedFilterComponent(props: FeedFilterProps) {
|
|||||||
cycleSort();
|
cycleSort();
|
||||||
} else if (focusField() === "pinned") {
|
} else if (focusField() === "pinned") {
|
||||||
togglePinned();
|
togglePinned();
|
||||||
|
} else if (focusField() === "private") {
|
||||||
|
togglePrivate();
|
||||||
}
|
}
|
||||||
} else if (key.name === "space") {
|
} else if (key.name === "space") {
|
||||||
if (focusField() === "pinned") {
|
if (focusField() === "pinned") {
|
||||||
togglePinned();
|
togglePinned();
|
||||||
|
} else if (focusField() === "private") {
|
||||||
|
togglePrivate();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
@@ -77,6 +81,13 @@ export function FeedFilterComponent(props: FeedFilterProps) {
|
|||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
|
const togglePrivate = () => {
|
||||||
|
props.onFilterChange({
|
||||||
|
...props.filter,
|
||||||
|
showPrivate: !props.filter.showPrivate,
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
const handleSearchInput = (value: string) => {
|
const handleSearchInput = (value: string) => {
|
||||||
setSearchValue(value);
|
setSearchValue(value);
|
||||||
props.onFilterChange({ ...props.filter, searchQuery: value });
|
props.onFilterChange({ ...props.filter, searchQuery: value });
|
||||||
@@ -160,6 +171,22 @@ export function FeedFilterComponent(props: FeedFilterProps) {
|
|||||||
</text>
|
</text>
|
||||||
</box>
|
</box>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
|
{/* Private filter */}
|
||||||
|
<box
|
||||||
|
border
|
||||||
|
padding={0}
|
||||||
|
backgroundColor={focusField() === "private" ? theme.backgroundElement : undefined}
|
||||||
|
>
|
||||||
|
<box flexDirection="row" gap={1}>
|
||||||
|
<text fg={focusField() === "private" ? theme.primary : theme.textMuted}>
|
||||||
|
Private:
|
||||||
|
</text>
|
||||||
|
<text fg={props.filter.showPrivate ? theme.warning : theme.textMuted}>
|
||||||
|
{props.filter.showPrivate ? "Yes" : "No"}
|
||||||
|
</text>
|
||||||
|
</box>
|
||||||
|
</box>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
{/* Search box */}
|
{/* Search box */}
|
||||||
|
|||||||
@@ -54,26 +54,26 @@ export function FeedItem(props: FeedItemProps) {
|
|||||||
>
|
>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.primary}
|
primary
|
||||||
>
|
>
|
||||||
{props.isSelected ? ">" : " "}
|
{props.isSelected ? ">" : " "}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={visibilityColor()}
|
tertiary
|
||||||
>
|
>
|
||||||
{visibilityIcon()}
|
{visibilityIcon()}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.text}
|
primary
|
||||||
>
|
>
|
||||||
{props.feed.customName || props.feed.podcast.title}
|
{props.feed.customName || props.feed.podcast.title}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
{props.showEpisodeCount && (
|
{props.showEpisodeCount && (
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
({episodeCount()})
|
({episodeCount()})
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -95,25 +95,25 @@ export function FeedItem(props: FeedItemProps) {
|
|||||||
<box flexDirection="row" gap={1}>
|
<box flexDirection="row" gap={1}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.primary}
|
primary
|
||||||
>
|
>
|
||||||
{props.isSelected ? ">" : " "}
|
{props.isSelected ? ">" : " "}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={visibilityColor()}
|
tertiary
|
||||||
>
|
>
|
||||||
{visibilityIcon()}
|
{visibilityIcon()}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.warning}
|
secondary
|
||||||
>
|
>
|
||||||
{pinnedIndicator()}
|
{pinnedIndicator()}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.text}
|
primary
|
||||||
>
|
>
|
||||||
<strong>{props.feed.customName || props.feed.podcast.title}</strong>
|
<strong>{props.feed.customName || props.feed.podcast.title}</strong>
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -123,7 +123,7 @@ export function FeedItem(props: FeedItemProps) {
|
|||||||
{props.showEpisodeCount && (
|
{props.showEpisodeCount && (
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
{episodeCount()} episodes ({unplayedCount()} new)
|
{episodeCount()} episodes ({unplayedCount()} new)
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -131,7 +131,7 @@ export function FeedItem(props: FeedItemProps) {
|
|||||||
{props.showLastUpdated && (
|
{props.showLastUpdated && (
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
Updated: {formatDate(props.feed.lastUpdated)}
|
Updated: {formatDate(props.feed.lastUpdated)}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -143,7 +143,7 @@ export function FeedItem(props: FeedItemProps) {
|
|||||||
selected={() => props.isSelected}
|
selected={() => props.isSelected}
|
||||||
paddingLeft={4}
|
paddingLeft={4}
|
||||||
paddingTop={0}
|
paddingTop={0}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
{props.feed.podcast.description.slice(0, 60)}
|
{props.feed.podcast.description.slice(0, 60)}
|
||||||
{props.feed.podcast.description.length > 60 ? "..." : ""}
|
{props.feed.podcast.description.length > 60 ? "..." : ""}
|
||||||
|
|||||||
@@ -58,6 +58,13 @@ export function FeedList(props: FeedListProps) {
|
|||||||
if (feed) {
|
if (feed) {
|
||||||
feedStore.togglePinned(feed.id);
|
feedStore.togglePinned(feed.id);
|
||||||
}
|
}
|
||||||
|
} else if (key.name === "v") {
|
||||||
|
// Toggle visibility on selected feed
|
||||||
|
const feed = feeds[selectedIndex()];
|
||||||
|
if (feed) {
|
||||||
|
const newVisibility = feed.visibility === FeedVisibility.PUBLIC ? FeedVisibility.PRIVATE : FeedVisibility.PUBLIC;
|
||||||
|
feedStore.updateFeed(feed.id, { visibility: newVisibility });
|
||||||
|
}
|
||||||
} else if (key.name === "f") {
|
} else if (key.name === "f") {
|
||||||
// Cycle visibility filter
|
// Cycle visibility filter
|
||||||
cycleVisibilityFilter();
|
cycleVisibilityFilter();
|
||||||
|
|||||||
@@ -1,43 +1,98 @@
|
|||||||
/**
|
/**
|
||||||
* FeedPage - Shows latest episodes across all subscribed shows
|
* FeedPage - Shows latest episodes across all subscribed shows
|
||||||
* Reverse chronological order, like an inbox/timeline
|
* Reverse chronological order, grouped by date
|
||||||
*/
|
*/
|
||||||
|
|
||||||
import { createSignal, For, Show } from "solid-js";
|
import { createSignal, For, Show, onMount } from "solid-js";
|
||||||
import { useFeedStore } from "@/stores/feed";
|
import { useFeedStore } from "@/stores/feed";
|
||||||
import { format } from "date-fns";
|
import { format } from "date-fns";
|
||||||
import type { Episode } from "@/types/episode";
|
import type { Episode } from "@/types/episode";
|
||||||
import type { Feed } from "@/types/feed";
|
import type { Feed } from "@/types/feed";
|
||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
import { PageProps } from "@/App";
|
|
||||||
import { SelectableBox, SelectableText } from "@/components/Selectable";
|
import { SelectableBox, SelectableText } from "@/components/Selectable";
|
||||||
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
|
import { LoadingIndicator } from "@/components/LoadingIndicator";
|
||||||
|
import { TABS } from "@/utils/navigation";
|
||||||
|
import { useKeyboard } from "@opentui/solid";
|
||||||
|
import { KeybindProvider, useKeybinds } from "@/context/KeybindContext";
|
||||||
|
|
||||||
enum FeedPaneType {
|
enum FeedPaneType {
|
||||||
FEED = 1,
|
FEED = 1,
|
||||||
}
|
}
|
||||||
export const FeedPaneCount = 1;
|
export const FeedPaneCount = 1;
|
||||||
|
|
||||||
export function FeedPage(props: PageProps) {
|
const ITEMS_PER_BATCH = 50;
|
||||||
const feedStore = useFeedStore();
|
|
||||||
const [selectedIndex, setSelectedIndex] = createSignal(0);
|
|
||||||
const [isRefreshing, setIsRefreshing] = createSignal(false);
|
|
||||||
|
|
||||||
|
export function FeedPage() {
|
||||||
|
const feedStore = useFeedStore();
|
||||||
|
const nav = useNavigation();
|
||||||
|
const { theme } = useTheme();
|
||||||
|
const [selectedEpisodeID, setSelectedEpisodeID] = createSignal<
|
||||||
|
string | undefined
|
||||||
|
>();
|
||||||
const allEpisodes = () => feedStore.getAllEpisodesChronological();
|
const allEpisodes = () => feedStore.getAllEpisodesChronological();
|
||||||
|
const keybind = useKeybinds();
|
||||||
|
const [focusedIndex, setFocusedIndex] = createSignal(0);
|
||||||
|
|
||||||
|
onMount(() => {
|
||||||
|
useKeyboard(
|
||||||
|
(keyEvent: any) => {
|
||||||
|
const isDown = keybind.match("down", keyEvent);
|
||||||
|
const isUp = keybind.match("up", keyEvent);
|
||||||
|
const isCycle = keybind.match("cycle", keyEvent);
|
||||||
|
const isSelect = keybind.match("select", keyEvent);
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
if (isSelect) {
|
||||||
|
const episodes = allEpisodes();
|
||||||
|
if (episodes.length > 0 && episodes[focusedIndex()]) {
|
||||||
|
setSelectedEpisodeID(episodes[focusedIndex()].episode.id);
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// don't handle pane navigation here - unified in App.tsx
|
||||||
|
if (nav.activeDepth() !== FeedPaneType.FEED) return;
|
||||||
|
|
||||||
|
const episodes = allEpisodes();
|
||||||
|
if (episodes.length === 0) return;
|
||||||
|
|
||||||
|
if (isDown && !isInverting()) {
|
||||||
|
setFocusedIndex((i) => (i + 1) % episodes.length);
|
||||||
|
} else if (isUp && isInverting()) {
|
||||||
|
setFocusedIndex((i) => (i - 1 + episodes.length) % episodes.length);
|
||||||
|
} else if ((isCycle && !isInverting()) || (isDown && !isInverting())) {
|
||||||
|
setFocusedIndex((i) => (i + 1) % episodes.length);
|
||||||
|
} else if ((isCycle && isInverting()) || (isUp && isInverting())) {
|
||||||
|
setFocusedIndex((i) => (i - 1 + episodes.length) % episodes.length);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ release: false },
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
const formatDate = (date: Date): string => {
|
const formatDate = (date: Date): string => {
|
||||||
return format(date, "MMM d, yyyy");
|
return format(date, "MMM d, yyyy");
|
||||||
};
|
};
|
||||||
|
|
||||||
const episodesByDate = () => {
|
const groupEpisodesByDate = () => {
|
||||||
const groups: Record<string, { episode: Episode; feed: Feed }> = {};
|
const groups: Record<string, Array<{ episode: Episode; feed: Feed }>> = {};
|
||||||
const sortedEpisodes = allEpisodes();
|
|
||||||
|
|
||||||
for (const episode of sortedEpisodes) {
|
for (const item of allEpisodes()) {
|
||||||
const dateKey = formatDate(new Date(episode.episode.pubDate));
|
const dateKey = formatDate(new Date(item.episode.pubDate));
|
||||||
groups[dateKey] = episode;
|
if (!groups[dateKey]) {
|
||||||
|
groups[dateKey] = [];
|
||||||
|
}
|
||||||
|
groups[dateKey].push(item);
|
||||||
}
|
}
|
||||||
|
|
||||||
return groups;
|
return Object.entries(groups).sort(([a, _aItems], [b, _bItems]) => {
|
||||||
|
// Convert date strings back to Date objects for proper chronological sorting
|
||||||
|
const dateA = new Date(a);
|
||||||
|
const dateB = new Date(b);
|
||||||
|
// Sort in descending order (newest first)
|
||||||
|
return dateB.getTime() - dateA.getTime();
|
||||||
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
const formatDuration = (seconds: number): string => {
|
const formatDuration = (seconds: number): string => {
|
||||||
@@ -47,25 +102,17 @@ export function FeedPage(props: PageProps) {
|
|||||||
return `${mins}m`;
|
return `${mins}m`;
|
||||||
};
|
};
|
||||||
|
|
||||||
const handleRefresh = async () => {
|
|
||||||
setIsRefreshing(true);
|
|
||||||
await feedStore.refreshAllFeeds();
|
|
||||||
setIsRefreshing(false);
|
|
||||||
};
|
|
||||||
|
|
||||||
const { theme } = useTheme();
|
|
||||||
return (
|
return (
|
||||||
<box
|
<box
|
||||||
|
border
|
||||||
|
borderColor={
|
||||||
|
nav.activeDepth() !== FeedPaneType.FEED ? theme.border : theme.accent
|
||||||
|
}
|
||||||
backgroundColor={theme.background}
|
backgroundColor={theme.background}
|
||||||
flexDirection="column"
|
flexDirection="column"
|
||||||
height="100%"
|
height="100%"
|
||||||
width="100%"
|
width="100%"
|
||||||
>
|
>
|
||||||
{/* Status line */}
|
|
||||||
<Show when={isRefreshing()}>
|
|
||||||
<text fg={theme.warning}>Refreshing feeds...</text>
|
|
||||||
</Show>
|
|
||||||
|
|
||||||
<Show
|
<Show
|
||||||
when={allEpisodes().length > 0}
|
when={allEpisodes().length > 0}
|
||||||
fallback={
|
fallback={
|
||||||
@@ -76,43 +123,69 @@ export function FeedPage(props: PageProps) {
|
|||||||
</box>
|
</box>
|
||||||
}
|
}
|
||||||
>
|
>
|
||||||
<scrollbox height="100%" focused={props.depth() == FeedPaneType.FEED}>
|
<scrollbox
|
||||||
<For each={Object.entries(episodesByDate()).sort(([a], [b]) => b.localeCompare(a))}>
|
height="100%"
|
||||||
{([date, episode], groupIndex) => (
|
focused={nav.activeDepth() == FeedPaneType.FEED}
|
||||||
<>
|
>
|
||||||
<box flexDirection="column" gap={0} paddingLeft={1} paddingRight={1} paddingTop={1} paddingBottom={1}>
|
<For each={groupEpisodesByDate()}>
|
||||||
<text fg={theme.primary}>{date}</text>
|
{([date, items]) => (
|
||||||
</box>
|
<box flexDirection="column" gap={1} padding={1}>
|
||||||
|
<SelectableText selected={() => false} primary>
|
||||||
|
{date}
|
||||||
|
</SelectableText>
|
||||||
|
<For each={items}>
|
||||||
|
{(item) => {
|
||||||
|
const isSelected = () => {
|
||||||
|
if (
|
||||||
|
nav.activeTab() == TABS.FEED &&
|
||||||
|
nav.activeDepth() == FeedPaneType.FEED &&
|
||||||
|
selectedEpisodeID() &&
|
||||||
|
selectedEpisodeID() === item.episode.id
|
||||||
|
) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
return false;
|
||||||
|
};
|
||||||
|
const isFocused = () => {
|
||||||
|
const episodes = allEpisodes();
|
||||||
|
const currentIndex = episodes.findIndex(
|
||||||
|
(e: any) => e.episode.id === item.episode.id,
|
||||||
|
);
|
||||||
|
return currentIndex === focusedIndex();
|
||||||
|
};
|
||||||
|
return (
|
||||||
<SelectableBox
|
<SelectableBox
|
||||||
selected={() => groupIndex() === selectedIndex()}
|
selected={isSelected}
|
||||||
flexDirection="column"
|
flexDirection="column"
|
||||||
gap={0}
|
gap={0}
|
||||||
paddingLeft={1}
|
paddingLeft={1}
|
||||||
paddingRight={1}
|
paddingRight={1}
|
||||||
paddingTop={0}
|
paddingTop={0}
|
||||||
paddingBottom={0}
|
paddingBottom={0}
|
||||||
onMouseDown={() => setSelectedIndex(groupIndex())}
|
onMouseDown={() => {
|
||||||
|
setSelectedEpisodeID(item.episode.id);
|
||||||
|
const episodes = allEpisodes();
|
||||||
|
setFocusedIndex(
|
||||||
|
episodes.findIndex((e: any) => e.episode.id === item.episode.id),
|
||||||
|
);
|
||||||
|
}}
|
||||||
>
|
>
|
||||||
<SelectableText selected={() => groupIndex() === selectedIndex()}>
|
<SelectableText selected={isSelected} primary>
|
||||||
{groupIndex() === selectedIndex() ? ">" : " "}
|
{item.episode.title}
|
||||||
</SelectableText>
|
|
||||||
<SelectableText
|
|
||||||
selected={() => groupIndex() === selectedIndex()}
|
|
||||||
fg={theme.text}
|
|
||||||
>
|
|
||||||
{episode.episode.title}
|
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<box flexDirection="row" gap={2} paddingLeft={2}>
|
<box flexDirection="row" gap={2} paddingLeft={2}>
|
||||||
<text fg={theme.primary}>{episode.feed.podcast.title}</text>
|
<SelectableText selected={isSelected} primary>
|
||||||
<text fg={theme.textMuted}>
|
{item.feed.podcast.title}
|
||||||
{formatDate(episode.episode.pubDate)}
|
</SelectableText>
|
||||||
</text>
|
<SelectableText selected={isSelected} tertiary>
|
||||||
<text fg={theme.textMuted}>
|
{formatDuration(item.episode.duration)}
|
||||||
{formatDuration(episode.episode.duration)}
|
</SelectableText>
|
||||||
</text>
|
|
||||||
</box>
|
</box>
|
||||||
</SelectableBox>
|
</SelectableBox>
|
||||||
</>
|
);
|
||||||
|
}}
|
||||||
|
</For>
|
||||||
|
</box>
|
||||||
)}
|
)}
|
||||||
</For>
|
</For>
|
||||||
</scrollbox>
|
</scrollbox>
|
||||||
|
|||||||
@@ -4,13 +4,17 @@
|
|||||||
* Right panel: episodes for the selected show
|
* Right panel: episodes for the selected show
|
||||||
*/
|
*/
|
||||||
|
|
||||||
import { createSignal, For, Show, createMemo, createEffect } from "solid-js";
|
import { createSignal, For, Show, createMemo, createEffect, onMount } from "solid-js";
|
||||||
|
import { useKeyboard } from "@opentui/solid";
|
||||||
import { useFeedStore } from "@/stores/feed";
|
import { useFeedStore } from "@/stores/feed";
|
||||||
import { useDownloadStore } from "@/stores/download";
|
import { useDownloadStore } from "@/stores/download";
|
||||||
import { DownloadStatus } from "@/types/episode";
|
import { DownloadStatus } from "@/types/episode";
|
||||||
import { format } from "date-fns";
|
import { format } from "date-fns";
|
||||||
import { PageProps } from "@/App";
|
|
||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
|
import { useAudioNavStore, AudioSource } from "@/stores/audio-nav";
|
||||||
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
|
import { LoadingIndicator } from "@/components/LoadingIndicator";
|
||||||
|
import { KeybindProvider, useKeybinds } from "@/context/KeybindContext";
|
||||||
|
|
||||||
enum MyShowsPaneType {
|
enum MyShowsPaneType {
|
||||||
SHOWS = 1,
|
SHOWS = 1,
|
||||||
@@ -19,14 +23,58 @@ enum MyShowsPaneType {
|
|||||||
|
|
||||||
export const MyShowsPaneCount = 2;
|
export const MyShowsPaneCount = 2;
|
||||||
|
|
||||||
export function MyShowsPage(props: PageProps) {
|
export function MyShowsPage() {
|
||||||
const feedStore = useFeedStore();
|
const feedStore = useFeedStore();
|
||||||
const downloadStore = useDownloadStore();
|
const downloadStore = useDownloadStore();
|
||||||
|
const audioNav = useAudioNavStore();
|
||||||
|
const [isRefreshing, setIsRefreshing] = createSignal(false);
|
||||||
const [showIndex, setShowIndex] = createSignal(0);
|
const [showIndex, setShowIndex] = createSignal(0);
|
||||||
const [episodeIndex, setEpisodeIndex] = createSignal(0);
|
const [episodeIndex, setEpisodeIndex] = createSignal(0);
|
||||||
const [isRefreshing, setIsRefreshing] = createSignal(false);
|
|
||||||
const { theme } = useTheme();
|
const { theme } = useTheme();
|
||||||
const mutedColor = () => theme.muted || theme.text;
|
const mutedColor = () => theme.muted || theme.text;
|
||||||
|
const nav = useNavigation();
|
||||||
|
const keybind = useKeybinds();
|
||||||
|
|
||||||
|
onMount(() => {
|
||||||
|
useKeyboard(
|
||||||
|
(keyEvent: any) => {
|
||||||
|
const isDown = keybind.match("down", keyEvent);
|
||||||
|
const isUp = keybind.match("up", keyEvent);
|
||||||
|
const isCycle = keybind.match("cycle", keyEvent);
|
||||||
|
const isSelect = keybind.match("select", keyEvent);
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
const shows = feedStore.getFilteredFeeds();
|
||||||
|
const episodesList = episodes();
|
||||||
|
|
||||||
|
if (isSelect) {
|
||||||
|
if (shows.length > 0 && showIndex() < shows.length) {
|
||||||
|
setShowIndex(showIndex() + 1);
|
||||||
|
}
|
||||||
|
if (episodesList.length > 0 && episodeIndex() < episodesList.length) {
|
||||||
|
setEpisodeIndex(episodeIndex() + 1);
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// don't handle pane navigation here - unified in App.tsx
|
||||||
|
if (nav.activeDepth() !== MyShowsPaneType.EPISODES) return;
|
||||||
|
|
||||||
|
if (episodesList.length > 0) {
|
||||||
|
if (isDown && !isInverting()) {
|
||||||
|
setEpisodeIndex((i) => (i + 1) % episodesList.length);
|
||||||
|
} else if (isUp && isInverting()) {
|
||||||
|
setEpisodeIndex((i) => (i - 1 + episodesList.length) % episodesList.length);
|
||||||
|
} else if ((isCycle && !isInverting()) || (isDown && !isInverting())) {
|
||||||
|
setEpisodeIndex((i) => (i + 1) % episodesList.length);
|
||||||
|
} else if ((isCycle && isInverting()) || (isUp && isInverting())) {
|
||||||
|
setEpisodeIndex((i) => (i - 1 + episodesList.length) % episodesList.length);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ release: false },
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
/** Threshold: load more when within this many items of the end */
|
/** Threshold: load more when within this many items of the end */
|
||||||
const LOAD_MORE_THRESHOLD = 5;
|
const LOAD_MORE_THRESHOLD = 5;
|
||||||
@@ -34,9 +82,7 @@ export function MyShowsPage(props: PageProps) {
|
|||||||
const shows = () => feedStore.getFilteredFeeds();
|
const shows = () => feedStore.getFilteredFeeds();
|
||||||
|
|
||||||
const selectedShow = createMemo(() => {
|
const selectedShow = createMemo(() => {
|
||||||
const s = shows();
|
return shows()[0]; //TODO: Integrate with locally handled keyboard navigation
|
||||||
const idx = showIndex();
|
|
||||||
return idx < s.length ? s[idx] : undefined;
|
|
||||||
});
|
});
|
||||||
|
|
||||||
const episodes = createMemo(() => {
|
const episodes = createMemo(() => {
|
||||||
@@ -47,23 +93,6 @@ export function MyShowsPage(props: PageProps) {
|
|||||||
);
|
);
|
||||||
});
|
});
|
||||||
|
|
||||||
// Detect when user navigates near the bottom and load more episodes
|
|
||||||
createEffect(() => {
|
|
||||||
const idx = episodeIndex();
|
|
||||||
const eps = episodes();
|
|
||||||
const show = selectedShow();
|
|
||||||
if (!show || eps.length === 0) return;
|
|
||||||
|
|
||||||
const nearBottom = idx >= eps.length - LOAD_MORE_THRESHOLD;
|
|
||||||
if (
|
|
||||||
nearBottom &&
|
|
||||||
feedStore.hasMoreEpisodes(show.id) &&
|
|
||||||
!feedStore.isLoadingMore()
|
|
||||||
) {
|
|
||||||
feedStore.loadMoreEpisodes(show.id);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
const formatDate = (date: Date): string => {
|
const formatDate = (date: Date): string => {
|
||||||
return format(date, "MMM d, yyyy");
|
return format(date, "MMM d, yyyy");
|
||||||
};
|
};
|
||||||
@@ -144,8 +173,14 @@ export function MyShowsPage(props: PageProps) {
|
|||||||
}
|
}
|
||||||
>
|
>
|
||||||
<scrollbox
|
<scrollbox
|
||||||
|
border
|
||||||
height="100%"
|
height="100%"
|
||||||
focused={props.depth() == MyShowsPaneType.SHOWS}
|
borderColor={
|
||||||
|
nav.activeDepth() == MyShowsPaneType.SHOWS
|
||||||
|
? theme.accent
|
||||||
|
: theme.border
|
||||||
|
}
|
||||||
|
focused={nav.activeDepth() == MyShowsPaneType.SHOWS}
|
||||||
>
|
>
|
||||||
<For each={shows()}>
|
<For each={shows()}>
|
||||||
{(feed, index) => (
|
{(feed, index) => (
|
||||||
@@ -160,6 +195,10 @@ export function MyShowsPage(props: PageProps) {
|
|||||||
onMouseDown={() => {
|
onMouseDown={() => {
|
||||||
setShowIndex(index());
|
setShowIndex(index());
|
||||||
setEpisodeIndex(0);
|
setEpisodeIndex(0);
|
||||||
|
audioNav.setSource(
|
||||||
|
AudioSource.MY_SHOWS,
|
||||||
|
selectedShow()?.podcast.id,
|
||||||
|
);
|
||||||
}}
|
}}
|
||||||
>
|
>
|
||||||
<text
|
<text
|
||||||
@@ -199,8 +238,14 @@ export function MyShowsPage(props: PageProps) {
|
|||||||
}
|
}
|
||||||
>
|
>
|
||||||
<scrollbox
|
<scrollbox
|
||||||
|
border
|
||||||
height="100%"
|
height="100%"
|
||||||
focused={props.depth() == MyShowsPaneType.EPISODES}
|
borderColor={
|
||||||
|
nav.activeDepth() == MyShowsPaneType.EPISODES
|
||||||
|
? theme.accent
|
||||||
|
: theme.border
|
||||||
|
}
|
||||||
|
focused={nav.activeDepth() == MyShowsPaneType.EPISODES}
|
||||||
>
|
>
|
||||||
<For each={episodes()}>
|
<For each={episodes()}>
|
||||||
{(episode, index) => (
|
{(episode, index) => (
|
||||||
@@ -257,7 +302,7 @@ export function MyShowsPage(props: PageProps) {
|
|||||||
</For>
|
</For>
|
||||||
<Show when={feedStore.isLoadingMore()}>
|
<Show when={feedStore.isLoadingMore()}>
|
||||||
<box paddingLeft={2} paddingTop={1}>
|
<box paddingLeft={2} paddingTop={1}>
|
||||||
<text fg={theme.warning}>Loading more episodes...</text>
|
<LoadingIndicator />
|
||||||
</box>
|
</box>
|
||||||
</Show>
|
</Show>
|
||||||
<Show
|
<Show
|
||||||
|
|||||||
@@ -1,18 +1,48 @@
|
|||||||
import { PageProps } from "@/App";
|
|
||||||
import { PlaybackControls } from "./PlaybackControls";
|
import { PlaybackControls } from "./PlaybackControls";
|
||||||
import { RealtimeWaveform } from "./RealtimeWaveform";
|
import { RealtimeWaveform } from "./RealtimeWaveform";
|
||||||
import { useAudio } from "@/hooks/useAudio";
|
import { useAudio } from "@/hooks/useAudio";
|
||||||
import { useAppStore } from "@/stores/app";
|
import { useAppStore } from "@/stores/app";
|
||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
|
import { useKeybinds } from "@/context/KeybindContext";
|
||||||
|
import { useKeyboard } from "@opentui/solid";
|
||||||
|
import { onMount } from "solid-js";
|
||||||
|
|
||||||
enum PlayerPaneType {
|
enum PlayerPaneType {
|
||||||
PLAYER = 1,
|
PLAYER = 1,
|
||||||
}
|
}
|
||||||
export const PlayerPaneCount = 1;
|
export const PlayerPaneCount = 1;
|
||||||
|
|
||||||
export function PlayerPage(props: PageProps) {
|
export function PlayerPage() {
|
||||||
const audio = useAudio();
|
const audio = useAudio();
|
||||||
const { theme } = useTheme();
|
const { theme } = useTheme();
|
||||||
|
const nav = useNavigation();
|
||||||
|
|
||||||
|
const keybind = useKeybinds();
|
||||||
|
|
||||||
|
onMount(() => {
|
||||||
|
useKeyboard(
|
||||||
|
(keyEvent: any) => {
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
if (keybind.match("audio-toggle", keyEvent)) {
|
||||||
|
audio.togglePlayback();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (keybind.match("audio-seek-forward", keyEvent)) {
|
||||||
|
audio.seek(audio.currentEpisode()?.duration ?? 0);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (keybind.match("audio-seek-backward", keyEvent)) {
|
||||||
|
audio.seek(0);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ release: false },
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
const progressPercent = () => {
|
const progressPercent = () => {
|
||||||
const d = audio.duration();
|
const d = audio.duration();
|
||||||
@@ -40,7 +70,13 @@ export function PlayerPage(props: PageProps) {
|
|||||||
|
|
||||||
{audio.error() && <text fg={theme.error}>{audio.error()}</text>}
|
{audio.error() && <text fg={theme.error}>{audio.error()}</text>}
|
||||||
|
|
||||||
<box border borderColor={theme.border} padding={1} flexDirection="column" gap={1}>
|
<box
|
||||||
|
border
|
||||||
|
borderColor={nav.activeDepth() == PlayerPaneType.PLAYER ? theme.accent : theme.border}
|
||||||
|
padding={1}
|
||||||
|
flexDirection="column"
|
||||||
|
gap={1}
|
||||||
|
>
|
||||||
<text fg={theme.text}>
|
<text fg={theme.text}>
|
||||||
<strong>{audio.currentEpisode()?.title}</strong>
|
<strong>{audio.currentEpisode()?.title}</strong>
|
||||||
</text>
|
</text>
|
||||||
|
|||||||
@@ -30,7 +30,7 @@ export function ResultCard(props: ResultCardProps) {
|
|||||||
<box flexDirection="row" gap={2} alignItems="center">
|
<box flexDirection="row" gap={2} alignItems="center">
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.selected}
|
selected={() => props.selected}
|
||||||
fg={theme.primary}
|
primary
|
||||||
>
|
>
|
||||||
<strong>{podcast().title}</strong>
|
<strong>{podcast().title}</strong>
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -48,7 +48,7 @@ export function ResultCard(props: ResultCardProps) {
|
|||||||
<Show when={podcast().author}>
|
<Show when={podcast().author}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.selected}
|
selected={() => props.selected}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
by {podcast().author}
|
by {podcast().author}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -58,7 +58,7 @@ export function ResultCard(props: ResultCardProps) {
|
|||||||
{(description) => (
|
{(description) => (
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => props.selected}
|
selected={() => props.selected}
|
||||||
fg={theme.text}
|
tertiary
|
||||||
>
|
>
|
||||||
{description().length > 120
|
{description().length > 120
|
||||||
? description().slice(0, 120) + "..."
|
? description().slice(0, 120) + "..."
|
||||||
|
|||||||
@@ -64,13 +64,13 @@ export function SearchHistory(props: SearchHistoryProps) {
|
|||||||
>
|
>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={isSelected}
|
selected={isSelected}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
{">"}
|
{">"}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={isSelected}
|
selected={isSelected}
|
||||||
fg={theme.primary}
|
primary
|
||||||
>
|
>
|
||||||
{query}
|
{query}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
|
|||||||
@@ -2,15 +2,16 @@
|
|||||||
* SearchPage component - Main search interface for PodTUI
|
* SearchPage component - Main search interface for PodTUI
|
||||||
*/
|
*/
|
||||||
|
|
||||||
import { createSignal, createEffect, Show } from "solid-js";
|
import { createSignal, createEffect, Show, onMount } from "solid-js";
|
||||||
import { useKeyboard } from "@opentui/solid";
|
import { useKeyboard } from "@opentui/solid";
|
||||||
import { useSearchStore } from "@/stores/search";
|
import { useSearchStore } from "@/stores/search";
|
||||||
import { SearchResults } from "./SearchResults";
|
import { SearchResults } from "./SearchResults";
|
||||||
import { SearchHistory } from "./SearchHistory";
|
import { SearchHistory } from "./SearchHistory";
|
||||||
import type { SearchResult } from "@/types/source";
|
import type { SearchResult } from "@/types/source";
|
||||||
import { PageProps } from "@/App";
|
|
||||||
import { MyShowsPage } from "../MyShows/MyShowsPage";
|
import { MyShowsPage } from "../MyShows/MyShowsPage";
|
||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
|
import { KeybindProvider, useKeybinds } from "@/context/KeybindContext";
|
||||||
|
|
||||||
enum SearchPaneType {
|
enum SearchPaneType {
|
||||||
INPUT = 1,
|
INPUT = 1,
|
||||||
@@ -19,19 +20,51 @@ enum SearchPaneType {
|
|||||||
}
|
}
|
||||||
export const SearchPaneCount = 3;
|
export const SearchPaneCount = 3;
|
||||||
|
|
||||||
export function SearchPage(props: PageProps) {
|
export function SearchPage() {
|
||||||
const searchStore = useSearchStore();
|
const searchStore = useSearchStore();
|
||||||
const [inputValue, setInputValue] = createSignal("");
|
const [inputValue, setInputValue] = createSignal("");
|
||||||
const [resultIndex, setResultIndex] = createSignal(0);
|
const [resultIndex, setResultIndex] = createSignal(0);
|
||||||
const [historyIndex, setHistoryIndex] = createSignal(0);
|
const [historyIndex, setHistoryIndex] = createSignal(0);
|
||||||
const { theme } = useTheme();
|
const { theme } = useTheme();
|
||||||
|
const nav = useNavigation();
|
||||||
|
const keybind = useKeybinds();
|
||||||
|
|
||||||
// Keep parent informed about input focus state
|
onMount(() => {
|
||||||
// TODO: have a global input focused prop in useKeyboard hook
|
useKeyboard(
|
||||||
//createEffect(() => {
|
(keyEvent: any) => {
|
||||||
//const isInputFocused = props.focused && focusArea() === "input";
|
const isDown = keybind.match("down", keyEvent);
|
||||||
//props.onInputFocusChange?.(isInputFocused);
|
const isUp = keybind.match("up", keyEvent);
|
||||||
//});
|
const isCycle = keybind.match("cycle", keyEvent);
|
||||||
|
const isSelect = keybind.match("select", keyEvent);
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
if (isSelect) {
|
||||||
|
const results = searchStore.results();
|
||||||
|
if (results.length > 0 && resultIndex() < results.length) {
|
||||||
|
setResultIndex(resultIndex() + 1);
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// don't handle pane navigation here - unified in App.tsx
|
||||||
|
if (nav.activeDepth() !== SearchPaneType.RESULTS) return;
|
||||||
|
|
||||||
|
const results = searchStore.results();
|
||||||
|
if (results.length === 0) return;
|
||||||
|
|
||||||
|
if (isDown && !isInverting()) {
|
||||||
|
setResultIndex((i) => (i + 1) % results.length);
|
||||||
|
} else if (isUp && isInverting()) {
|
||||||
|
setResultIndex((i) => (i - 1 + results.length) % results.length);
|
||||||
|
} else if ((isCycle && !isInverting()) || (isDown && !isInverting())) {
|
||||||
|
setResultIndex((i) => (i + 1) % results.length);
|
||||||
|
} else if ((isCycle && isInverting()) || (isUp && isInverting())) {
|
||||||
|
setResultIndex((i) => (i - 1 + results.length) % results.length);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ release: false },
|
||||||
|
);
|
||||||
|
});
|
||||||
|
|
||||||
const handleSearch = async () => {
|
const handleSearch = async () => {
|
||||||
const query = inputValue().trim();
|
const query = inputValue().trim();
|
||||||
@@ -75,7 +108,7 @@ export function SearchPage(props: PageProps) {
|
|||||||
setInputValue(value);
|
setInputValue(value);
|
||||||
}}
|
}}
|
||||||
placeholder="Enter podcast name, topic, or author..."
|
placeholder="Enter podcast name, topic, or author..."
|
||||||
focused={props.depth() === SearchPaneType.INPUT}
|
focused={nav.activeDepth() === SearchPaneType.INPUT}
|
||||||
width={50}
|
width={50}
|
||||||
/>
|
/>
|
||||||
<box
|
<box
|
||||||
@@ -101,10 +134,23 @@ export function SearchPage(props: PageProps) {
|
|||||||
{/* Main Content - Results or History */}
|
{/* Main Content - Results or History */}
|
||||||
<box flexDirection="row" height="100%" gap={2}>
|
<box flexDirection="row" height="100%" gap={2}>
|
||||||
{/* Results Panel */}
|
{/* Results Panel */}
|
||||||
<box flexDirection="column" flexGrow={1} border borderColor={theme.border}>
|
<box
|
||||||
|
flexDirection="column"
|
||||||
|
flexGrow={1}
|
||||||
|
border
|
||||||
|
borderColor={
|
||||||
|
nav.activeDepth() === SearchPaneType.RESULTS
|
||||||
|
? theme.accent
|
||||||
|
: theme.border
|
||||||
|
}
|
||||||
|
>
|
||||||
<box padding={1}>
|
<box padding={1}>
|
||||||
<text
|
<text
|
||||||
fg={props.depth() === SearchPaneType.RESULTS ? theme.primary : theme.muted}
|
fg={
|
||||||
|
nav.activeDepth() === SearchPaneType.RESULTS
|
||||||
|
? theme.primary
|
||||||
|
: theme.muted
|
||||||
|
}
|
||||||
>
|
>
|
||||||
Results ({searchStore.results().length})
|
Results ({searchStore.results().length})
|
||||||
</text>
|
</text>
|
||||||
@@ -124,7 +170,7 @@ export function SearchPage(props: PageProps) {
|
|||||||
<SearchResults
|
<SearchResults
|
||||||
results={searchStore.results()}
|
results={searchStore.results()}
|
||||||
selectedIndex={resultIndex()}
|
selectedIndex={resultIndex()}
|
||||||
focused={props.depth() === SearchPaneType.RESULTS}
|
focused={nav.activeDepth() === SearchPaneType.RESULTS}
|
||||||
onSelect={handleResultSelect}
|
onSelect={handleResultSelect}
|
||||||
onChange={setResultIndex}
|
onChange={setResultIndex}
|
||||||
isSearching={searchStore.isSearching()}
|
isSearching={searchStore.isSearching()}
|
||||||
@@ -138,7 +184,11 @@ export function SearchPage(props: PageProps) {
|
|||||||
<box padding={1} flexDirection="column">
|
<box padding={1} flexDirection="column">
|
||||||
<box paddingBottom={1}>
|
<box paddingBottom={1}>
|
||||||
<text
|
<text
|
||||||
fg={props.depth() === SearchPaneType.HISTORY ? theme.primary : theme.muted}
|
fg={
|
||||||
|
nav.activeDepth() === SearchPaneType.HISTORY
|
||||||
|
? theme.primary
|
||||||
|
: theme.muted
|
||||||
|
}
|
||||||
>
|
>
|
||||||
History
|
History
|
||||||
</text>
|
</text>
|
||||||
@@ -146,7 +196,7 @@ export function SearchPage(props: PageProps) {
|
|||||||
<SearchHistory
|
<SearchHistory
|
||||||
history={searchStore.history()}
|
history={searchStore.history()}
|
||||||
selectedIndex={historyIndex()}
|
selectedIndex={historyIndex()}
|
||||||
focused={props.depth() === SearchPaneType.HISTORY}
|
focused={nav.activeDepth() === SearchPaneType.HISTORY}
|
||||||
onSelect={handleHistorySelect}
|
onSelect={handleHistorySelect}
|
||||||
onRemove={searchStore.removeFromHistory}
|
onRemove={searchStore.removeFromHistory}
|
||||||
onClear={searchStore.clearHistory}
|
onClear={searchStore.clearHistory}
|
||||||
|
|||||||
@@ -1,11 +1,12 @@
|
|||||||
import { createSignal, For } from "solid-js";
|
import { createSignal, For, onMount } from "solid-js";
|
||||||
import { useKeyboard } from "@opentui/solid";
|
import { useKeyboard } from "@opentui/solid";
|
||||||
import { SourceManager } from "./SourceManager";
|
import { SourceManager } from "./SourceManager";
|
||||||
import { useTheme } from "@/context/ThemeContext";
|
import { useTheme } from "@/context/ThemeContext";
|
||||||
import { PreferencesPanel } from "./PreferencesPanel";
|
import { PreferencesPanel } from "./PreferencesPanel";
|
||||||
import { SyncPanel } from "./SyncPanel";
|
import { SyncPanel } from "./SyncPanel";
|
||||||
import { VisualizerSettings } from "./VisualizerSettings";
|
import { VisualizerSettings } from "./VisualizerSettings";
|
||||||
import { PageProps } from "@/App";
|
import { useNavigation } from "@/context/NavigationContext";
|
||||||
|
import { KeybindProvider, useKeybinds } from "@/context/KeybindContext";
|
||||||
|
|
||||||
enum SettingsPaneType {
|
enum SettingsPaneType {
|
||||||
SYNC = 1,
|
SYNC = 1,
|
||||||
@@ -24,11 +25,44 @@ const SECTIONS: Array<{ id: SettingsPaneType; label: string }> = [
|
|||||||
{ id: SettingsPaneType.ACCOUNT, label: "Account" },
|
{ id: SettingsPaneType.ACCOUNT, label: "Account" },
|
||||||
];
|
];
|
||||||
|
|
||||||
export function SettingsPage(props: PageProps) {
|
export function SettingsPage() {
|
||||||
const { theme } = useTheme();
|
const { theme } = useTheme();
|
||||||
const [activeSection, setActiveSection] = createSignal<SettingsPaneType>(
|
const nav = useNavigation();
|
||||||
SettingsPaneType.SYNC,
|
const keybind = useKeybinds();
|
||||||
|
|
||||||
|
// Helper function to check if a depth is active
|
||||||
|
const isActive = (depth: SettingsPaneType): boolean => {
|
||||||
|
return nav.activeDepth() === depth;
|
||||||
|
};
|
||||||
|
|
||||||
|
// Helper function to get the current depth as a number
|
||||||
|
const currentDepth = () => nav.activeDepth() as number;
|
||||||
|
|
||||||
|
onMount(() => {
|
||||||
|
useKeyboard(
|
||||||
|
(keyEvent: any) => {
|
||||||
|
const isDown = keybind.match("down", keyEvent);
|
||||||
|
const isUp = keybind.match("up", keyEvent);
|
||||||
|
const isCycle = keybind.match("cycle", keyEvent);
|
||||||
|
const isSelect = keybind.match("select", keyEvent);
|
||||||
|
const isInverting = keybind.isInverting(keyEvent);
|
||||||
|
|
||||||
|
// don't handle pane navigation here - unified in App.tsx
|
||||||
|
if (nav.activeDepth() < 1 || nav.activeDepth() > SettingsPaneCount) return;
|
||||||
|
|
||||||
|
if (isDown && !isInverting()) {
|
||||||
|
nav.setActiveDepth((nav.activeDepth() % SettingsPaneCount) + 1);
|
||||||
|
} else if (isUp && isInverting()) {
|
||||||
|
nav.setActiveDepth((nav.activeDepth() - 2 + SettingsPaneCount) % SettingsPaneCount + 1);
|
||||||
|
} else if ((isCycle && !isInverting()) || (isDown && !isInverting())) {
|
||||||
|
nav.setActiveDepth((nav.activeDepth() % SettingsPaneCount) + 1);
|
||||||
|
} else if ((isCycle && isInverting()) || (isUp && isInverting())) {
|
||||||
|
nav.setActiveDepth((nav.activeDepth() - 2 + SettingsPaneCount) % SettingsPaneCount + 1);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{ release: false },
|
||||||
);
|
);
|
||||||
|
});
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<box flexDirection="column" gap={1} height="100%" width="100%">
|
<box flexDirection="column" gap={1} height="100%" width="100%">
|
||||||
@@ -40,13 +74,13 @@ export function SettingsPage(props: PageProps) {
|
|||||||
borderColor={theme.border}
|
borderColor={theme.border}
|
||||||
padding={0}
|
padding={0}
|
||||||
backgroundColor={
|
backgroundColor={
|
||||||
activeSection() === section.id ? theme.primary : undefined
|
currentDepth() === section.id ? theme.primary : undefined
|
||||||
}
|
}
|
||||||
onMouseDown={() => setActiveSection(section.id)}
|
onMouseDown={() => nav.setActiveDepth(section.id)}
|
||||||
>
|
>
|
||||||
<text
|
<text
|
||||||
fg={
|
fg={
|
||||||
activeSection() === section.id ? theme.text : theme.textMuted
|
currentDepth() === section.id ? theme.text : theme.textMuted
|
||||||
}
|
}
|
||||||
>
|
>
|
||||||
[{index() + 1}] {section.label}
|
[{index() + 1}] {section.label}
|
||||||
@@ -56,18 +90,25 @@ export function SettingsPage(props: PageProps) {
|
|||||||
</For>
|
</For>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
<box border borderColor={theme.border} flexGrow={1} padding={1} flexDirection="column" gap={1}>
|
<box
|
||||||
{activeSection() === SettingsPaneType.SYNC && <SyncPanel />}
|
border
|
||||||
{activeSection() === SettingsPaneType.SOURCES && (
|
borderColor={isActive(SettingsPaneType.SYNC) || isActive(SettingsPaneType.SOURCES) || isActive(SettingsPaneType.PREFERENCES) || isActive(SettingsPaneType.VISUALIZER) || isActive(SettingsPaneType.ACCOUNT) ? theme.accent : theme.border}
|
||||||
|
flexGrow={1}
|
||||||
|
padding={1}
|
||||||
|
flexDirection="column"
|
||||||
|
gap={1}
|
||||||
|
>
|
||||||
|
{isActive(SettingsPaneType.SYNC) && <SyncPanel />}
|
||||||
|
{isActive(SettingsPaneType.SOURCES) && (
|
||||||
<SourceManager focused />
|
<SourceManager focused />
|
||||||
)}
|
)}
|
||||||
{activeSection() === SettingsPaneType.PREFERENCES && (
|
{isActive(SettingsPaneType.PREFERENCES) && (
|
||||||
<PreferencesPanel />
|
<PreferencesPanel />
|
||||||
)}
|
)}
|
||||||
{activeSection() === SettingsPaneType.VISUALIZER && (
|
{isActive(SettingsPaneType.VISUALIZER) && (
|
||||||
<VisualizerSettings />
|
<VisualizerSettings />
|
||||||
)}
|
)}
|
||||||
{activeSection() === SettingsPaneType.ACCOUNT && (
|
{isActive(SettingsPaneType.ACCOUNT) && (
|
||||||
<box flexDirection="column" gap={1}>
|
<box flexDirection="column" gap={1}>
|
||||||
<text fg={theme.textMuted}>Account</text>
|
<text fg={theme.textMuted}>Account</text>
|
||||||
</box>
|
</box>
|
||||||
|
|||||||
@@ -198,20 +198,17 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
feedStore.toggleSource(source.id);
|
feedStore.toggleSource(source.id);
|
||||||
}}
|
}}
|
||||||
>
|
>
|
||||||
<text
|
<SelectableText
|
||||||
fg={
|
selected={() => focusArea() === "list" && index() === selectedIndex()}
|
||||||
focusArea() === "list" && index() === selectedIndex()
|
primary
|
||||||
? theme.primary
|
|
||||||
: theme.textMuted
|
|
||||||
}
|
|
||||||
>
|
>
|
||||||
{focusArea() === "list" && index() === selectedIndex()
|
{focusArea() === "list" && index() === selectedIndex()
|
||||||
? ">"
|
? ">"
|
||||||
: " "}
|
: " "}
|
||||||
</text>
|
</SelectableText>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => focusArea() === "list" && index() === selectedIndex()}
|
selected={() => focusArea() === "list" && index() === selectedIndex()}
|
||||||
fg={theme.text}
|
primary
|
||||||
>
|
>
|
||||||
{source.name}
|
{source.name}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -225,11 +222,11 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
|
|
||||||
{/* API settings */}
|
{/* API settings */}
|
||||||
<box flexDirection="column" gap={1}>
|
<box flexDirection="column" gap={1}>
|
||||||
<text fg={isApiSource() ? theme.textMuted : theme.accent}>
|
<SelectableText selected={() => false} primary={isApiSource()}>
|
||||||
{isApiSource()
|
{isApiSource()
|
||||||
? "API Settings"
|
? "API Settings"
|
||||||
: "API Settings (select an API source)"}
|
: "API Settings (select an API source)"}
|
||||||
</text>
|
</SelectableText>
|
||||||
<box flexDirection="row" gap={2}>
|
<box flexDirection="row" gap={2}>
|
||||||
<box
|
<box
|
||||||
border
|
border
|
||||||
@@ -239,11 +236,9 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
focusArea() === "country" ? theme.primary : undefined
|
focusArea() === "country" ? theme.primary : undefined
|
||||||
}
|
}
|
||||||
>
|
>
|
||||||
<text
|
<SelectableText selected={() => false} primary={focusArea() === "country"}>
|
||||||
fg={focusArea() === "country" ? theme.primary : theme.textMuted}
|
|
||||||
>
|
|
||||||
Country: {sourceCountry()}
|
Country: {sourceCountry()}
|
||||||
</text>
|
</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
<box
|
<box
|
||||||
border
|
border
|
||||||
@@ -253,14 +248,10 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
focusArea() === "language" ? theme.primary : undefined
|
focusArea() === "language" ? theme.primary : undefined
|
||||||
}
|
}
|
||||||
>
|
>
|
||||||
<text
|
<SelectableText selected={() => false} primary={focusArea() === "language"}>
|
||||||
fg={
|
|
||||||
focusArea() === "language" ? theme.primary : theme.textMuted
|
|
||||||
}
|
|
||||||
>
|
|
||||||
Language:{" "}
|
Language:{" "}
|
||||||
{sourceLanguage() === "ja_jp" ? "Japanese" : "English"}
|
{sourceLanguage() === "ja_jp" ? "Japanese" : "English"}
|
||||||
</text>
|
</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
<box
|
<box
|
||||||
border
|
border
|
||||||
@@ -270,35 +261,25 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
focusArea() === "explicit" ? theme.primary : undefined
|
focusArea() === "explicit" ? theme.primary : undefined
|
||||||
}
|
}
|
||||||
>
|
>
|
||||||
<text
|
<SelectableText selected={() => false} primary={focusArea() === "explicit"}>
|
||||||
fg={
|
|
||||||
focusArea() === "explicit" ? theme.primary : theme.textMuted
|
|
||||||
}
|
|
||||||
>
|
|
||||||
Explicit: {sourceExplicit() ? "Yes" : "No"}
|
Explicit: {sourceExplicit() ? "Yes" : "No"}
|
||||||
</text>
|
</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
</box>
|
</box>
|
||||||
<text fg={theme.textMuted}>
|
<SelectableText selected={() => false} tertiary>
|
||||||
Enter/Space to toggle focused setting
|
Enter/Space to toggle focused setting
|
||||||
</text>
|
</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
{/* Add new source form */}
|
{/* Add new source form */}
|
||||||
<box border borderColor={theme.border} padding={1} flexDirection="column" gap={1}>
|
<box border borderColor={theme.border} padding={1} flexDirection="column" gap={1}>
|
||||||
<text
|
<SelectableText selected={() => false} primary={focusArea() === "add" || focusArea() === "url"}>
|
||||||
fg={
|
|
||||||
focusArea() === "add" || focusArea() === "url"
|
|
||||||
? theme.primary
|
|
||||||
: theme.textMuted
|
|
||||||
}
|
|
||||||
>
|
|
||||||
Add New Source:
|
Add New Source:
|
||||||
</text>
|
</SelectableText>
|
||||||
|
|
||||||
<box flexDirection="row" gap={1}>
|
<box flexDirection="row" gap={1}>
|
||||||
<text fg={theme.textMuted}>Name:</text>
|
<SelectableText selected={() => false} tertiary>Name:</SelectableText>
|
||||||
<input
|
<input
|
||||||
value={newSourceName()}
|
value={newSourceName()}
|
||||||
onInput={setNewSourceName}
|
onInput={setNewSourceName}
|
||||||
@@ -309,7 +290,7 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
</box>
|
</box>
|
||||||
|
|
||||||
<box flexDirection="row" gap={1}>
|
<box flexDirection="row" gap={1}>
|
||||||
<text fg={theme.textMuted}>URL:</text>
|
<SelectableText selected={() => false} tertiary>URL:</SelectableText>
|
||||||
<input
|
<input
|
||||||
value={newSourceUrl()}
|
value={newSourceUrl()}
|
||||||
onInput={(v) => {
|
onInput={(v) => {
|
||||||
@@ -323,14 +304,14 @@ export function SourceManager(props: SourceManagerProps) {
|
|||||||
</box>
|
</box>
|
||||||
|
|
||||||
<box border borderColor={theme.border} padding={0} width={15} onMouseDown={handleAddSource}>
|
<box border borderColor={theme.border} padding={0} width={15} onMouseDown={handleAddSource}>
|
||||||
<text fg={theme.success}>[+] Add Source</text>
|
<SelectableText selected={() => false} primary>[+] Add Source</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
</box>
|
</box>
|
||||||
|
|
||||||
{/* Error message */}
|
{/* Error message */}
|
||||||
{error() && <text fg={theme.error}>{error()}</text>}
|
{error() && <SelectableText selected={() => false} tertiary>{error()}</SelectableText>}
|
||||||
|
|
||||||
<text fg={theme.textMuted}>Tab to switch sections, Esc to close</text>
|
<SelectableText selected={() => false} tertiary>Tab to switch sections, Esc to close</SelectableText>
|
||||||
</box>
|
</box>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|||||||
126
src/stores/audio-nav.ts
Normal file
126
src/stores/audio-nav.ts
Normal file
@@ -0,0 +1,126 @@
|
|||||||
|
/**
|
||||||
|
* Audio navigation store for tracking episode order and position
|
||||||
|
* Persists the current episode context (source type, index, and podcastId)
|
||||||
|
*/
|
||||||
|
|
||||||
|
import { createSignal } from "solid-js";
|
||||||
|
import {
|
||||||
|
loadAudioNavFromFile,
|
||||||
|
saveAudioNavToFile,
|
||||||
|
} from "../utils/app-persistence";
|
||||||
|
|
||||||
|
/** Source type for audio navigation */
|
||||||
|
export enum AudioSource {
|
||||||
|
FEED = "feed",
|
||||||
|
MY_SHOWS = "my_shows",
|
||||||
|
SEARCH = "search",
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Audio navigation state */
|
||||||
|
export interface AudioNavState {
|
||||||
|
/** Current source type */
|
||||||
|
source: AudioSource;
|
||||||
|
/** Index of current episode in the ordered list */
|
||||||
|
currentIndex: number;
|
||||||
|
/** Podcast ID for My Shows source */
|
||||||
|
podcastId?: string;
|
||||||
|
/** Timestamp when navigation state was last saved */
|
||||||
|
lastUpdated: Date;
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Default navigation state */
|
||||||
|
const defaultNavState: AudioNavState = {
|
||||||
|
source: AudioSource.FEED,
|
||||||
|
currentIndex: 0,
|
||||||
|
lastUpdated: new Date(),
|
||||||
|
};
|
||||||
|
|
||||||
|
/** Create audio navigation store */
|
||||||
|
export function createAudioNavStore() {
|
||||||
|
const [navState, setNavState] = createSignal<AudioNavState>(defaultNavState);
|
||||||
|
|
||||||
|
/** Persist current navigation state to file (fire-and-forget) */
|
||||||
|
function persist(): void {
|
||||||
|
saveAudioNavToFile(navState()).catch(() => {});
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Load navigation state from file */
|
||||||
|
async function init(): Promise<void> {
|
||||||
|
const loaded = await loadAudioNavFromFile<AudioNavState>();
|
||||||
|
if (loaded) {
|
||||||
|
setNavState(loaded);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Fire-and-forget initialization */
|
||||||
|
init();
|
||||||
|
|
||||||
|
return {
|
||||||
|
/** Get current navigation state */
|
||||||
|
get state(): AudioNavState {
|
||||||
|
return navState();
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Update source type */
|
||||||
|
setSource: (source: AudioSource, podcastId?: string) => {
|
||||||
|
setNavState((prev) => ({
|
||||||
|
...prev,
|
||||||
|
source,
|
||||||
|
podcastId,
|
||||||
|
lastUpdated: new Date(),
|
||||||
|
}));
|
||||||
|
persist();
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Move to next episode */
|
||||||
|
next: (currentIndex: number) => {
|
||||||
|
setNavState((prev) => ({
|
||||||
|
...prev,
|
||||||
|
currentIndex,
|
||||||
|
lastUpdated: new Date(),
|
||||||
|
}));
|
||||||
|
persist();
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Move to previous episode */
|
||||||
|
prev: (currentIndex: number) => {
|
||||||
|
setNavState((prev) => ({
|
||||||
|
...prev,
|
||||||
|
currentIndex,
|
||||||
|
lastUpdated: new Date(),
|
||||||
|
}));
|
||||||
|
persist();
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Reset to default state */
|
||||||
|
reset: () => {
|
||||||
|
setNavState(defaultNavState);
|
||||||
|
persist();
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Get current index */
|
||||||
|
getCurrentIndex: (): number => {
|
||||||
|
return navState().currentIndex;
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Get current source */
|
||||||
|
getSource: (): AudioSource => {
|
||||||
|
return navState().source;
|
||||||
|
},
|
||||||
|
|
||||||
|
/** Get current podcast ID */
|
||||||
|
getPodcastId: (): string | undefined => {
|
||||||
|
return navState().podcastId;
|
||||||
|
},
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Singleton instance */
|
||||||
|
let audioNavInstance: ReturnType<typeof createAudioNavStore> | null = null;
|
||||||
|
|
||||||
|
export function useAudioNavStore() {
|
||||||
|
if (!audioNavInstance) {
|
||||||
|
audioNavInstance = createAudioNavStore();
|
||||||
|
}
|
||||||
|
return audioNavInstance;
|
||||||
|
}
|
||||||
@@ -19,6 +19,7 @@ import {
|
|||||||
} from "../utils/feeds-persistence";
|
} from "../utils/feeds-persistence";
|
||||||
import { useDownloadStore } from "./download";
|
import { useDownloadStore } from "./download";
|
||||||
import { DownloadStatus } from "../types/episode";
|
import { DownloadStatus } from "../types/episode";
|
||||||
|
import { useAuthStore } from "./auth";
|
||||||
|
|
||||||
/** Max episodes to load per page/chunk */
|
/** Max episodes to load per page/chunk */
|
||||||
const MAX_EPISODES_REFRESH = 50;
|
const MAX_EPISODES_REFRESH = 50;
|
||||||
@@ -48,13 +49,6 @@ export function createFeedStore() {
|
|||||||
const [sources, setSources] = createSignal<PodcastSource[]>([
|
const [sources, setSources] = createSignal<PodcastSource[]>([
|
||||||
...DEFAULT_SOURCES,
|
...DEFAULT_SOURCES,
|
||||||
]);
|
]);
|
||||||
|
|
||||||
(async () => {
|
|
||||||
const loadedFeeds = await loadFeedsFromFile();
|
|
||||||
if (loadedFeeds.length > 0) setFeeds(loadedFeeds);
|
|
||||||
const loadedSources = await loadSourcesFromFile<PodcastSource>();
|
|
||||||
if (loadedSources && loadedSources.length > 0) setSources(loadedSources);
|
|
||||||
})();
|
|
||||||
const [filter, setFilter] = createSignal<FeedFilter>({
|
const [filter, setFilter] = createSignal<FeedFilter>({
|
||||||
visibility: "all",
|
visibility: "all",
|
||||||
sortBy: "updated" as FeedSortField,
|
sortBy: "updated" as FeedSortField,
|
||||||
@@ -62,15 +56,20 @@ export function createFeedStore() {
|
|||||||
});
|
});
|
||||||
const [selectedFeedId, setSelectedFeedId] = createSignal<string | null>(null);
|
const [selectedFeedId, setSelectedFeedId] = createSignal<string | null>(null);
|
||||||
const [isLoadingMore, setIsLoadingMore] = createSignal(false);
|
const [isLoadingMore, setIsLoadingMore] = createSignal(false);
|
||||||
|
const [isLoadingFeeds, setIsLoadingFeeds] = createSignal(false);
|
||||||
|
|
||||||
/** Get filtered and sorted feeds */
|
/** Get filtered and sorted feeds */
|
||||||
const getFilteredFeeds = (): Feed[] => {
|
const getFilteredFeeds = (): Feed[] => {
|
||||||
let result = [...feeds()];
|
let result = [...feeds()];
|
||||||
const f = filter();
|
const f = filter();
|
||||||
|
const authStore = useAuthStore();
|
||||||
|
|
||||||
// Filter by visibility
|
// Filter by visibility
|
||||||
if (f.visibility && f.visibility !== "all") {
|
if (f.visibility && f.visibility !== "all") {
|
||||||
result = result.filter((feed) => feed.visibility === f.visibility);
|
result = result.filter((feed) => feed.visibility === f.visibility);
|
||||||
|
} else if (f.visibility === "all") {
|
||||||
|
// Only show private feeds if authenticated
|
||||||
|
result = result.filter((feed) => feed.visibility === FeedVisibility.PUBLIC || authStore.isAuthenticated);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Filter by source
|
// Filter by source
|
||||||
@@ -148,6 +147,13 @@ export function createFeedStore() {
|
|||||||
return allEpisodes;
|
return allEpisodes;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
/** Sort episodes in reverse chronological order (newest first) */
|
||||||
|
const sortEpisodesReverseChronological = (episodes: Episode[]): Episode[] => {
|
||||||
|
return [...episodes].sort(
|
||||||
|
(a, b) => b.pubDate.getTime() - a.pubDate.getTime(),
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
/** Fetch latest episodes from an RSS feed URL, caching all parsed episodes */
|
/** Fetch latest episodes from an RSS feed URL, caching all parsed episodes */
|
||||||
const fetchEpisodes = async (
|
const fetchEpisodes = async (
|
||||||
feedUrl: string,
|
feedUrl: string,
|
||||||
@@ -164,7 +170,7 @@ export function createFeedStore() {
|
|||||||
if (!response.ok) return [];
|
if (!response.ok) return [];
|
||||||
const xml = await response.text();
|
const xml = await response.text();
|
||||||
const parsed = parseRSSFeed(xml, feedUrl);
|
const parsed = parseRSSFeed(xml, feedUrl);
|
||||||
const allEpisodes = parsed.episodes;
|
const allEpisodes = sortEpisodesReverseChronological(parsed.episodes);
|
||||||
|
|
||||||
// Cache all parsed episodes for pagination
|
// Cache all parsed episodes for pagination
|
||||||
if (feedId) {
|
if (feedId) {
|
||||||
@@ -264,12 +270,25 @@ export function createFeedStore() {
|
|||||||
|
|
||||||
/** Refresh all feeds */
|
/** Refresh all feeds */
|
||||||
const refreshAllFeeds = async () => {
|
const refreshAllFeeds = async () => {
|
||||||
|
setIsLoadingFeeds(true);
|
||||||
|
try {
|
||||||
const currentFeeds = feeds();
|
const currentFeeds = feeds();
|
||||||
for (const feed of currentFeeds) {
|
for (const feed of currentFeeds) {
|
||||||
await refreshFeed(feed.id);
|
await refreshFeed(feed.id);
|
||||||
}
|
}
|
||||||
|
} finally {
|
||||||
|
setIsLoadingFeeds(false);
|
||||||
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
(async () => {
|
||||||
|
const loadedFeeds = await loadFeedsFromFile();
|
||||||
|
if (loadedFeeds.length > 0) setFeeds(loadedFeeds);
|
||||||
|
const loadedSources = await loadSourcesFromFile<PodcastSource>();
|
||||||
|
if (loadedSources && loadedSources.length > 0) setSources(loadedSources);
|
||||||
|
await refreshAllFeeds();
|
||||||
|
})();
|
||||||
|
|
||||||
/** Remove a feed */
|
/** Remove a feed */
|
||||||
const removeFeed = (feedId: string) => {
|
const removeFeed = (feedId: string) => {
|
||||||
fullEpisodeCache.delete(feedId);
|
fullEpisodeCache.delete(feedId);
|
||||||
@@ -445,6 +464,7 @@ export function createFeedStore() {
|
|||||||
getFeed,
|
getFeed,
|
||||||
getSelectedFeed,
|
getSelectedFeed,
|
||||||
hasMoreEpisodes,
|
hasMoreEpisodes,
|
||||||
|
isLoadingFeeds,
|
||||||
|
|
||||||
// Actions
|
// Actions
|
||||||
setFilter,
|
setFilter,
|
||||||
|
|||||||
@@ -16,10 +16,18 @@ export const BASE_THEME_COLORS: ThemeColors = {
|
|||||||
secondary: "#a9b1d6",
|
secondary: "#a9b1d6",
|
||||||
accent: "#f6c177",
|
accent: "#f6c177",
|
||||||
text: "#e6edf3",
|
text: "#e6edf3",
|
||||||
|
textPrimary: "#e6edf3",
|
||||||
|
textSecondary: "#a9b1d6",
|
||||||
|
textTertiary: "#7d8590",
|
||||||
|
textSelectedPrimary: "#1b1f27",
|
||||||
|
textSelectedSecondary: "#e6edf3",
|
||||||
|
textSelectedTertiary: "#a9b1d6",
|
||||||
muted: "#7d8590",
|
muted: "#7d8590",
|
||||||
warning: "#f0b429",
|
warning: "#f0b429",
|
||||||
error: "#f47067",
|
error: "#f47067",
|
||||||
success: "#3fb950",
|
success: "#3fb950",
|
||||||
|
_hasSelectedListItemText: true,
|
||||||
|
thinkingOpacity: 0.5,
|
||||||
}
|
}
|
||||||
|
|
||||||
// Base layer backgrounds
|
// Base layer backgrounds
|
||||||
@@ -61,6 +69,12 @@ export const THEMES_DESKTOP: DesktopTheme = {
|
|||||||
secondary: "#cba6f7",
|
secondary: "#cba6f7",
|
||||||
accent: "#f9e2af",
|
accent: "#f9e2af",
|
||||||
text: "#cdd6f4",
|
text: "#cdd6f4",
|
||||||
|
textPrimary: "#cdd6f4",
|
||||||
|
textSecondary: "#cba6f7",
|
||||||
|
textTertiary: "#7f849c",
|
||||||
|
textSelectedPrimary: "#1e1e2e",
|
||||||
|
textSelectedSecondary: "#cdd6f4",
|
||||||
|
textSelectedTertiary: "#cba6f7",
|
||||||
muted: "#7f849c",
|
muted: "#7f849c",
|
||||||
warning: "#fab387",
|
warning: "#fab387",
|
||||||
error: "#f38ba8",
|
error: "#f38ba8",
|
||||||
@@ -82,6 +96,12 @@ export const THEMES_DESKTOP: DesktopTheme = {
|
|||||||
secondary: "#83a598",
|
secondary: "#83a598",
|
||||||
accent: "#fe8019",
|
accent: "#fe8019",
|
||||||
text: "#ebdbb2",
|
text: "#ebdbb2",
|
||||||
|
textPrimary: "#ebdbb2",
|
||||||
|
textSecondary: "#83a598",
|
||||||
|
textTertiary: "#928374",
|
||||||
|
textSelectedPrimary: "#282828",
|
||||||
|
textSelectedSecondary: "#ebdbb2",
|
||||||
|
textSelectedTertiary: "#83a598",
|
||||||
muted: "#928374",
|
muted: "#928374",
|
||||||
warning: "#fabd2f",
|
warning: "#fabd2f",
|
||||||
error: "#fb4934",
|
error: "#fb4934",
|
||||||
@@ -103,6 +123,12 @@ export const THEMES_DESKTOP: DesktopTheme = {
|
|||||||
secondary: "#bb9af7",
|
secondary: "#bb9af7",
|
||||||
accent: "#e0af68",
|
accent: "#e0af68",
|
||||||
text: "#c0caf5",
|
text: "#c0caf5",
|
||||||
|
textPrimary: "#c0caf5",
|
||||||
|
textSecondary: "#bb9af7",
|
||||||
|
textTertiary: "#565f89",
|
||||||
|
textSelectedPrimary: "#1a1b26",
|
||||||
|
textSelectedSecondary: "#c0caf5",
|
||||||
|
textSelectedTertiary: "#bb9af7",
|
||||||
muted: "#565f89",
|
muted: "#565f89",
|
||||||
warning: "#e0af68",
|
warning: "#e0af68",
|
||||||
error: "#f7768e",
|
error: "#f7768e",
|
||||||
@@ -124,6 +150,12 @@ export const THEMES_DESKTOP: DesktopTheme = {
|
|||||||
secondary: "#81a1c1",
|
secondary: "#81a1c1",
|
||||||
accent: "#ebcb8b",
|
accent: "#ebcb8b",
|
||||||
text: "#eceff4",
|
text: "#eceff4",
|
||||||
|
textPrimary: "#eceff4",
|
||||||
|
textSecondary: "#81a1c1",
|
||||||
|
textTertiary: "#4c566a",
|
||||||
|
textSelectedPrimary: "#2e3440",
|
||||||
|
textSelectedSecondary: "#eceff4",
|
||||||
|
textSelectedTertiary: "#81a1c1",
|
||||||
muted: "#4c566a",
|
muted: "#4c566a",
|
||||||
warning: "#ebcb8b",
|
warning: "#ebcb8b",
|
||||||
error: "#bf616a",
|
error: "#bf616a",
|
||||||
|
|||||||
@@ -69,6 +69,8 @@ export interface FeedFilter {
|
|||||||
sortBy?: FeedSortField
|
sortBy?: FeedSortField
|
||||||
/** Sort direction */
|
/** Sort direction */
|
||||||
sortDirection?: "asc" | "desc"
|
sortDirection?: "asc" | "desc"
|
||||||
|
/** Show private feeds */
|
||||||
|
showPrivate?: boolean
|
||||||
}
|
}
|
||||||
|
|
||||||
/** Feed sort fields */
|
/** Feed sort fields */
|
||||||
|
|||||||
@@ -26,6 +26,8 @@ export interface Podcast {
|
|||||||
lastUpdated: Date
|
lastUpdated: Date
|
||||||
/** Whether the podcast is currently subscribed */
|
/** Whether the podcast is currently subscribed */
|
||||||
isSubscribed: boolean
|
isSubscribed: boolean
|
||||||
|
/** Callback to toggle feed visibility */
|
||||||
|
onToggleVisibility?: (feedId: string) => void
|
||||||
}
|
}
|
||||||
|
|
||||||
/** Podcast with episodes included */
|
/** Podcast with episodes included */
|
||||||
|
|||||||
@@ -23,11 +23,20 @@ export type ThemeColors = {
|
|||||||
secondary: ColorValue;
|
secondary: ColorValue;
|
||||||
accent: ColorValue;
|
accent: ColorValue;
|
||||||
text: ColorValue;
|
text: ColorValue;
|
||||||
|
textPrimary?: ColorValue;
|
||||||
|
textSecondary?: ColorValue;
|
||||||
|
textTertiary?: ColorValue;
|
||||||
|
textSelectedPrimary?: ColorValue;
|
||||||
|
textSelectedSecondary?: ColorValue;
|
||||||
|
textSelectedTertiary?: ColorValue;
|
||||||
muted: ColorValue;
|
muted: ColorValue;
|
||||||
warning: ColorValue;
|
warning: ColorValue;
|
||||||
error: ColorValue;
|
error: ColorValue;
|
||||||
success: ColorValue;
|
success: ColorValue;
|
||||||
layerBackgrounds?: LayerBackgrounds;
|
layerBackgrounds?: LayerBackgrounds;
|
||||||
|
_hasSelectedListItemText?: boolean;
|
||||||
|
thinkingOpacity?: number;
|
||||||
|
selectedListItemText?: ColorValue;
|
||||||
};
|
};
|
||||||
|
|
||||||
export type ThemeVariant = {
|
export type ThemeVariant = {
|
||||||
|
|||||||
@@ -23,4 +23,10 @@ export type ThemeJson = {
|
|||||||
export type ThemeColors = Record<string, RGBA> & {
|
export type ThemeColors = Record<string, RGBA> & {
|
||||||
_hasSelectedListItemText: boolean
|
_hasSelectedListItemText: boolean
|
||||||
thinkingOpacity: number
|
thinkingOpacity: number
|
||||||
|
textPrimary?: ColorValue
|
||||||
|
textSecondary?: ColorValue
|
||||||
|
textTertiary?: ColorValue
|
||||||
|
textSelectedPrimary?: ColorValue
|
||||||
|
textSelectedSecondary?: ColorValue
|
||||||
|
textSelectedTertiary?: ColorValue
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -298,23 +298,14 @@ function CommandDialog(props: {
|
|||||||
<box flexDirection="column" flexGrow={1}>
|
<box flexDirection="column" flexGrow={1}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => index() === selectedIndex()}
|
selected={() => index() === selectedIndex()}
|
||||||
fg={
|
primary
|
||||||
index() === selectedIndex()
|
|
||||||
? theme.selectedListItemText
|
|
||||||
: theme.text
|
|
||||||
}
|
|
||||||
attributes={
|
|
||||||
index() === selectedIndex()
|
|
||||||
? TextAttributes.BOLD
|
|
||||||
: undefined
|
|
||||||
}
|
|
||||||
>
|
>
|
||||||
{option.title}
|
{option.title}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
<Show when={option.footer}>
|
<Show when={option.footer}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => index() === selectedIndex()}
|
selected={() => index() === selectedIndex()}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
{option.footer}
|
{option.footer}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
@@ -322,7 +313,7 @@ function CommandDialog(props: {
|
|||||||
<Show when={option.description}>
|
<Show when={option.description}>
|
||||||
<SelectableText
|
<SelectableText
|
||||||
selected={() => index() === selectedIndex()}
|
selected={() => index() === selectedIndex()}
|
||||||
fg={theme.textMuted}
|
tertiary
|
||||||
>
|
>
|
||||||
{option.description}
|
{option.description}
|
||||||
</SelectableText>
|
</SelectableText>
|
||||||
|
|||||||
@@ -16,6 +16,7 @@ import { DEFAULT_THEME } from "../constants/themes";
|
|||||||
|
|
||||||
const APP_STATE_FILE = "app-state.json";
|
const APP_STATE_FILE = "app-state.json";
|
||||||
const PROGRESS_FILE = "progress.json";
|
const PROGRESS_FILE = "progress.json";
|
||||||
|
const AUDIO_NAV_FILE = "audio-nav.json";
|
||||||
|
|
||||||
// --- Defaults ---
|
// --- Defaults ---
|
||||||
|
|
||||||
@@ -119,3 +120,39 @@ export async function saveProgressToFile(
|
|||||||
// Silently ignore write errors
|
// Silently ignore write errors
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
interface AudioNavEntry {
|
||||||
|
source: string;
|
||||||
|
currentIndex: number;
|
||||||
|
podcastId?: string;
|
||||||
|
lastUpdated: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Load audio navigation state from JSON file */
|
||||||
|
export async function loadAudioNavFromFile<T>(): Promise<T | null> {
|
||||||
|
try {
|
||||||
|
const filePath = getConfigFilePath(AUDIO_NAV_FILE);
|
||||||
|
const file = Bun.file(filePath);
|
||||||
|
if (!(await file.exists())) return null;
|
||||||
|
|
||||||
|
const raw = await file.json();
|
||||||
|
if (!raw || typeof raw !== "object") return null;
|
||||||
|
|
||||||
|
return raw as T;
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Save audio navigation state to JSON file */
|
||||||
|
export async function saveAudioNavToFile<T>(
|
||||||
|
data: T,
|
||||||
|
): Promise<void> {
|
||||||
|
try {
|
||||||
|
await ensureConfigDir();
|
||||||
|
const filePath = getConfigFilePath(AUDIO_NAV_FILE);
|
||||||
|
await Bun.write(filePath, JSON.stringify(data, null, 2));
|
||||||
|
} catch {
|
||||||
|
// Silently ignore write errors
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
@@ -11,7 +11,12 @@ import { parseJSONC } from "./jsonc";
|
|||||||
import { getConfigFilePath, ensureConfigDir } from "./config-dir";
|
import { getConfigFilePath, ensureConfigDir } from "./config-dir";
|
||||||
import type { KeybindsResolved } from "../context/KeybindContext";
|
import type { KeybindsResolved } from "../context/KeybindContext";
|
||||||
|
|
||||||
const KEYBINDS_SOURCE = path.join(process.cwd(), "src", "config", "keybind.jsonc");
|
const KEYBINDS_SOURCE = path.join(
|
||||||
|
process.cwd(),
|
||||||
|
"src",
|
||||||
|
"config",
|
||||||
|
"keybind.jsonc",
|
||||||
|
);
|
||||||
const KEYBINDS_FILE = "keybinds.jsonc";
|
const KEYBINDS_FILE = "keybinds.jsonc";
|
||||||
|
|
||||||
/** Default keybinds from package */
|
/** Default keybinds from package */
|
||||||
@@ -22,8 +27,9 @@ const DEFAULT_KEYBINDS: KeybindsResolved = {
|
|||||||
right: ["right", "l"],
|
right: ["right", "l"],
|
||||||
cycle: ["tab"],
|
cycle: ["tab"],
|
||||||
dive: ["return"],
|
dive: ["return"],
|
||||||
|
select: ["return"],
|
||||||
out: ["esc"],
|
out: ["esc"],
|
||||||
inverse: ["shift"],
|
inverseModifier: "shift",
|
||||||
leader: ":",
|
leader: ":",
|
||||||
quit: ["<leader>q"],
|
quit: ["<leader>q"],
|
||||||
"audio-toggle": ["<leader>p"],
|
"audio-toggle": ["<leader>p"],
|
||||||
@@ -31,6 +37,8 @@ const DEFAULT_KEYBINDS: KeybindsResolved = {
|
|||||||
"audio-play": [],
|
"audio-play": [],
|
||||||
"audio-next": ["<leader>n"],
|
"audio-next": ["<leader>n"],
|
||||||
"audio-prev": ["<leader>l"],
|
"audio-prev": ["<leader>l"],
|
||||||
|
"audio-seek-forward": ["<leader>sf"],
|
||||||
|
"audio-seek-backward": ["<leader>sb"],
|
||||||
};
|
};
|
||||||
|
|
||||||
/** Copy keybind.jsonc to user config directory on first run */
|
/** Copy keybind.jsonc to user config directory on first run */
|
||||||
@@ -69,7 +77,9 @@ export async function loadKeybindsFromFile(): Promise<KeybindsResolved> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
/** Save keybinds to JSONC file */
|
/** Save keybinds to JSONC file */
|
||||||
export async function saveKeybindsToFile(keybinds: KeybindsResolved): Promise<void> {
|
export async function saveKeybindsToFile(
|
||||||
|
keybinds: KeybindsResolved,
|
||||||
|
): Promise<void> {
|
||||||
try {
|
try {
|
||||||
await ensureConfigDir();
|
await ensureConfigDir();
|
||||||
const filePath = getConfigFilePath(KEYBINDS_FILE);
|
const filePath = getConfigFilePath(KEYBINDS_FILE);
|
||||||
|
|||||||
@@ -2,9 +2,10 @@ import type { SyncData } from "../types/sync-json"
|
|||||||
import type { SyncDataXML } from "../types/sync-xml"
|
import type { SyncDataXML } from "../types/sync-xml"
|
||||||
import { validateJSONSync, validateXMLSync } from "./sync-validation"
|
import { validateJSONSync, validateXMLSync } from "./sync-validation"
|
||||||
import { syncFormats } from "../constants/sync-formats"
|
import { syncFormats } from "../constants/sync-formats"
|
||||||
|
import { FeedVisibility } from "../types/feed"
|
||||||
|
|
||||||
export function exportToJSON(data: SyncData): string {
|
export function exportToJSON(data: SyncData): string {
|
||||||
return `{\n "version": "${data.version}",\n "lastSyncedAt": "${data.lastSyncedAt}",\n "feeds": [],\n "sources": [],\n "settings": {\n "theme": "${data.settings.theme}",\n "playbackSpeed": ${data.settings.playbackSpeed},\n "downloadPath": "${data.settings.downloadPath}"\n },\n "preferences": {\n "showExplicit": ${data.preferences.showExplicit},\n "autoDownload": ${data.preferences.autoDownload}\n }\n}`
|
return `{\n "version": "${data.version}",\n "lastSyncedAt": "${data.lastSyncedAt}",\n "feeds": [],\n "sources": [],\n "settings": {\n "theme": "${data.settings.theme}",\n "playbackSpeed": ${data.settings.playbackSpeed},\n "downloadPath": "${data.settings.downloadPath}"\n },\n "preferences": {\n "showExplicit": ${data.preferences.showExplicit},\n "autoDownload": ${data.preferences.autoDownload}\n }\}`
|
||||||
}
|
}
|
||||||
|
|
||||||
export function importFromJSON(json: string): SyncData {
|
export function importFromJSON(json: string): SyncData {
|
||||||
|
|||||||
@@ -64,6 +64,19 @@ export function generateSystemTheme(
|
|||||||
const diffAddedLineNumberBg = tint(grays[3], ansi.green, diffAlpha);
|
const diffAddedLineNumberBg = tint(grays[3], ansi.green, diffAlpha);
|
||||||
const diffRemovedLineNumberBg = tint(grays[3], ansi.red, diffAlpha);
|
const diffRemovedLineNumberBg = tint(grays[3], ansi.red, diffAlpha);
|
||||||
|
|
||||||
|
// Create darker shades for selected text colors to ensure contrast
|
||||||
|
const darken = (color: RGBA, factor: number = 0.6) => {
|
||||||
|
return RGBA.fromInts(
|
||||||
|
Math.round(color.r * 255 * factor),
|
||||||
|
Math.round(color.g * 255 * factor),
|
||||||
|
Math.round(color.b * 255 * factor)
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
const selectedPrimary = darken(ansi.cyan, isDark ? 0.4 : 0.6);
|
||||||
|
const selectedSecondary = darken(ansi.magenta, isDark ? 0.4 : 0.6);
|
||||||
|
const selectedTertiary = darken(textMuted, isDark ? 0.5 : 0.5);
|
||||||
|
|
||||||
return {
|
return {
|
||||||
theme: {
|
theme: {
|
||||||
primary: ansi.cyan,
|
primary: ansi.cyan,
|
||||||
@@ -75,6 +88,12 @@ export function generateSystemTheme(
|
|||||||
info: ansi.cyan,
|
info: ansi.cyan,
|
||||||
text: fg,
|
text: fg,
|
||||||
textMuted,
|
textMuted,
|
||||||
|
textPrimary: fg,
|
||||||
|
textSecondary: textMuted,
|
||||||
|
textTertiary: textMuted,
|
||||||
|
textSelectedPrimary: selectedPrimary,
|
||||||
|
textSelectedSecondary: selectedSecondary,
|
||||||
|
textSelectedTertiary: selectedTertiary,
|
||||||
selectedListItemText: bg,
|
selectedListItemText: bg,
|
||||||
background: transparent,
|
background: transparent,
|
||||||
backgroundPanel: grays[2],
|
backgroundPanel: grays[2],
|
||||||
|
|||||||
Reference in New Issue
Block a user