洪 民憙 (Hong Minhee)'s avatar

洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · 966 following · 1307 followers

An intersectionalist, feminist, and socialist guy living in Seoul (UTC+09:00). @tokolovesme's spouse. Who's behind @fedify, @hollo, and @botkit. Write some free software in , , , & . They/them.

서울에 사는 交叉女性主義者이자 社會主義者. 金剛兔(@tokolovesme)의 配偶者. @fedify, @hollo, @botkit 메인테이너. , , , 等으로 自由 소프트웨어 만듦.

()

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

Hello, I'm an open source software engineer in my late 30s living in , , and an avid advocate of and the .

I'm the creator of @fedify, an server framework in , @hollo, an ActivityPub-enabled microblogging software for single users, and @botkit, a simple ActivityPub bot framework.

I'm also very interested in East Asian languages (so-called ) and . Feel free to talk to me in , (), or (), or even in Literary Chinese (, )!

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 洪 民憙 (Hong Minhee)'s post

安寧(안녕)하세요, 저는 서울에 살고 있는 30() 後半(후반) 오픈 소스 소프트웨어 엔지니어이며, 自由(자유)·오픈 소스 소프트웨어와 聯合宇宙(연합우주)(fediverse)의 熱烈(열렬)支持者(지지자)입니다.

저는 TypeScript() ActivityPub 서버 프레임워크인 @fedify 프로젝트와 싱글 유저() ActivityPub 마이크로블로그인 @hollo 프로젝트와 ActivityPub 봇 프레임워크인 @botkit 프로젝트의 製作者(제작자)이기도 합니다.

저는 ()아시아 言語(언어)(이른바 )와 유니코드에도 關心(관심)이 많습니다. 聯合宇宙(연합우주)에서는 國漢文混用體(국한문 혼용체)를 쓰고 있어요! 제게 韓國語(한국어)英語(영어), 日本語(일본어)로 말을 걸어주세요. (아니면, 漢文(한문)으로도!)

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 洪 民憙 (Hong Minhee)'s post

こんにちは、私はソウルに住んでいる30代後半のオープンソースソフトウェアエンジニアで、自由・オープンソースソフトウェアとフェディバースの熱烈な支持者です。名前は洪 民憙ホン・ミンヒです。

私はTypeScript用のActivityPubサーバーフレームワークである「@fedify」と、ActivityPubをサポートする1人用マイクロブログである 「@hollo」と、ActivityPubのボットを作成する為のシンプルなフレームワークである「@botkit」の作者でもあります。

私は東アジア言語(いわゆるCJK)とUnicodeにも興味が多いです。日本語、英語、韓国語で話しかけてください。(または、漢文でも!)

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hackers.pub

Optique 0.6.0 is here, bringing intelligent shell completion to your type-safe command-line applications. This release introduces built-in completion support for Bash, zsh, fish, PowerShell, and Nushell, making your CLIs more discoverable and user-friendly—all without sacrificing type safety or requiring duplicate definitions.

For those new to Optique: it's a TypeScript CLI parser library that takes a fundamentally different approach from traditional configuration-based parsers. Instead of describing your CLI with configuration objects, you compose parsers from small, type-safe functions. TypeScript automatically infers the exact types of your parsed data, ensuring compile-time safety while the parser structure itself provides runtime validation. Think of it as bringing the composability of parser combinators (inspired by Haskell's optparse-applicative) together with the type safety of TypeScript's type system.

Shell completion that just works

The standout feature of this release is comprehensive shell completion support. Unlike many CLI frameworks that require separate completion definitions, Optique's completion system leverages the same parser structure used for argument parsing. This means your completion suggestions automatically stay synchronized with your CLI's actual behavior—no duplicate definitions, no manual maintenance.

import { object } from "@optique/core/constructs";
import { argument, option } from "@optique/core/primitives";
import { string, choice } from "@optique/core/valueparser";
import { run } from "@optique/run";

const parser = object({
  format: option("-f", "--format", choice(["json", "yaml", "xml"])),
  output: option("-o", "--output", string({ metavar: "FILE" })),
  verbose: option("-v", "--verbose"),
  input: argument(string({ metavar: "INPUT" })),
});

// Enable completion with a single option
const config = run(parser, { completion: "both" });

Users can now press Tab to get intelligent suggestions:

myapp <TAB>                    # Shows available commands and options
myapp --format <TAB>           # Shows: json, yaml, xml
myapp --format=<TAB>           # Same suggestions with equals syntax
myapp -<TAB>                  # Shows: -f, -o, -v, and other short options

Setting up completion is straightforward. Users generate a completion script for their shell and source it:

# Bash
myapp completion bash > ~/.bashrc.d/myapp.bash
source ~/.bashrc.d/myapp.bash
# zsh
myapp completion zsh > ~/.zsh/completions/_myapp
# fish
myapp completion fish > ~/.config/fish/completions/myapp.fish
# PowerShell
myapp completion pwsh > myapp-completion.ps1
. ./myapp-completion.ps1
# Nushell
myapp completion nu | save myapp-completion.nu
source myapp-completion.nu

The completion system works automatically with all Optique parser types. When you use choice() value parsers, the available options become completion suggestions. When you use path() parsers, file system completion kicks in with proper handling of extensions and file types. Subcommands, options, and arguments all provide context-aware suggestions.

What makes Optique's completion special is that it leverages the same parser structure used for argument parsing. Every parser has an optional suggest() method that provides context-aware suggestions based on the current input. Parser combinators like object() and or() automatically aggregate suggestions from their constituent parsers, ensuring your completion logic stays in your TypeScript code where it benefits from type safety and testing.

Optique handles the differences between shells transparently. Bash uses the complete command with proper handling of word splitting, zsh leverages its powerful compdef system with completion descriptions, fish provides tab-separated format with automatic file type detection, PowerShell uses Register-ArgumentCompleter with AST-based parsing, and Nushell integrates with its external completer system. For file and directory completions, Optique delegates to each shell's native file completion system, ensuring proper handling of spaces, symlinks, and platform-specific path conventions.

Custom completion suggestions

For domain-specific value parsers, you can implement custom completion logic that provides intelligent suggestions based on your application's needs:

import type { ValueParser, ValueParserResult } from "@optique/core/valueparser";
import type { Suggestion } from "@optique/core/parser";
import { message } from "@optique/core/message";

function httpMethod(): ValueParser<string> {
  const methods = ["GET", "POST", "PUT", "DELETE", "PATCH", "HEAD", "OPTIONS"];

  return {
    metavar: "METHOD",
    parse(input: string): ValueParserResult<string> {
      const method = input.toUpperCase();
      if (methods.includes(method)) {
        return { success: true, value: method };
      }
      return {
        success: false,
        error: message`Invalid HTTP method: ${input}. Valid methods: ${methods.join(", ")}.`,
      };
    },
    format(value: string): string {
      return value;
    },
    *suggest(prefix: string): Iterable<Suggestion> {
      for (const method of methods) {
        if (method.toLowerCase().startsWith(prefix.toLowerCase())) {
          yield {
            kind: "literal",
            text: method,
            description: message`HTTP ${method} request method`
          };
        }
      }
    },
  };
}

The built-in value parsers also provide intelligent suggestions. For instance, the locale() parser suggests common locale identifiers, the url() parser offers protocol completions when configured with allowedProtocols, and the timezone parsers from @optique/temporal use Intl.supportedValuesOf() for dynamic timezone suggestions.

Enhanced command documentation

This release also introduces new documentation capabilities for the command() parser. You can now provide separate brief and description texts, along with a footer for examples and additional information:

import { command, object, constant } from "@optique/core/primitives";
import { message } from "@optique/core/message";

const deployCommand = command(
  "deploy",
  object({
    action: constant("deploy"),
    // ... options
  }),
  {
    brief: message`Deploy application to production`,  // Shown in command list
    description: message`Deploy the application to the production environment.
    
This command handles database migrations, asset compilation, and cache warming
automatically. It performs health checks before switching traffic to ensure
zero-downtime deployment.`,  // Shown in detailed help
    footer: message`Examples:
  myapp deploy --environment staging --dry-run
  myapp deploy --environment production --force

For deployment documentation, see: https://docs.example.com/deploy`
  }
);

The brief text appears when listing commands (like myapp help), while description provides detailed information when viewing command-specific help (myapp deploy --help or myapp help deploy). The footer appears at the bottom of the help text, perfect for examples and additional resources.

Command-line example formatting

To make help text and examples clearer, we've added a new commandLine() message term type. This displays command-line snippets with distinct cyan coloring in terminals, making it immediately clear what users should type:

import { message, commandLine } from "@optique/core/message";
import { run } from "@optique/run";

const config = run(parser, {
  footer: message`Examples:
  ${commandLine("myapp --format json input.txt")}
  ${commandLine("myapp --format=yaml --output result.yml data.txt")}
  
To enable shell completion:
  ${commandLine("myapp completion bash > ~/.bashrc.d/myapp.bash")}
  ${commandLine("source ~/.bashrc.d/myapp.bash")}`,
  
  completion: "both"
});

These command examples stand out visually in help text, making it easier for users to understand how to use your CLI.

Migration guide

If you're already using Optique, adding completion support is straightforward:

  1. Update to Optique 0.6.0
  2. Add the completion option to your run() configuration:
// Before
const config = run(parser, { help: "both" });

// After
const config = run(parser, { 
  help: "both",
  completion: "both"  // Adds both 'completion' command and '--completion' option
});

That's it! Your CLI now supports shell completion. The completion option accepts three modes:

  • "command": Only the completion subcommand (e.g., myapp completion bash)
  • "option": Only the --completion option (e.g., myapp --completion bash)
  • "both": Both patterns work

For custom value parsers, you can optionally add a suggest() method to provide domain-specific completions. Existing parsers continue to work without modification—they just won't provide custom suggestions beyond what the parser structure implies.

Looking forward

Shell completion has been one of the most requested features for Optique, and we're thrilled to deliver it in a way that maintains our core principles: type safety, composability, and zero duplication. Your parser definitions remain the single source of truth for both parsing and completion behavior.

This release represents a significant step toward making Optique-based CLIs as user-friendly as they are developer-friendly. The completion system proves that we can provide sophisticated runtime features without sacrificing the compile-time guarantees that make Optique unique.

We hope you find the new shell completion feature useful and look forward to seeing what you build with it!

Getting started

To start using Optique 0.6.0:

deno add --jsr @optique/core@^0.6.0 @optique/run@^0.6.0
npm  add       @optique/core@^0.6.0 @optique/run@^0.6.0
pnpm add       @optique/core@^0.6.0 @optique/run@^0.6.0
yarn add       @optique/core@^0.6.0 @optique/run@^0.6.0
bun  add       @optique/core@^0.6.0 @optique/run@^0.6.0

For complete documentation, visit optique.dev. Check out the new shell completion guide for detailed setup instructions and advanced usage patterns.

For bug reports and feature requests, please visit our GitHub repository.

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

Optique 0.6.0 is here! Bringing intelligent shell completion to type-safe TypeScript CLI parsers.

Press Tab, get suggestions. No duplicate definitions. Just works with Bash, zsh, fish, PowerShell & Nushell.

Your parsers stay the single source of truth.

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hackers.pub

Optique 0.6.0 is here, bringing intelligent shell completion to your type-safe command-line applications. This release introduces built-in completion support for Bash, zsh, fish, PowerShell, and Nushell, making your CLIs more discoverable and user-friendly—all without sacrificing type safety or requiring duplicate definitions.

For those new to Optique: it's a TypeScript CLI parser library that takes a fundamentally different approach from traditional configuration-based parsers. Instead of describing your CLI with configuration objects, you compose parsers from small, type-safe functions. TypeScript automatically infers the exact types of your parsed data, ensuring compile-time safety while the parser structure itself provides runtime validation. Think of it as bringing the composability of parser combinators (inspired by Haskell's optparse-applicative) together with the type safety of TypeScript's type system.

Shell completion that just works

The standout feature of this release is comprehensive shell completion support. Unlike many CLI frameworks that require separate completion definitions, Optique's completion system leverages the same parser structure used for argument parsing. This means your completion suggestions automatically stay synchronized with your CLI's actual behavior—no duplicate definitions, no manual maintenance.

import { object } from "@optique/core/constructs";
import { argument, option } from "@optique/core/primitives";
import { string, choice } from "@optique/core/valueparser";
import { run } from "@optique/run";

const parser = object({
  format: option("-f", "--format", choice(["json", "yaml", "xml"])),
  output: option("-o", "--output", string({ metavar: "FILE" })),
  verbose: option("-v", "--verbose"),
  input: argument(string({ metavar: "INPUT" })),
});

// Enable completion with a single option
const config = run(parser, { completion: "both" });

Users can now press Tab to get intelligent suggestions:

myapp <TAB>                    # Shows available commands and options
myapp --format <TAB>           # Shows: json, yaml, xml
myapp --format=<TAB>           # Same suggestions with equals syntax
myapp -<TAB>                  # Shows: -f, -o, -v, and other short options

Setting up completion is straightforward. Users generate a completion script for their shell and source it:

# Bash
myapp completion bash > ~/.bashrc.d/myapp.bash
source ~/.bashrc.d/myapp.bash
# zsh
myapp completion zsh > ~/.zsh/completions/_myapp
# fish
myapp completion fish > ~/.config/fish/completions/myapp.fish
# PowerShell
myapp completion pwsh > myapp-completion.ps1
. ./myapp-completion.ps1
# Nushell
myapp completion nu | save myapp-completion.nu
source myapp-completion.nu

The completion system works automatically with all Optique parser types. When you use choice() value parsers, the available options become completion suggestions. When you use path() parsers, file system completion kicks in with proper handling of extensions and file types. Subcommands, options, and arguments all provide context-aware suggestions.

What makes Optique's completion special is that it leverages the same parser structure used for argument parsing. Every parser has an optional suggest() method that provides context-aware suggestions based on the current input. Parser combinators like object() and or() automatically aggregate suggestions from their constituent parsers, ensuring your completion logic stays in your TypeScript code where it benefits from type safety and testing.

Optique handles the differences between shells transparently. Bash uses the complete command with proper handling of word splitting, zsh leverages its powerful compdef system with completion descriptions, fish provides tab-separated format with automatic file type detection, PowerShell uses Register-ArgumentCompleter with AST-based parsing, and Nushell integrates with its external completer system. For file and directory completions, Optique delegates to each shell's native file completion system, ensuring proper handling of spaces, symlinks, and platform-specific path conventions.

Custom completion suggestions

For domain-specific value parsers, you can implement custom completion logic that provides intelligent suggestions based on your application's needs:

import type { ValueParser, ValueParserResult } from "@optique/core/valueparser";
import type { Suggestion } from "@optique/core/parser";
import { message } from "@optique/core/message";

function httpMethod(): ValueParser<string> {
  const methods = ["GET", "POST", "PUT", "DELETE", "PATCH", "HEAD", "OPTIONS"];

  return {
    metavar: "METHOD",
    parse(input: string): ValueParserResult<string> {
      const method = input.toUpperCase();
      if (methods.includes(method)) {
        return { success: true, value: method };
      }
      return {
        success: false,
        error: message`Invalid HTTP method: ${input}. Valid methods: ${methods.join(", ")}.`,
      };
    },
    format(value: string): string {
      return value;
    },
    *suggest(prefix: string): Iterable<Suggestion> {
      for (const method of methods) {
        if (method.toLowerCase().startsWith(prefix.toLowerCase())) {
          yield {
            kind: "literal",
            text: method,
            description: message`HTTP ${method} request method`
          };
        }
      }
    },
  };
}

The built-in value parsers also provide intelligent suggestions. For instance, the locale() parser suggests common locale identifiers, the url() parser offers protocol completions when configured with allowedProtocols, and the timezone parsers from @optique/temporal use Intl.supportedValuesOf() for dynamic timezone suggestions.

Enhanced command documentation

This release also introduces new documentation capabilities for the command() parser. You can now provide separate brief and description texts, along with a footer for examples and additional information:

import { command, object, constant } from "@optique/core/primitives";
import { message } from "@optique/core/message";

const deployCommand = command(
  "deploy",
  object({
    action: constant("deploy"),
    // ... options
  }),
  {
    brief: message`Deploy application to production`,  // Shown in command list
    description: message`Deploy the application to the production environment.
    
This command handles database migrations, asset compilation, and cache warming
automatically. It performs health checks before switching traffic to ensure
zero-downtime deployment.`,  // Shown in detailed help
    footer: message`Examples:
  myapp deploy --environment staging --dry-run
  myapp deploy --environment production --force

For deployment documentation, see: https://docs.example.com/deploy`
  }
);

The brief text appears when listing commands (like myapp help), while description provides detailed information when viewing command-specific help (myapp deploy --help or myapp help deploy). The footer appears at the bottom of the help text, perfect for examples and additional resources.

Command-line example formatting

To make help text and examples clearer, we've added a new commandLine() message term type. This displays command-line snippets with distinct cyan coloring in terminals, making it immediately clear what users should type:

import { message, commandLine } from "@optique/core/message";
import { run } from "@optique/run";

const config = run(parser, {
  footer: message`Examples:
  ${commandLine("myapp --format json input.txt")}
  ${commandLine("myapp --format=yaml --output result.yml data.txt")}
  
To enable shell completion:
  ${commandLine("myapp completion bash > ~/.bashrc.d/myapp.bash")}
  ${commandLine("source ~/.bashrc.d/myapp.bash")}`,
  
  completion: "both"
});

These command examples stand out visually in help text, making it easier for users to understand how to use your CLI.

Migration guide

If you're already using Optique, adding completion support is straightforward:

  1. Update to Optique 0.6.0
  2. Add the completion option to your run() configuration:
// Before
const config = run(parser, { help: "both" });

// After
const config = run(parser, { 
  help: "both",
  completion: "both"  // Adds both 'completion' command and '--completion' option
});

That's it! Your CLI now supports shell completion. The completion option accepts three modes:

  • "command": Only the completion subcommand (e.g., myapp completion bash)
  • "option": Only the --completion option (e.g., myapp --completion bash)
  • "both": Both patterns work

For custom value parsers, you can optionally add a suggest() method to provide domain-specific completions. Existing parsers continue to work without modification—they just won't provide custom suggestions beyond what the parser structure implies.

Looking forward

Shell completion has been one of the most requested features for Optique, and we're thrilled to deliver it in a way that maintains our core principles: type safety, composability, and zero duplication. Your parser definitions remain the single source of truth for both parsing and completion behavior.

This release represents a significant step toward making Optique-based CLIs as user-friendly as they are developer-friendly. The completion system proves that we can provide sophisticated runtime features without sacrificing the compile-time guarantees that make Optique unique.

We hope you find the new shell completion feature useful and look forward to seeing what you build with it!

Getting started

To start using Optique 0.6.0:

deno add --jsr @optique/core@^0.6.0 @optique/run@^0.6.0
npm  add       @optique/core@^0.6.0 @optique/run@^0.6.0
pnpm add       @optique/core@^0.6.0 @optique/run@^0.6.0
yarn add       @optique/core@^0.6.0 @optique/run@^0.6.0
bun  add       @optique/core@^0.6.0 @optique/run@^0.6.0

For complete documentation, visit optique.dev. Check out the new shell completion guide for detailed setup instructions and advanced usage patterns.

For bug reports and feature requests, please visit our GitHub repository.

Helge's avatar
Helge

@helge@mymath.rocks

Good morning Fediverse.

The FEP static site is nearing completion. The preview is available at https://helge.codeberg.page/fep/.

The pull request is at https://codeberg.org/fediverse/fep/pulls/673.

If you have feedback, now is the time to submit it.

tesaguri 🦀🦝's avatar
tesaguri 🦀🦝

@tesaguri@fedibird.com

Weibo、ハンドル名に漢字を使えるの面白いので是非ともActivityPubに対応して場を掻き回して欲しい(?)

Encyclia's avatar
Encyclia

@encyclia@fietkau.social

Development update:

I just posted the first change to the progress tracker in a while. encyclia.pub/roadmap#progress

Integration work for PostgreSQL and parity with SQLite is now mostly finished, only performance still needs fine-tuning. This means that large Encyclia deployments can use a “real” hosted database, while small installations can run off just the file system. 🙂 Encyclia has also started using the LogTape library by @hongminhee.

We're getting perilously close to the alpha test! 😲

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hackers.pub

If you're curious about the context, check out this post by Nur Ketene on LinkedIn and this photo of Vercel CEO Guillermo Rauch with Netanyahu on his X.



RE: https://social.wake.st/@liaizon/115298145877037312

wakest ⁂'s avatar
wakest ⁂

@liaizon@social.wake.st

If you are using Vercel, will you cancel your account and move your hosting elsewhere now that they publicly support and work with genocidial fascists?

OptionVoters
Yes, as soon as possible17 (85%)
No, I am happy to support genocide3 (15%)
wakest ⁂'s avatar
wakest ⁂

@liaizon@social.wake.st

If you are using Vercel, will you cancel your account and move your hosting elsewhere now that they publicly support and work with genocidial fascists?

OptionVoters
Yes, as soon as possible17 (85%)
No, I am happy to support genocide3 (15%)
洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

Optique 0.6.0 is adding shell completion! We already support:

  • Bash
  • zsh
  • fish
  • PowerShell

This covers most users, but should we add more niche shells? Your input helps us prioritize!

OptionVoters
These 4 shells are enough8 (47%)
Need Nushell support5 (29%)
Need Elvish support2 (12%)
Need Oil Shell support2 (12%)
洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 洪 民憙 (Hong Minhee)'s post

議政府(의정부) 平壤麵屋(평양면옥) 冷麵(냉면)熟肉(숙육)

平壤冷麵
ALT text details平壤冷麵
牛肉 및 豬肉 熟肉
ALT text details牛肉 및 豬肉 熟肉
洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

오늘은 @xiniha, @hyunjoon, @youknowone 님하고 議政府(의정부) 平壤麵屋(평양면옥) 먹으러 간다. 후후…

Claude by Anthropic's avatar
Claude by Anthropic

@claudeai@threads.net · Reply to Claude by Anthropic's post

Claude Sonnet 4.5 is available everywhere today—on the Claude Developer Platform, natively and in Amazon Bedrock and Google Cloud's Vertex AI.

Pricing remains the same as Sonnet 4.

For more details: https://www.anthropic.com/news/claude-sonnet-4-5

Claude by Anthropic's avatar
Claude by Anthropic

@claudeai@threads.net

Introducing Claude Sonnet 4.5—the best coding model in the world.

It's the strongest model for building complex agents. It's the best model at using computers. And it shows substantial gains on tests of reasoning and math.

Photo by Claude by Anthropic on September 29, 2025. May be a graphic of crossword puzzle, calendar and text that says 'Claude Sonnet 4.5 Agentic coding Verified 77.2% Claude Sonner4 74.5% 82.0% withpe poraTeTuoH GPT-5 79.4% 72.7% Gemini Agenticterminal Agentic terminal coding Jerminal-Dench Terminal Bench 72.8% 80.2% withp 50.0% 46.5% 74.5% GPT-5-Codex 67.2% Lse 86.2% 36.4% て2ーbench 86.8% 43.8% 70.0% 83.8% 25.3% 98.0% 81.1% Computeru OSWarld 63.0% Tdrtn 71.5% 63.0% Trririi 49.6% High cumpetition AIME2025 62.6% Tenun 96.7% 100% (खसा) 42.2% 78.0% Graduate-Jevel reasoning GFLA Diamand 70.5% 99.6% (yeeKKT) 83.4% MultilingualQ& MMMLU 94.6% 81.0% 88.0% 89.1% 76.1% Visual rensaning MMMU (validation) 89.5% 85.7% 77.8% 86.5% 86.4% analysis AAemc 77.1% 89.4% 55.3% 74.4% 50.9% 84.2% 82.0% 82. 44.5% 46.9% 29.4% AI'.
ALT text detailsPhoto by Claude by Anthropic on September 29, 2025. May be a graphic of crossword puzzle, calendar and text that says 'Claude Sonnet 4.5 Agentic coding Verified 77.2% Claude Sonner4 74.5% 82.0% withpe poraTeTuoH GPT-5 79.4% 72.7% Gemini Agenticterminal Agentic terminal coding Jerminal-Dench Terminal Bench 72.8% 80.2% withp 50.0% 46.5% 74.5% GPT-5-Codex 67.2% Lse 86.2% 36.4% て2ーbench 86.8% 43.8% 70.0% 83.8% 25.3% 98.0% 81.1% Computeru OSWarld 63.0% Tdrtn 71.5% 63.0% Trririi 49.6% High cumpetition AIME2025 62.6% Tenun 96.7% 100% (खसा) 42.2% 78.0% Graduate-Jevel reasoning GFLA Diamand 70.5% 99.6% (yeeKKT) 83.4% MultilingualQ& MMMLU 94.6% 81.0% 88.0% 89.1% 76.1% Visual rensaning MMMU (validation) 89.5% 85.7% 77.8% 86.5% 86.4% analysis AAemc 77.1% 89.4% 55.3% 74.4% 50.9% 84.2% 82.0% 82. 44.5% 46.9% 29.4% AI'.
洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to Haze's post

@nebuleto 오… TSKaigi라는 컨퍼런스가 있었군요. 아쉽게도 올해는 이미 끝났네요. 😭

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 洪 民憙 (Hong Minhee)'s post

中国語の会話をたくさん練習したら、中華圏でも一度くらいは発表してみたいものだ。

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

日本(特に東京が良いな)でTypeScriptとかオープンソース関連で発表できる場が有ったら、参加してみたいな。

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

그리고 NewJeans도 어서 復歸(복귀)를…! 😭

https://fed.brid.gy/r/https://bsky.app/profile/did:plc:4sujqnbd47ey26qcvajqoxa2/post/3lzxnixqlig2u

한겨레's avatar
한겨레

@hanibsky.bsky.social@bsky.brid.gy

‘개와 늑대의 시간’은 불확실한 경계의 시간을 말합니다. 지금 K팝 업계에도 두 개의 시간이 겹쳐 있습니다. 하나는 산업의 발전이고, 다른 하나는 방시혁 사법 리스크입니다.

방시혁과 케이팝, 개와 늑대의 시간

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 금강토's post

@tokolovesme 그럴까나

Mohammed Shobair 🍉 from Gaza's avatar
Mohammed Shobair 🍉 from Gaza

@mohshbair@mastodon.social

Hello ☀️ I’m still here! ✌️

Our tent is too narrow for my whole family. I’ve been sleeping out in the open for several nights in a row. The stars are beautiful but gunfire, explosions and drones are scary, and it’s getting cold.

Also, food is barely affordable.

I don’t know when I’ll lose access, this might again be my last message, please don’t forget about me, and keep sharing and donating and protesting and supporting.

Love and peace.

➡️ paypal.me/Mohammedshbair727

➡️ chuffed.org/project/mohshbairg

Mohammed Shobair, 22 years old, from Gaza, doing a peace sign with my fingers.
ALT text detailsMohammed Shobair, 22 years old, from Gaza, doing a peace sign with my fingers.
Chee Aun 🤔's avatar
Chee Aun 🤔

@cheeaun@mastodon.social · Reply to Chee Aun 🤔's post

Stashing my dev notes here github.com/cheeaun/phanpy/disc — probably useful for other devs too 🙇‍♂️

Implementation is almost done; just 3 things:
1. There's no way to test "Request to quote"
2. QP filtered for limited accounts
3. Post content is optional if there's CW and quote (doesn't seem to work on official site yet, will check later)

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 헤카's post

@heka 오오… 좋네요!

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 헤카's post

@heka 무슨 브라우저예요?

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

() 가보고 싶은 곳들:

  • 延邊(연변)
  • 哈爾賓(합이빈)
  • 深圳(선전)
  • 神戶(고베)
  • 廣島(히로시마)
  • 橫濱(요코하마)
  • 沖繩(충승)
洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to XiNiHa's post

@xiniha.dev They need to adopt tsgo as soon as possible…

XiNiHa's avatar
XiNiHa

@xiniha.dev@bsky.brid.gy · Reply to 洪 民憙 (Hong Minhee)'s post

I believe most of it would be spent on running tsc to build the documentation from it 🫠

白林檎美和@一般丼。's avatar
白林檎美和@一般丼。

@whtapple@ippandon.hopto.org · Reply to 洪 民憙 (Hong Minhee)'s post

@hongminhee なつかすぃ…

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social · Reply to 洪 民憙 (Hong Minhee)'s post

この頃の日本のR&B、結構好きなんだよね。例えばMISIAの「つつみ込むように…」(1998)とか、倉木麻衣の「Love, Day After Tomorrow」(1999)とか。

洪 民憙 (Hong Minhee)'s avatar
洪 民憙 (Hong Minhee)

@hongminhee@hollo.social

宇多田ヒカルのファーストアルバム『First Love』(1999)は、(記憶が正しければ多分)私が初めて聴いたJ-popなんだけど、25年経った今聴いてもやっぱ良いんだよね。個人的に宇多田ヒカルの最近の音楽も好きだけど、なんだかんだこのアルバムほどグッとくるアルバムは無いかな。

wwj's avatar
wwj

@z9mb1@hackers.pub

fedify를 다른 프로그래밍 언어로 사용할 수 있다면, 어떤 언어가 좋으신가요?

Python -> 하트 Rust -> 축하

기타 언어는 답글로 달아주세요.

julian's avatar
julian

@julian@community.nodebb.org

<p>At Piefed office hours, <a href="https://piefed.social/u/rimu">@<bdi>rimu@piefed.social</bdi></a> and I got to talking about what's next for Piefed and the Threadiverse WG.</p> <p>One of those things is moving stuff between communities (or in bbs parlance: moving topics between categories/forums).</p> <p>Rimu suggested we use the already-existing <code>as:Move</code> activity, sent by the community (a group actor), with <code>origin</code> and <code>target</code> set, and with <code>object</code> being the post id itself.</p>

At Piefed office hours, @rimu@piefed.social and I got to talking about what's next for Piefed and the Threadiverse WG.

One of those things is moving stuff between communities (or in bbs parlance: moving topics between categories/forums).

Rimu suggested we use the already-existing as:Move activity, sent by the community (a group actor), with origin and target set, and with object being the post id itself.

I suggested we update this to use the resolvable context collection as object instead, which Piefed has supported since v1.2.

That should be enough to get a proof-of-concept implementation going between Piefed and NodeBB... a question remained as to whether this should be Announce(Move(Object)) or simply Move(Object).

Argument for former was that it was similar verbiage to other 1b12 actions.

Argument for the latter was that this is merely 1b12 adjacent and needn't follow prior art.

We'll likely put together an FEP for this.

← Newer
Older →