hono-cloudflare by bobmatnyc/claude-mpm-skills
npx skills add https://github.com/bobmatnyc/claude-mpm-skills --skill hono-cloudflareHono 最初是为 Cloudflare Workers 构建的,并为整个 Cloudflare 生态系统提供一流的支持,包括 KV、D1、R2、Durable Objects、Queues 等。
主要特性:
在以下场景中使用 Hono on Cloudflare:
npm create hono@latest my-app
# 选择:cloudflare-workers
cd my-app
npm install
npm run dev
my-app/
├── src/
│ └── index.ts # 主入口点
├── wrangler.toml # Cloudflare 配置
├── package.json
└── tsconfig.json
// src/index.ts
import { Hono } from 'hono'
const app = new Hono()
app.get('/', (c) => c.text('Hello Cloudflare Workers!'))
export default app
广告位招租
在这里展示您的产品或服务
触达数万 AI 开发者,精准高效
# 部署到 Cloudflare
npx wrangler deploy
# 本地开发
npx wrangler dev
import { Hono } from 'hono'
// 定义你的绑定
type Bindings = {
// 环境变量
API_KEY: string
DATABASE_URL: string
// KV 命名空间
MY_KV: KVNamespace
// D1 数据库
DB: D1Database
// R2 存储桶
BUCKET: R2Bucket
// Durable Objects
COUNTER: DurableObjectNamespace
// Queues
MY_QUEUE: Queue
}
const app = new Hono<{ Bindings: Bindings }>()
app.get('/config', (c) => {
// 完全类型安全的访问
const apiKey = c.env.API_KEY
return c.json({ configured: !!apiKey })
})
export default app
name = "my-app"
main = "src/index.ts"
compatibility_date = "2024-01-01"
[vars]
API_KEY = "your-api-key" # pragma: allowlist secret
[[kv_namespaces]]
binding = "MY_KV"
id = "your-kv-id"
[[d1_databases]]
binding = "DB"
database_name = "my-database"
database_id = "your-d1-id"
[[r2_buckets]]
binding = "BUCKET"
bucket_name = "my-bucket"
[[queues.producers]]
binding = "MY_QUEUE"
queue = "my-queue"
type Bindings = {
CACHE: KVNamespace
}
const app = new Hono<{ Bindings: Bindings }>()
// 获取值
app.get('/cache/:key', async (c) => {
const key = c.req.param('key')
const value = await c.env.CACHE.get(key)
if (!value) {
return c.json({ error: 'Not found' }, 404)
}
return c.json({ key, value })
})
// 获取 JSON 值
app.get('/cache/:key/json', async (c) => {
const key = c.req.param('key')
const value = await c.env.CACHE.get(key, 'json')
return c.json({ key, value })
})
// 设置值
app.put('/cache/:key', async (c) => {
const key = c.req.param('key')
const body = await c.req.json()
await c.env.CACHE.put(key, JSON.stringify(body), {
expirationTtl: 3600 // 1 小时
})
return c.json({ success: true })
})
// 删除值
app.delete('/cache/:key', async (c) => {
const key = c.req.param('key')
await c.env.CACHE.delete(key)
return c.json({ success: true })
})
// 列出键
app.get('/cache', async (c) => {
const prefix = c.req.query('prefix') || ''
const list = await c.env.CACHE.list({ prefix, limit: 100 })
return c.json({ keys: list.keys })
})
interface UserMeta {
createdAt: string
role: string
}
app.put('/users/:id', async (c) => {
const id = c.req.param('id')
const user = await c.req.json()
await c.env.CACHE.put(`user:${id}`, JSON.stringify(user), {
metadata: {
createdAt: new Date().toISOString(),
role: user.role
} as UserMeta
})
return c.json({ success: true })
})
app.get('/users/:id', async (c) => {
const id = c.req.param('id')
const { value, metadata } = await c.env.CACHE.getWithMetadata<UserMeta>(`user:${id}`, 'json')
if (!value) {
return c.json({ error: 'Not found' }, 404)
}
return c.json({ user: value, metadata })
})
type Bindings = {
DB: D1Database
}
const app = new Hono<{ Bindings: Bindings }>()
// 查询所有
app.get('/users', async (c) => {
const { results } = await c.env.DB
.prepare('SELECT * FROM users ORDER BY created_at DESC')
.all()
return c.json({ users: results })
})
// 查询单个
app.get('/users/:id', async (c) => {
const id = c.req.param('id')
const user = await c.env.DB
.prepare('SELECT * FROM users WHERE id = ?')
.bind(id)
.first()
if (!user) {
return c.json({ error: 'Not found' }, 404)
}
return c.json({ user })
})
// 插入
app.post('/users', async (c) => {
const { name, email } = await c.req.json()
const result = await c.env.DB
.prepare('INSERT INTO users (name, email) VALUES (?, ?)')
.bind(name, email)
.run()
return c.json({
success: result.success,
id: result.meta.last_row_id
}, 201)
})
// 更新
app.put('/users/:id', async (c) => {
const id = c.req.param('id')
const { name, email } = await c.req.json()
const result = await c.env.DB
.prepare('UPDATE users SET name = ?, email = ? WHERE id = ?')
.bind(name, email, id)
.run()
return c.json({ success: result.success })
})
// 删除
app.delete('/users/:id', async (c) => {
const id = c.req.param('id')
const result = await c.env.DB
.prepare('DELETE FROM users WHERE id = ?')
.bind(id)
.run()
return c.json({ success: result.success })
})
app.post('/users/batch', async (c) => {
const { users } = await c.req.json()
const statements = users.map((user: { name: string; email: string }) =>
c.env.DB
.prepare('INSERT INTO users (name, email) VALUES (?, ?)')
.bind(user.name, user.email)
)
const results = await c.env.DB.batch(statements)
return c.json({
success: results.every(r => r.success),
count: results.length
})
})
type Bindings = {
BUCKET: R2Bucket
}
const app = new Hono<{ Bindings: Bindings }>()
// 上传文件
app.post('/files/:key', async (c) => {
const key = c.req.param('key')
const body = await c.req.arrayBuffer()
const contentType = c.req.header('Content-Type') || 'application/octet-stream'
await c.env.BUCKET.put(key, body, {
httpMetadata: { contentType }
})
return c.json({ success: true, key })
})
// 下载文件
app.get('/files/:key', async (c) => {
const key = c.req.param('key')
const object = await c.env.BUCKET.get(key)
if (!object) {
return c.json({ error: 'Not found' }, 404)
}
const headers = new Headers()
headers.set('Content-Type', object.httpMetadata?.contentType || 'application/octet-stream')
headers.set('ETag', object.httpEtag)
return new Response(object.body, { headers })
})
// 删除文件
app.delete('/files/:key', async (c) => {
const key = c.req.param('key')
await c.env.BUCKET.delete(key)
return c.json({ success: true })
})
// 列出文件
app.get('/files', async (c) => {
const prefix = c.req.query('prefix') || ''
const list = await c.env.BUCKET.list({ prefix, limit: 100 })
return c.json({
objects: list.objects.map(obj => ({
key: obj.key,
size: obj.size,
uploaded: obj.uploaded
}))
})
})
// src/counter.ts
export class Counter {
private state: DurableObjectState
private value: number = 0
constructor(state: DurableObjectState) {
this.state = state
}
async fetch(request: Request): Promise<Response> {
const url = new URL(request.url)
// 从存储加载值
this.value = await this.state.storage.get('value') || 0
switch (url.pathname) {
case '/increment':
this.value++
await this.state.storage.put('value', this.value)
return new Response(String(this.value))
case '/decrement':
this.value--
await this.state.storage.put('value', this.value)
return new Response(String(this.value))
case '/value':
return new Response(String(this.value))
default:
return new Response('Not found', { status: 404 })
}
}
}
import { Hono } from 'hono'
type Bindings = {
COUNTER: DurableObjectNamespace
}
const app = new Hono<{ Bindings: Bindings }>()
app.get('/counter/:name/increment', async (c) => {
const name = c.req.param('name')
const id = c.env.COUNTER.idFromName(name)
const stub = c.env.COUNTER.get(id)
const response = await stub.fetch('http://counter/increment')
const value = await response.text()
return c.json({ name, value: parseInt(value) })
})
app.get('/counter/:name', async (c) => {
const name = c.req.param('name')
const id = c.env.COUNTER.idFromName(name)
const stub = c.env.COUNTER.get(id)
const response = await stub.fetch('http://counter/value')
const value = await response.text()
return c.json({ name, value: parseInt(value) })
})
export default app
export { Counter }
[[durable_objects.bindings]]
name = "COUNTER"
class_name = "Counter"
[[migrations]]
tag = "v1"
new_classes = ["Counter"]
type Bindings = {
MY_QUEUE: Queue
}
const app = new Hono<{ Bindings: Bindings }>()
app.post('/tasks', async (c) => {
const task = await c.req.json()
await c.env.MY_QUEUE.send({
type: 'process',
data: task
})
return c.json({ queued: true })
})
// 批量发送
app.post('/tasks/batch', async (c) => {
const { tasks } = await c.req.json()
await c.env.MY_QUEUE.sendBatch(
tasks.map((task: any) => ({
body: { type: 'process', data: task }
}))
)
return c.json({ queued: tasks.length })
})
export default {
fetch: app.fetch,
async queue(batch: MessageBatch, env: Bindings): Promise<void> {
for (const message of batch.messages) {
const { type, data } = message.body as { type: string; data: any }
try {
// 处理消息
console.log(`Processing ${type}:`, data)
message.ack()
} catch (error) {
message.retry()
}
}
}
}
name = "my-app"
main = "src/index.ts"
compatibility_date = "2024-01-01"
# 从 public 目录提供静态文件
assets = { directory = "public" }
import { Hono } from 'hono'
import { serveStatic } from 'hono/cloudflare-workers'
const app = new Hono()
// 提供静态文件
app.use('/static/*', serveStatic({ root: './' }))
// API 路由
app.get('/api/hello', (c) => c.json({ hello: 'world' }))
export default app
import { Hono } from 'hono'
const app = new Hono()
// 常规路由...
export default {
fetch: app.fetch,
async scheduled(
event: ScheduledEvent,
env: Bindings,
ctx: ExecutionContext
): Promise<void> {
switch (event.cron) {
case '0 * * * *': // 每小时
await hourlyTask(env)
break
case '0 0 * * *': // 每天午夜
await dailyTask(env)
break
}
}
}
async function hourlyTask(env: Bindings) {
console.log('Running hourly task')
}
async function dailyTask(env: Bindings) {
console.log('Running daily task')
}
[triggers]
crons = ["0 * * * *", "0 0 * * *"]
my-app/
├── public/ # 静态资源
│ ├── index.html
│ └── styles.css
└── functions/
└── [[path]].ts # 全捕获函数
// functions/[[path]].ts
import { Hono } from 'hono'
import { handle } from 'hono/cloudflare-pages'
const app = new Hono().basePath('/api')
app.get('/hello', (c) => c.json({ hello: 'world' }))
app.post('/echo', async (c) => c.json(await c.req.json()))
export const onRequest = handle(app)
import { createMiddleware } from 'hono/factory'
type Bindings = {
API_KEY: string
}
// 在中间件中访问 env
const authMiddleware = createMiddleware<{ Bindings: Bindings }>(
async (c, next) => {
// 不要在模块级别访问 env - 在处理器中访问!
const apiKey = c.req.header('X-API-Key')
if (apiKey !== c.env.API_KEY) {
return c.json({ error: 'Unauthorized' }, 401)
}
await next()
}
)
app.use('/api/*', authMiddleware)
type Bindings = {
// 变量
MY_VAR: string
// KV
MY_KV: KVNamespace
// D1
DB: D1Database
// R2
BUCKET: R2Bucket
// Durable Objects
MY_DO: DurableObjectNamespace
// Queues
MY_QUEUE: Queue
// 服务绑定
OTHER_WORKER: Fetcher
}
# 本地开发
npx wrangler dev
# 部署
npx wrangler deploy
# 创建 D1 数据库
npx wrangler d1 create my-database
# 执行 D1 SQL
npx wrangler d1 execute my-database --file=schema.sql
# 创建 KV 命名空间
npx wrangler kv:namespace create MY_KV
# 创建 R2 存储桶
npx wrangler r2 bucket create my-bucket
# 追踪日志
npx wrangler tail
版本 : Hono 4.x, Wrangler 3.x 最后更新 : 2025年1月 许可证 : MIT
每周安装数
217
仓库
GitHub 星标数
18
首次出现
2026年1月23日
安全审计
已安装于
opencode182
gemini-cli177
codex174
github-copilot166
claude-code153
cursor140
Hono was originally built for Cloudflare Workers and provides first-class support for the entire Cloudflare ecosystem including KV, D1, R2, Durable Objects, Queues, and more.
Key Features :
Use Hono on Cloudflare when:
npm create hono@latest my-app
# Select: cloudflare-workers
cd my-app
npm install
npm run dev
my-app/
├── src/
│ └── index.ts # Main entry point
├── wrangler.toml # Cloudflare configuration
├── package.json
└── tsconfig.json
// src/index.ts
import { Hono } from 'hono'
const app = new Hono()
app.get('/', (c) => c.text('Hello Cloudflare Workers!'))
export default app
# Deploy to Cloudflare
npx wrangler deploy
# Local development
npx wrangler dev
import { Hono } from 'hono'
// Define your bindings
type Bindings = {
// Environment variables
API_KEY: string
DATABASE_URL: string
// KV Namespaces
MY_KV: KVNamespace
// D1 Databases
DB: D1Database
// R2 Buckets
BUCKET: R2Bucket
// Durable Objects
COUNTER: DurableObjectNamespace
// Queues
MY_QUEUE: Queue
}
const app = new Hono<{ Bindings: Bindings }>()
app.get('/config', (c) => {
// Fully typed access
const apiKey = c.env.API_KEY
return c.json({ configured: !!apiKey })
})
export default app
name = "my-app"
main = "src/index.ts"
compatibility_date = "2024-01-01"
[vars]
API_KEY = "your-api-key" # pragma: allowlist secret
[[kv_namespaces]]
binding = "MY_KV"
id = "your-kv-id"
[[d1_databases]]
binding = "DB"
database_name = "my-database"
database_id = "your-d1-id"
[[r2_buckets]]
binding = "BUCKET"
bucket_name = "my-bucket"
[[queues.producers]]
binding = "MY_QUEUE"
queue = "my-queue"
type Bindings = {
CACHE: KVNamespace
}
const app = new Hono<{ Bindings: Bindings }>()
// Get value
app.get('/cache/:key', async (c) => {
const key = c.req.param('key')
const value = await c.env.CACHE.get(key)
if (!value) {
return c.json({ error: 'Not found' }, 404)
}
return c.json({ key, value })
})
// Get JSON value
app.get('/cache/:key/json', async (c) => {
const key = c.req.param('key')
const value = await c.env.CACHE.get(key, 'json')
return c.json({ key, value })
})
// Set value
app.put('/cache/:key', async (c) => {
const key = c.req.param('key')
const body = await c.req.json()
await c.env.CACHE.put(key, JSON.stringify(body), {
expirationTtl: 3600 // 1 hour
})
return c.json({ success: true })
})
// Delete value
app.delete('/cache/:key', async (c) => {
const key = c.req.param('key')
await c.env.CACHE.delete(key)
return c.json({ success: true })
})
// List keys
app.get('/cache', async (c) => {
const prefix = c.req.query('prefix') || ''
const list = await c.env.CACHE.list({ prefix, limit: 100 })
return c.json({ keys: list.keys })
})
interface UserMeta {
createdAt: string
role: string
}
app.put('/users/:id', async (c) => {
const id = c.req.param('id')
const user = await c.req.json()
await c.env.CACHE.put(`user:${id}`, JSON.stringify(user), {
metadata: {
createdAt: new Date().toISOString(),
role: user.role
} as UserMeta
})
return c.json({ success: true })
})
app.get('/users/:id', async (c) => {
const id = c.req.param('id')
const { value, metadata } = await c.env.CACHE.getWithMetadata<UserMeta>(`user:${id}`, 'json')
if (!value) {
return c.json({ error: 'Not found' }, 404)
}
return c.json({ user: value, metadata })
})
type Bindings = {
DB: D1Database
}
const app = new Hono<{ Bindings: Bindings }>()
// Select all
app.get('/users', async (c) => {
const { results } = await c.env.DB
.prepare('SELECT * FROM users ORDER BY created_at DESC')
.all()
return c.json({ users: results })
})
// Select one
app.get('/users/:id', async (c) => {
const id = c.req.param('id')
const user = await c.env.DB
.prepare('SELECT * FROM users WHERE id = ?')
.bind(id)
.first()
if (!user) {
return c.json({ error: 'Not found' }, 404)
}
return c.json({ user })
})
// Insert
app.post('/users', async (c) => {
const { name, email } = await c.req.json()
const result = await c.env.DB
.prepare('INSERT INTO users (name, email) VALUES (?, ?)')
.bind(name, email)
.run()
return c.json({
success: result.success,
id: result.meta.last_row_id
}, 201)
})
// Update
app.put('/users/:id', async (c) => {
const id = c.req.param('id')
const { name, email } = await c.req.json()
const result = await c.env.DB
.prepare('UPDATE users SET name = ?, email = ? WHERE id = ?')
.bind(name, email, id)
.run()
return c.json({ success: result.success })
})
// Delete
app.delete('/users/:id', async (c) => {
const id = c.req.param('id')
const result = await c.env.DB
.prepare('DELETE FROM users WHERE id = ?')
.bind(id)
.run()
return c.json({ success: result.success })
})
app.post('/users/batch', async (c) => {
const { users } = await c.req.json()
const statements = users.map((user: { name: string; email: string }) =>
c.env.DB
.prepare('INSERT INTO users (name, email) VALUES (?, ?)')
.bind(user.name, user.email)
)
const results = await c.env.DB.batch(statements)
return c.json({
success: results.every(r => r.success),
count: results.length
})
})
type Bindings = {
BUCKET: R2Bucket
}
const app = new Hono<{ Bindings: Bindings }>()
// Upload file
app.post('/files/:key', async (c) => {
const key = c.req.param('key')
const body = await c.req.arrayBuffer()
const contentType = c.req.header('Content-Type') || 'application/octet-stream'
await c.env.BUCKET.put(key, body, {
httpMetadata: { contentType }
})
return c.json({ success: true, key })
})
// Download file
app.get('/files/:key', async (c) => {
const key = c.req.param('key')
const object = await c.env.BUCKET.get(key)
if (!object) {
return c.json({ error: 'Not found' }, 404)
}
const headers = new Headers()
headers.set('Content-Type', object.httpMetadata?.contentType || 'application/octet-stream')
headers.set('ETag', object.httpEtag)
return new Response(object.body, { headers })
})
// Delete file
app.delete('/files/:key', async (c) => {
const key = c.req.param('key')
await c.env.BUCKET.delete(key)
return c.json({ success: true })
})
// List files
app.get('/files', async (c) => {
const prefix = c.req.query('prefix') || ''
const list = await c.env.BUCKET.list({ prefix, limit: 100 })
return c.json({
objects: list.objects.map(obj => ({
key: obj.key,
size: obj.size,
uploaded: obj.uploaded
}))
})
})
// src/counter.ts
export class Counter {
private state: DurableObjectState
private value: number = 0
constructor(state: DurableObjectState) {
this.state = state
}
async fetch(request: Request): Promise<Response> {
const url = new URL(request.url)
// Load value from storage
this.value = await this.state.storage.get('value') || 0
switch (url.pathname) {
case '/increment':
this.value++
await this.state.storage.put('value', this.value)
return new Response(String(this.value))
case '/decrement':
this.value--
await this.state.storage.put('value', this.value)
return new Response(String(this.value))
case '/value':
return new Response(String(this.value))
default:
return new Response('Not found', { status: 404 })
}
}
}
import { Hono } from 'hono'
type Bindings = {
COUNTER: DurableObjectNamespace
}
const app = new Hono<{ Bindings: Bindings }>()
app.get('/counter/:name/increment', async (c) => {
const name = c.req.param('name')
const id = c.env.COUNTER.idFromName(name)
const stub = c.env.COUNTER.get(id)
const response = await stub.fetch('http://counter/increment')
const value = await response.text()
return c.json({ name, value: parseInt(value) })
})
app.get('/counter/:name', async (c) => {
const name = c.req.param('name')
const id = c.env.COUNTER.idFromName(name)
const stub = c.env.COUNTER.get(id)
const response = await stub.fetch('http://counter/value')
const value = await response.text()
return c.json({ name, value: parseInt(value) })
})
export default app
export { Counter }
[[durable_objects.bindings]]
name = "COUNTER"
class_name = "Counter"
[[migrations]]
tag = "v1"
new_classes = ["Counter"]
type Bindings = {
MY_QUEUE: Queue
}
const app = new Hono<{ Bindings: Bindings }>()
app.post('/tasks', async (c) => {
const task = await c.req.json()
await c.env.MY_QUEUE.send({
type: 'process',
data: task
})
return c.json({ queued: true })
})
// Batch send
app.post('/tasks/batch', async (c) => {
const { tasks } = await c.req.json()
await c.env.MY_QUEUE.sendBatch(
tasks.map((task: any) => ({
body: { type: 'process', data: task }
}))
)
return c.json({ queued: tasks.length })
})
export default {
fetch: app.fetch,
async queue(batch: MessageBatch, env: Bindings): Promise<void> {
for (const message of batch.messages) {
const { type, data } = message.body as { type: string; data: any }
try {
// Process message
console.log(`Processing ${type}:`, data)
message.ack()
} catch (error) {
message.retry()
}
}
}
}
name = "my-app"
main = "src/index.ts"
compatibility_date = "2024-01-01"
# Serve static files from public directory
assets = { directory = "public" }
import { Hono } from 'hono'
import { serveStatic } from 'hono/cloudflare-workers'
const app = new Hono()
// Serve static files
app.use('/static/*', serveStatic({ root: './' }))
// API routes
app.get('/api/hello', (c) => c.json({ hello: 'world' }))
export default app
import { Hono } from 'hono'
const app = new Hono()
// Regular routes...
export default {
fetch: app.fetch,
async scheduled(
event: ScheduledEvent,
env: Bindings,
ctx: ExecutionContext
): Promise<void> {
switch (event.cron) {
case '0 * * * *': // Every hour
await hourlyTask(env)
break
case '0 0 * * *': // Daily at midnight
await dailyTask(env)
break
}
}
}
async function hourlyTask(env: Bindings) {
console.log('Running hourly task')
}
async function dailyTask(env: Bindings) {
console.log('Running daily task')
}
[triggers]
crons = ["0 * * * *", "0 0 * * *"]
my-app/
├── public/ # Static assets
│ ├── index.html
│ └── styles.css
└── functions/
└── [[path]].ts # Catch-all function
// functions/[[path]].ts
import { Hono } from 'hono'
import { handle } from 'hono/cloudflare-pages'
const app = new Hono().basePath('/api')
app.get('/hello', (c) => c.json({ hello: 'world' }))
app.post('/echo', async (c) => c.json(await c.req.json()))
export const onRequest = handle(app)
import { createMiddleware } from 'hono/factory'
type Bindings = {
API_KEY: string
}
// Access env in middleware
const authMiddleware = createMiddleware<{ Bindings: Bindings }>(
async (c, next) => {
// Don't access env at module level - access in handler!
const apiKey = c.req.header('X-API-Key')
if (apiKey !== c.env.API_KEY) {
return c.json({ error: 'Unauthorized' }, 401)
}
await next()
}
)
app.use('/api/*', authMiddleware)
type Bindings = {
// Variables
MY_VAR: string
// KV
MY_KV: KVNamespace
// D1
DB: D1Database
// R2
BUCKET: R2Bucket
// Durable Objects
MY_DO: DurableObjectNamespace
// Queues
MY_QUEUE: Queue
// Service Bindings
OTHER_WORKER: Fetcher
}
# Local development
npx wrangler dev
# Deploy
npx wrangler deploy
# Create D1 database
npx wrangler d1 create my-database
# Execute D1 SQL
npx wrangler d1 execute my-database --file=schema.sql
# Create KV namespace
npx wrangler kv:namespace create MY_KV
# Create R2 bucket
npx wrangler r2 bucket create my-bucket
# Tail logs
npx wrangler tail
Version : Hono 4.x, Wrangler 3.x Last Updated : January 2025 License : MIT
Weekly Installs
217
Repository
GitHub Stars
18
First Seen
Jan 23, 2026
Security Audits
Gen Agent Trust HubPassSocketPassSnykPass
Installed on
opencode182
gemini-cli177
codex174
github-copilot166
claude-code153
cursor140
agent-browser 浏览器自动化工具 - Vercel Labs 命令行网页操作与测试
140,500 周安装
Oracle到PostgreSQL迁移缺陷报告模板 | 数据库迁移问题记录指南
646 周安装
Oracle 到 PostgreSQL 数据库迁移计划自动生成工具 | .NET 解决方案分析
649 周安装
Sensei:GitHub Copilot for Azure技能合规性自动化改进工具
659 周安装
Python Excel自动化:openpyxl库操作XLSX文件教程,创建编辑格式化电子表格
655 周安装
数据分析技能:使用DuckDB高效分析Excel/CSV文件,支持SQL查询与统计摘要
662 周安装
GitHub议题字段迁移工具:批量将标签和项目字段迁移至结构化议题字段
678 周安装