Discussion
Loading...

#Tag

Log in
  • About
  • Code of conduct
  • Privacy
  • Users
  • Instances
  • About Bonfire
洪 民憙 (Hong Minhee) :nonbinary: boosted
洪 民憙 (Hong Minhee)
洪 民憙 (Hong Minhee)
@hongminhee@hackers.pub  ·  activity timestamp last week
⁂ Article

Your CLI's completion should know what options you've already typed

Consider Git's -C option:

git -C /path/to/repo checkout <TAB>

When you hit Tab, Git completes branch names from /path/to/repo, not your current directory. The completion is context-aware—it depends on the value of another option.

Most CLI parsers can't do this. They treat each option in isolation, so completion for --branch has no way of knowing the --repo value. You end up with two unpleasant choices: either show completions for all possible branches across all repositories (useless), or give up on completion entirely for these options.

Optique 0.10.0 introduces a dependency system that solves this problem while preserving full type safety.

Static dependencies with or()

Optique already handles certain kinds of dependent options via the or() combinator:

import { flag, object, option, or, string } from "@optique/core";

const outputOptions = or(
 object({
 json: flag("--json"),
 pretty: flag("--pretty"),
 }),
 object({
 csv: flag("--csv"),
 delimiter: option("--delimiter", string()),
 }),
);

TypeScript knows that if json is true, you'll have a pretty field, and if csv is true, you'll have a delimiter field. The parser enforces this at runtime, and shell completion will suggest --pretty only when --json is present.

This works well when the valid combinations are known at definition time. But it can't handle cases where valid values depend on runtime input—like branch names that vary by repository.

Runtime dependencies

Common scenarios include:

  • A deployment CLI where --environment affects which services are available
  • A database tool where --connection affects which tables can be completed
  • A cloud CLI where --project affects which resources are shown

In each case, you can't know the valid values until you know what the user typed for the dependency option. Optique 0.10.0 introduces dependency() and derive() to handle exactly this.

The dependency system

The core idea is simple: mark one option as a dependency source, then create derived parsers that use its value.

import {
 choice,
 dependency,
 message,
 object,
 option,
 string,
} from "@optique/core";

function getRefsFromRepo(repoPath: string): string[] {
 // In real code, this would read from the Git repository
 return ["main", "develop", "feature/login"];
}

// Mark as a dependency source
const repoParser = dependency(string());

// Create a derived parser
const refParser = repoParser.derive({
 metavar: "REF",
 factory: (repoPath) => {
 const refs = getRefsFromRepo(repoPath);
 return choice(refs);
 },
 defaultValue: () => ".",
});

const parser = object({
 repo: option("--repo", repoParser, {
 description: message`Path to the repository`,
 }),
 ref: option("--ref", refParser, {
 description: message`Git reference`,
 }),
});

The factory function is where the dependency gets resolved. It receives the actual value the user provided for --repo and returns a parser that validates against refs from that specific repository.

Under the hood, Optique uses a three-phase parsing strategy:

  1. Parse all options in a first pass, collecting dependency values
  2. Call factory functions with the collected values to create concrete parsers
  3. Re-parse derived options using those dynamically created parsers

This means both validation and completion work correctly—if the user has already typed --repo /some/path, the --ref completion will show refs from that path.

Repository-aware completion with @optique/git

The @optique/git package provides async value parsers that read from Git repositories. Combined with the dependency system, you can build CLIs with repository-aware completion:

import {
 command,
 dependency,
 message,
 object,
 option,
 string,
} from "@optique/core";
import { gitBranch } from "@optique/git";

const repoParser = dependency(string());

const branchParser = repoParser.deriveAsync({
 metavar: "BRANCH",
 factory: (repoPath) => gitBranch({ dir: repoPath }),
 defaultValue: () => ".",
});

const checkout = command(
 "checkout",
 object({
 repo: option("--repo", repoParser, {
 description: message`Path to the repository`,
 }),
 branch: option("--branch", branchParser, {
 description: message`Branch to checkout`,
 }),
 }),
);

Now when you type my-cli checkout --repo /path/to/project --branch <TAB>, the completion will show branches from /path/to/project. The defaultValue of "." means that if --repo isn't specified, it falls back to the current directory.

Multiple dependencies

Sometimes a parser needs values from multiple options. The deriveFrom() function handles this:

import {
 choice,
 dependency,
 deriveFrom,
 message,
 object,
 option,
} from "@optique/core";

function getAvailableServices(env: string, region: string): string[] {
 return [`${env}-api-${region}`, `${env}-web-${region}`];
}

const envParser = dependency(choice(["dev", "staging", "prod"] as const));
const regionParser = dependency(choice(["us-east", "eu-west"] as const));

const serviceParser = deriveFrom({
 dependencies: [envParser, regionParser] as const,
 metavar: "SERVICE",
 factory: (env, region) => {
 const services = getAvailableServices(env, region);
 return choice(services);
 },
 defaultValues: () => ["dev", "us-east"] as const,
});

const parser = object({
 env: option("--env", envParser, {
 description: message`Deployment environment`,
 }),
 region: option("--region", regionParser, {
 description: message`Cloud region`,
 }),
 service: option("--service", serviceParser, {
 description: message`Service to deploy`,
 }),
});

The factory receives values in the same order as the dependency array. If some dependencies aren't provided, Optique uses the defaultValues.

Async support

Real-world dependency resolution often involves I/O—reading from Git repositories, querying APIs, accessing databases. Optique provides async variants for these cases:

import { dependency, string } from "@optique/core";
import { gitBranch } from "@optique/git";

const repoParser = dependency(string());

const branchParser = repoParser.deriveAsync({
 metavar: "BRANCH",
 factory: (repoPath) => gitBranch({ dir: repoPath }),
 defaultValue: () => ".",
});

The @optique/git package uses isomorphic-git under the hood, so gitBranch(), gitTag(), and gitRef() all work in both Node.js and Deno.

There's also deriveSync() for when you need to be explicit about synchronous behavior, and deriveFromAsync() for multiple async dependencies.

Wrapping up

The dependency system lets you build CLIs where options are aware of each other—not just for validation, but for shell completion too. You get type safety throughout: TypeScript knows the relationship between your dependency sources and derived parsers, and invalid combinations are caught at compile time.

This is particularly useful for tools that interact with external systems where the set of valid values isn't known until runtime. Git repositories, cloud providers, databases, container registries—anywhere the completion choices depend on context the user has already provided.

This feature will be available in Optique 0.10.0. To try the pre-release:

deno add jsr:@optique/core@0.10.0-dev.311

Or with npm:

npm install @optique/core@0.10.0-dev.311

See the documentation for more details.

Inter-option dependencies | Optique

Inter-option dependencies allow one option's valid values to depend on another option's value, enabling dynamic validation and context-aware shell completion.
  • Copy link
  • Flag this article
  • Block
洪 民憙 (Hong Minhee)
洪 民憙 (Hong Minhee)
@hongminhee@hackers.pub  ·  activity timestamp last week
⁂ Article

Your CLI's completion should know what options you've already typed

Consider Git's -C option:

git -C /path/to/repo checkout <TAB>

When you hit Tab, Git completes branch names from /path/to/repo, not your current directory. The completion is context-aware—it depends on the value of another option.

Most CLI parsers can't do this. They treat each option in isolation, so completion for --branch has no way of knowing the --repo value. You end up with two unpleasant choices: either show completions for all possible branches across all repositories (useless), or give up on completion entirely for these options.

Optique 0.10.0 introduces a dependency system that solves this problem while preserving full type safety.

Static dependencies with or()

Optique already handles certain kinds of dependent options via the or() combinator:

import { flag, object, option, or, string } from "@optique/core";

const outputOptions = or(
 object({
 json: flag("--json"),
 pretty: flag("--pretty"),
 }),
 object({
 csv: flag("--csv"),
 delimiter: option("--delimiter", string()),
 }),
);

TypeScript knows that if json is true, you'll have a pretty field, and if csv is true, you'll have a delimiter field. The parser enforces this at runtime, and shell completion will suggest --pretty only when --json is present.

This works well when the valid combinations are known at definition time. But it can't handle cases where valid values depend on runtime input—like branch names that vary by repository.

Runtime dependencies

Common scenarios include:

  • A deployment CLI where --environment affects which services are available
  • A database tool where --connection affects which tables can be completed
  • A cloud CLI where --project affects which resources are shown

In each case, you can't know the valid values until you know what the user typed for the dependency option. Optique 0.10.0 introduces dependency() and derive() to handle exactly this.

The dependency system

The core idea is simple: mark one option as a dependency source, then create derived parsers that use its value.

import {
 choice,
 dependency,
 message,
 object,
 option,
 string,
} from "@optique/core";

function getRefsFromRepo(repoPath: string): string[] {
 // In real code, this would read from the Git repository
 return ["main", "develop", "feature/login"];
}

// Mark as a dependency source
const repoParser = dependency(string());

// Create a derived parser
const refParser = repoParser.derive({
 metavar: "REF",
 factory: (repoPath) => {
 const refs = getRefsFromRepo(repoPath);
 return choice(refs);
 },
 defaultValue: () => ".",
});

const parser = object({
 repo: option("--repo", repoParser, {
 description: message`Path to the repository`,
 }),
 ref: option("--ref", refParser, {
 description: message`Git reference`,
 }),
});

The factory function is where the dependency gets resolved. It receives the actual value the user provided for --repo and returns a parser that validates against refs from that specific repository.

Under the hood, Optique uses a three-phase parsing strategy:

  1. Parse all options in a first pass, collecting dependency values
  2. Call factory functions with the collected values to create concrete parsers
  3. Re-parse derived options using those dynamically created parsers

This means both validation and completion work correctly—if the user has already typed --repo /some/path, the --ref completion will show refs from that path.

Repository-aware completion with @optique/git

The @optique/git package provides async value parsers that read from Git repositories. Combined with the dependency system, you can build CLIs with repository-aware completion:

import {
 command,
 dependency,
 message,
 object,
 option,
 string,
} from "@optique/core";
import { gitBranch } from "@optique/git";

const repoParser = dependency(string());

const branchParser = repoParser.deriveAsync({
 metavar: "BRANCH",
 factory: (repoPath) => gitBranch({ dir: repoPath }),
 defaultValue: () => ".",
});

const checkout = command(
 "checkout",
 object({
 repo: option("--repo", repoParser, {
 description: message`Path to the repository`,
 }),
 branch: option("--branch", branchParser, {
 description: message`Branch to checkout`,
 }),
 }),
);

Now when you type my-cli checkout --repo /path/to/project --branch <TAB>, the completion will show branches from /path/to/project. The defaultValue of "." means that if --repo isn't specified, it falls back to the current directory.

Multiple dependencies

Sometimes a parser needs values from multiple options. The deriveFrom() function handles this:

import {
 choice,
 dependency,
 deriveFrom,
 message,
 object,
 option,
} from "@optique/core";

function getAvailableServices(env: string, region: string): string[] {
 return [`${env}-api-${region}`, `${env}-web-${region}`];
}

const envParser = dependency(choice(["dev", "staging", "prod"] as const));
const regionParser = dependency(choice(["us-east", "eu-west"] as const));

const serviceParser = deriveFrom({
 dependencies: [envParser, regionParser] as const,
 metavar: "SERVICE",
 factory: (env, region) => {
 const services = getAvailableServices(env, region);
 return choice(services);
 },
 defaultValues: () => ["dev", "us-east"] as const,
});

const parser = object({
 env: option("--env", envParser, {
 description: message`Deployment environment`,
 }),
 region: option("--region", regionParser, {
 description: message`Cloud region`,
 }),
 service: option("--service", serviceParser, {
 description: message`Service to deploy`,
 }),
});

The factory receives values in the same order as the dependency array. If some dependencies aren't provided, Optique uses the defaultValues.

Async support

Real-world dependency resolution often involves I/O—reading from Git repositories, querying APIs, accessing databases. Optique provides async variants for these cases:

import { dependency, string } from "@optique/core";
import { gitBranch } from "@optique/git";

const repoParser = dependency(string());

const branchParser = repoParser.deriveAsync({
 metavar: "BRANCH",
 factory: (repoPath) => gitBranch({ dir: repoPath }),
 defaultValue: () => ".",
});

The @optique/git package uses isomorphic-git under the hood, so gitBranch(), gitTag(), and gitRef() all work in both Node.js and Deno.

There's also deriveSync() for when you need to be explicit about synchronous behavior, and deriveFromAsync() for multiple async dependencies.

Wrapping up

The dependency system lets you build CLIs where options are aware of each other—not just for validation, but for shell completion too. You get type safety throughout: TypeScript knows the relationship between your dependency sources and derived parsers, and invalid combinations are caught at compile time.

This is particularly useful for tools that interact with external systems where the set of valid values isn't known until runtime. Git repositories, cloud providers, databases, container registries—anywhere the completion choices depend on context the user has already provided.

This feature will be available in Optique 0.10.0. To try the pre-release:

deno add jsr:@optique/core@0.10.0-dev.311

Or with npm:

npm install @optique/core@0.10.0-dev.311

See the documentation for more details.

Inter-option dependencies | Optique

Inter-option dependencies allow one option's valid values to depend on another option's value, enabling dynamic validation and context-aware shell completion.
  • Copy link
  • Flag this article
  • Block
Hacker News
Hacker News
@h4ckernews@mastodon.social  ·  activity timestamp 2 weeks ago

mcpc – Universal command-line client for Model Context Protocol (MCP)

https://github.com/apify/mcp-cli

#HackerNews #mcpc #MCP #commandline #client #technology #open-source #GitHub

GitHub

GitHub - apify/mcp-cli: Universal command-line client for MCP. Supports persistent sessions, stdio/HTTP, OAuth 2.1, JSON output for scripting and code mode, proxy for AI sandboxes, and more.

Universal command-line client for MCP. Supports persistent sessions, stdio/HTTP, OAuth 2.1, JSON output for scripting and code mode, proxy for AI sandboxes, and more. - apify/mcp-cli
  • Copy link
  • Flag this post
  • Block
Roni Rolle Laukkarinen
Roni Rolle Laukkarinen
@rolle@mementomori.social  ·  activity timestamp 4 weeks ago

Just released by me: OmniShuffle - A unified command-line music shuffler built with python, it combines Spotify, Pandora, and YouTube Music into a single streaming experience with pianobar-style controls and Last.fm scrobbling support.

This will eventually replace my pianobar-setup I've used for 10+ years. https://github.com/ronilaukkarinen/pianobar-macos

Source code: https://github.com/ronilaukkarinen/omnishuffle

#OpenSource #BuildInPublic #Music #CLI #CommandLine #Python

A CLI music player of mine
A CLI music player of mine
A CLI music player of mine
GitHub

GitHub - ronilaukkarinen/omnishuffle: 📻 Unified music shuffler for Spotify, Pandora & YouTube.

📻 Unified music shuffler for Spotify, Pandora & YouTube. - ronilaukkarinen/omnishuffle
GitHub

GitHub - ronilaukkarinen/pianobar-macos: Fork of console-based pandora.com player - Last.fm scrobbling and notifications with album art for macOS.

Fork of console-based pandora.com player - Last.fm scrobbling and notifications with album art for macOS. - ronilaukkarinen/pianobar-macos
  • Copy link
  • Flag this post
  • Block
Hacker News
Hacker News
@h4ckernews@mastodon.social  ·  activity timestamp last month

In the Beginning Was the Command Line (1999)

https://web.stanford.edu/class/cs81n/command.txt

#HackerNews #In #the #Beginning #Was #the #Command #Line #1999 #commandline #techhistory #programming #linux

  • Copy link
  • Flag this post
  • Block
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp last month

in other news, the other day i was fed up with a command-line tool's lack of documentation because i tried man <command>, info <command>, <command> -h, and <command> --help to no avail, and went on the forums to complain only to find that i should have entered <command> help.

i feel like at the least, when you enter no arguments for a command that requires them, it should print out basic usage instructions including what the help flag/command is

(but it's a FreeBSD server so maybe that's just the style idk)

#cli #CommandLine

  • Copy link
  • Flag this post
  • Block
Hacker News
Hacker News
@h4ckernews@mastodon.social  ·  activity timestamp 2 months ago

Runprompt – run .prompt files from the command line

https://github.com/chr15m/runprompt

#HackerNews #Runprompt #CommandLine #.promptFiles #GitHub #Automation

  • Copy link
  • Flag this post
  • Block
Stefano Marinelli boosted
Armin Hanisch
Armin Hanisch
@Linkshaender@bildung.social  ·  activity timestamp 3 months ago

(edit: missing word added)
Just a shoutout and a big „Thank You“ to all these developers who provide a „dryrun“ option in their command line utilities. One of the best things I learned as a developer that might save someone‘s ass someday. 👍🏼🤗

#Programming #CommandLine #DryRun

  • Copy link
  • Flag this post
  • Block
Armin Hanisch
Armin Hanisch
@Linkshaender@bildung.social  ·  activity timestamp 3 months ago

(edit: missing word added)
Just a shoutout and a big „Thank You“ to all these developers who provide a „dryrun“ option in their command line utilities. One of the best things I learned as a developer that might save someone‘s ass someday. 👍🏼🤗

#Programming #CommandLine #DryRun

  • Copy link
  • Flag this post
  • Block
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp 3 months ago

Anyone on Android 15+ managed to ssh into a local Linux box from the native terminal app now in Android?

Once again, this is using the phone to ssh into a computer. Not the other way round.

I could easily ssh into my account on tty.sdf.org, but it just hangs forever when I try accessing my laptop. Got sshd running, but I've likely set something up wrong.

✅ 📱→ 💻
❌ 💻 → 📱

Update: reinstalled openssh-client, it works now

#android #ssh #terminal #CommandLine #cli

  • Copy link
  • Flag this post
  • Block
Michael Dexter boosted
𝕂𝚞𝚋𝚒𝚔ℙ𝚒𝚡𝚎𝚕
𝕂𝚞𝚋𝚒𝚔ℙ𝚒𝚡𝚎𝚕
@kubikpixel@chaos.social  ·  activity timestamp 4 months ago

fzf is a general-purpose command-line fuzzy finder.

It’s an interactive filter program for any kind of list; files, command history, processes, hostnames, bookmarks, git commits, etc. With its novel “fuzzy” matching algorithm, you can quickly type in patterns with omitted characters and still get the results you want.

🧑‍💻 https://github.com/junegunn/fzf

#fzf #FuzzyFinder #Findfiles #terminal #cli #linux #filter #fuzzy #match #linux #opensource #type #git #commandline

  • Copy link
  • Flag this post
  • Block
Dave V. ND9JR boosted
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp 4 months ago

"terminal"/"TUI" programs that require a mouse to use/navigate: WHAT. WHY. BAD PROGRAMMER. SIT DOWN AND THINK ABOUT WHERE YOU WENT WRONG IN YOUR LIFE.

#CommandLine #cli #computeing

  • Copy link
  • Flag this post
  • Block
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp 4 months ago

"terminal"/"TUI" programs that require a mouse to use/navigate: WHAT. WHY. BAD PROGRAMMER. SIT DOWN AND THINK ABOUT WHERE YOU WENT WRONG IN YOUR LIFE.

#CommandLine #cli #computeing

  • Copy link
  • Flag this post
  • Block
𝕂𝚞𝚋𝚒𝚔ℙ𝚒𝚡𝚎𝚕
𝕂𝚞𝚋𝚒𝚔ℙ𝚒𝚡𝚎𝚕
@kubikpixel@chaos.social  ·  activity timestamp 4 months ago

fzf is a general-purpose command-line fuzzy finder.

It’s an interactive filter program for any kind of list; files, command history, processes, hostnames, bookmarks, git commits, etc. With its novel “fuzzy” matching algorithm, you can quickly type in patterns with omitted characters and still get the results you want.

🧑‍💻 https://github.com/junegunn/fzf

#fzf #FuzzyFinder #Findfiles #terminal #cli #linux #filter #fuzzy #match #linux #opensource #type #git #commandline

  • Copy link
  • Flag this post
  • Block
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp 4 months ago

I only just learned you can use the mouse in the TTY! (The Linux text-only console you get to by pressing Ctrl+Alt+F1, F2, etc.)

Some applications that enable this are gpm and consolation.

consolation worked better for me, especially when in tmux; however, I still can't get scrolling with middle button and trackpoint to work, which is what would be the most useful for me. I don't know if it has to do with consolation, tmux mouse bindings, my particular ThinkPad model, etc. I can't find anything online about this, so if you've also dabbled in this, please share your experience!

#CommandLine #cli #tmux #tty #linux #thinkpad

General purpose mouse - ArchWiki

  • Copy link
  • Flag this post
  • Block
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp 4 months ago

A really cool thing I just learned: since version 3.4, Pandoc lets you output markup with ANSI escape codes so you can see formatted text in the terminal!

However, the default formatting (e. g. inline code as red on light grey) kind of makes my eyes bleed?

Here's the commit. Any Pandoc mavens know how to customize the colours? Like do I edit a copy of ANSI.hs and put it…somewhere? Do I make a custom Lua filter? Halp ;_;

#CommandLine #cli #pandoc

Gnome-terminal screenshot. pandoc takes sample Markdown-formatted text (including a heading, inline code, code block, and an URL) and prints it to stdout so the heading is in bold and all caps, code is in a different colour, links are in a different colour and underlined, etc.
Gnome-terminal screenshot. pandoc takes sample Markdown-formatted text (including a heading, inline code, code block, and an URL) and prints it to stdout so the heading is in bold and all caps, code is in a different colour, links are in a different colour and underlined, etc.
Gnome-terminal screenshot. pandoc takes sample Markdown-formatted text (including a heading, inline code, code block, and an URL) and prints it to stdout so the heading is in bold and all caps, code is in a different colour, links are in a different colour and underlined, etc.
GitHub

Release pandoc 3.4 · jgm/pandoc

Click to expand changelog New output format: ansi (for formatted console output) (Evan Silberman). Most Pandoc elements are supported and printed in a reasonable way, if not always ideally. This ...
  • Copy link
  • Flag this post
  • Block
Neville Park boosted
🅺🅸🅼 🆂🅲🅷🆄🅻🆉
🅺🅸🅼 🆂🅲🅷🆄🅻🆉
@kimschulz@social.data.coop  ·  activity timestamp 5 months ago

Mastui – A Retro-Modern Mastodon Client for the Terminal

Tired of clunky Mastodon clients that don’t fit your workflow? I built Mastui, a retro-modern Mastodon client for the terminal. Think multi-timeline views, themes, and even image rendering — all inside your terminal window. It started as a pet project, but it’s

https://schulz.dk/2025/08/27/mastui-a-retro-modern-mastodon-client-for-the-terminal/

#Code #projects #commandline #mastodon #project #python #terminal #textual #tui

Sorry, no caption provided by author
Sorry, no caption provided by author
Sorry, no caption provided by author
SCHULZ:DK

Mastui – A Retro-Modern Mastodon Client for the Terminal - SCHULZ:DK

Tired of clunky Mastodon clients that don’t fit your workflow? I built Mastui, a retro-modern Mastodon client for the terminal. Think multi-timeline views, themes, and even image rendering — all inside your terminal window. It started as a pet project, but it’s quickly grown into a proper community tool.
  • Copy link
  • Flag this post
  • Block
Neville Park
Neville Park
@nev@status.nevillepark.ca  ·  activity timestamp 5 months ago

i have to switch one of my scripts to use getopts instead of just a case statement pray for me ;_;

#bash #CommandLine #codeing

  • Copy link
  • Flag this post
  • Block
Nicolas Delsaux
Nicolas Delsaux
@Riduidel@framapiaf.org  ·  activity timestamp 5 months ago

Alors ça je vais voir comment ça marche, parce que la copie de gros fichiers sans barre de progression, c'est vraiment déplaisant. https://github.com/jarun/advcpmv #linux #commandline #hack #ergonomie

  • Copy link
  • Flag this post
  • Block
🅺🅸🅼 🆂🅲🅷🆄🅻🆉
🅺🅸🅼 🆂🅲🅷🆄🅻🆉
@kimschulz@social.data.coop  ·  activity timestamp 5 months ago

Mastui – A Retro-Modern Mastodon Client for the Terminal

Tired of clunky Mastodon clients that don’t fit your workflow? I built Mastui, a retro-modern Mastodon client for the terminal. Think multi-timeline views, themes, and even image rendering — all inside your terminal window. It started as a pet project, but it’s

https://schulz.dk/2025/08/27/mastui-a-retro-modern-mastodon-client-for-the-terminal/

#Code #projects #commandline #mastodon #project #python #terminal #textual #tui

Sorry, no caption provided by author
Sorry, no caption provided by author
Sorry, no caption provided by author
SCHULZ:DK

Mastui – A Retro-Modern Mastodon Client for the Terminal - SCHULZ:DK

Tired of clunky Mastodon clients that don’t fit your workflow? I built Mastui, a retro-modern Mastodon client for the terminal. Think multi-timeline views, themes, and even image rendering — all inside your terminal window. It started as a pet project, but it’s quickly grown into a proper community tool.
  • Copy link
  • Flag this post
  • Block

bonfire.cafe

A space for Bonfire maintainers and contributors to communicate

bonfire.cafe: About · Code of conduct · Privacy · Users · Instances
Bonfire social · 1.0.1 no JS en
Automatic federation enabled
Log in
  • Explore
  • About
  • Members
  • Code of Conduct