nonworking keybinds

This commit is contained in:
2026-02-13 17:25:32 -05:00
parent 91fcaa9b9e
commit 8e0f90f449
9 changed files with 381 additions and 66 deletions

View File

@@ -12,14 +12,17 @@ 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, ThemeProvider } from "./context/ThemeContext"; import { useTheme, ThemeProvider } from "./context/ThemeContext";
import { KeybindProvider, useKeybinds } from "./context/KeybindContext"; import { KeybindProvider, useKeybinds } from "./context/KeybindContext";
import { useAudioNavStore, AudioSource } from "./stores/audio-nav";
const DEBUG = import.meta.env.DEBUG; const DEBUG = import.meta.env.DEBUG;
export interface PageProps { export interface PageProps {
depth: Accessor<number>; depth: Accessor<number>;
focusedIndex?: Accessor<number> | number;
focusedIndexValue?: number;
} }
export function App() { export function App() {
@@ -29,6 +32,8 @@ export function App() {
const [showAuthPanel, setShowAuthPanel] = createSignal(false); const [showAuthPanel, setShowAuthPanel] = createSignal(false);
const [inputFocused, setInputFocused] = createSignal(false); const [inputFocused, setInputFocused] = createSignal(false);
const [layerDepth, setLayerDepth] = createSignal(0); const [layerDepth, setLayerDepth] = createSignal(0);
const [focusedIndex, setFocusedIndex] = createSignal(0);
const auth = useAuthStore(); const auth = useAuthStore();
const feedStore = useFeedStore(); const feedStore = useFeedStore();
const audio = useAudio(); const audio = useAudio();
@@ -36,6 +41,7 @@ export function App() {
const renderer = useRenderer(); const renderer = useRenderer();
const { theme } = useTheme(); const { theme } = useTheme();
const keybind = useKeybinds(); const keybind = useKeybinds();
const audioNav = useAudioNavStore();
useMultimediaKeys({ useMultimediaKeys({
playerFocused: () => activeTab() === TABS.PLAYER && layerDepth() > 0, playerFocused: () => activeTab() === TABS.PLAYER && layerDepth() > 0,
@@ -47,6 +53,7 @@ export function App() {
audio.play(episode); audio.play(episode);
setActiveTab(TABS.PLAYER); setActiveTab(TABS.PLAYER);
setLayerDepth(1); setLayerDepth(1);
audioNav.setSource(AudioSource.FEED);
}; };
useSelectionHandler((selection: any) => { useSelectionHandler((selection: any) => {
@@ -64,55 +71,110 @@ export function App() {
}); });
}); });
// Handle keyboard input with dynamic keybinds
useKeyboard( useKeyboard(
(keyEvent) => { (keyEvent) => {
const name = 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 isCycle = keybind.match("cycle", 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);
// Navigation: up/down if (DEBUG) {
if (keybind.match("up", keyEvent) || keybind.match("down", keyEvent)) { console.log("KeyEvent:", keyEvent);
// TODO: Implement navigation logic console.log("Keybinds loaded:", {
up: keybind.keybinds.up,
down: keybind.keybinds.down,
left: keybind.keybinds.left,
right: keybind.keybinds.right,
});
} }
// Navigation: left/right if (isUp || isDown) {
if (keybind.match("left", keyEvent) || keybind.match("right", keyEvent)) { const currentDepth = activeDepth();
// TODO: Implement navigation logic const maxDepth = LayerDepths[activeTab()];
console.log("Navigation:", { isUp, isDown, currentDepth, maxDepth });
// Navigate within current depth layer
if (currentDepth < maxDepth) {
const newIndex = isUp ? focusedIndex() - 1 : focusedIndex() + 1;
setFocusedIndex(Math.max(0, Math.min(newIndex, maxDepth)));
}
} }
// Cycle through options // Horizontal movement - move within current layer
if (keybind.match("cycle", keyEvent)) { if (isLeft || isRight) {
// TODO: Implement cycle logic const currentDepth = activeDepth();
const maxDepth = LayerDepths[activeTab()];
if (currentDepth < maxDepth) {
const newIndex = isLeft ? focusedIndex() - 1 : focusedIndex() + 1;
setFocusedIndex(Math.max(0, Math.min(newIndex, maxDepth)));
}
} }
// Dive into content // Cycle through current depth
if (keybind.match("dive", keyEvent)) { if (isCycle) {
// TODO: Implement dive logic const currentDepth = activeDepth();
const maxDepth = LayerDepths[activeTab()];
if (currentDepth < maxDepth) {
const newIndex = (focusedIndex() + 1) % (maxDepth + 1);
setFocusedIndex(newIndex);
}
} }
// Out of content // Increase depth
if (keybind.match("out", keyEvent)) { if (isDive) {
setActiveDepth((prev) => Math.max(0, prev - 1)); const currentDepth = activeDepth();
return; const maxDepth = LayerDepths[activeTab()];
if (currentDepth < maxDepth) {
setActiveDepth(currentDepth + 1);
setFocusedIndex(0);
}
} }
// Audio controls // Decrease depth
if (keybind.match("audio-toggle", keyEvent)) { if (isOut) {
const currentDepth = activeDepth();
if (currentDepth > 0) {
setActiveDepth(currentDepth - 1);
setFocusedIndex(0);
}
}
if (isToggle) {
audio.togglePlayback(); audio.togglePlayback();
return;
} }
if (keybind.match("audio-next", keyEvent)) { if (isNext) {
audio.seekRelative(30); // Skip forward 30 seconds audio.next();
return;
} }
if (keybind.match("audio-prev", keyEvent)) { if (isPrev) {
audio.seekRelative(-30); // Skip back 30 seconds audio.prev();
return; }
if (isSeekForward) {
audio.seekRelative(15);
}
if (isSeekBackward) {
audio.seekRelative(-15);
} }
// Quit application // Quit application
if (keybind.match("quit", keyEvent)) { if (isQuit) {
process.exit(0); process.exit(0);
} }
}, },
@@ -169,8 +231,11 @@ export function App() {
backgroundColor={theme.surface} backgroundColor={theme.surface}
> >
<TabNavigation activeTab={activeTab()} onTabSelect={setActiveTab} /> <TabNavigation activeTab={activeTab()} onTabSelect={setActiveTab} />
{LayerGraph[activeTab()]({ depth: activeDepth })} {LayerGraph[activeTab()]({
{/**TODO: Contextual controls based on tab/depth**/} depth: activeDepth,
focusedIndex: focusedIndex(),
})}
{/** TODO: Contextual controls based on tab/depth**/}
</box> </box>
</ErrorBoundary> </ErrorBoundary>
</ThemeProvider> </ThemeProvider>

View File

@@ -14,4 +14,6 @@
"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"],
} }

View File

@@ -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[];
@@ -25,9 +23,27 @@ export type KeybindsResolved = {
"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,
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({
@@ -49,7 +65,9 @@ export const { use: useKeybinds, provider: KeybindProvider } =
"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() {

View File

@@ -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,
} }
} }

View File

@@ -24,7 +24,6 @@ const ITEMS_PER_BATCH = 50;
export function FeedPage(props: PageProps) { export function FeedPage(props: PageProps) {
const feedStore = useFeedStore(); const feedStore = useFeedStore();
const [selectedIndex, setSelectedIndex] = createSignal(0);
const [isRefreshing, setIsRefreshing] = createSignal(false); const [isRefreshing, setIsRefreshing] = createSignal(false);
const [loadedEpisodesCount, setLoadedEpisodesCount] = createSignal(ITEMS_PER_BATCH); const [loadedEpisodesCount, setLoadedEpisodesCount] = createSignal(ITEMS_PER_BATCH);
@@ -64,11 +63,6 @@ export function FeedPage(props: PageProps) {
setIsRefreshing(false); setIsRefreshing(false);
}; };
const handleScrollDown = async () => {
if (feedStore.isLoadingMore() || !feedStore.hasMoreEpisodes()) return;
await feedStore.loadMoreEpisodes();
};
const { theme } = useTheme(); const { theme } = useTheme();
return ( return (
<box <box
@@ -99,7 +93,8 @@ export function FeedPage(props: PageProps) {
)} )}
> >
{([date, episode], groupIndex) => { {([date, episode], groupIndex) => {
const selected = () => groupIndex() === selectedIndex(); const index = typeof props.focusedIndex === 'function' ? props.focusedIndex() : props.focusedIndex;
const selected = () => groupIndex() === index;
return ( return (
<> <>
<box <box
@@ -122,7 +117,9 @@ export function FeedPage(props: PageProps) {
paddingRight={1} paddingRight={1}
paddingTop={0} paddingTop={0}
paddingBottom={0} paddingBottom={0}
onMouseDown={() => setSelectedIndex(groupIndex())} onMouseDown={() => {
// Selection is handled by App's keyboard navigation
}}
> >
<SelectableText selected={selected} primary> <SelectableText selected={selected} primary>
{selected() ? ">" : " "} {selected() ? ">" : " "}

View File

@@ -11,6 +11,7 @@ import { DownloadStatus } from "@/types/episode";
import { format } from "date-fns"; import { format } from "date-fns";
import { PageProps } from "@/App"; import { PageProps } from "@/App";
import { useTheme } from "@/context/ThemeContext"; import { useTheme } from "@/context/ThemeContext";
import { useAudioNavStore, AudioSource } from "@/stores/audio-nav";
enum MyShowsPaneType { enum MyShowsPaneType {
SHOWS = 1, SHOWS = 1,
@@ -22,8 +23,7 @@ export const MyShowsPaneCount = 2;
export function MyShowsPage(props: PageProps) { export function MyShowsPage(props: PageProps) {
const feedStore = useFeedStore(); const feedStore = useFeedStore();
const downloadStore = useDownloadStore(); const downloadStore = useDownloadStore();
const [showIndex, setShowIndex] = createSignal(0); const audioNav = useAudioNavStore();
const [episodeIndex, setEpisodeIndex] = createSignal(0);
const [isRefreshing, setIsRefreshing] = createSignal(false); const [isRefreshing, setIsRefreshing] = createSignal(false);
const { theme } = useTheme(); const { theme } = useTheme();
const mutedColor = () => theme.muted || theme.text; const mutedColor = () => theme.muted || theme.text;
@@ -35,8 +35,8 @@ export function MyShowsPage(props: PageProps) {
const selectedShow = createMemo(() => { const selectedShow = createMemo(() => {
const s = shows(); const s = shows();
const idx = showIndex(); const index = typeof props.focusedIndex === 'function' ? props.focusedIndex() : props.focusedIndex;
return idx < s.length ? s[idx] : undefined; return index < s.length ? s[index] : undefined;
}); });
const episodes = createMemo(() => { const episodes = createMemo(() => {
@@ -47,23 +47,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");
}; };
@@ -160,6 +143,7 @@ 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

126
src/stores/audio-nav.ts Normal file
View 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;
}

View File

@@ -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
}
}

View File

@@ -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 */
@@ -31,6 +36,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 +76,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);